Add Activepieces integration for workflow automation

- Add Activepieces fork with SmoothSchedule custom piece
- Create integrations app with Activepieces service layer
- Add embed token endpoint for iframe integration
- Create Automations page with embedded workflow builder
- Add sidebar visibility fix for embed mode
- Add list inactive customers endpoint to Public API
- Include SmoothSchedule triggers: event created/updated/cancelled
- Include SmoothSchedule actions: create/update/cancel events, list resources/services/customers

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
poduck
2025-12-18 22:59:37 -05:00
parent 9848268d34
commit 3aa7199503
16292 changed files with 1284892 additions and 4708 deletions

View File

@@ -0,0 +1,37 @@
{
"extends": [
"../../../../.eslintrc.json"
],
"ignorePatterns": [
"!**/*"
],
"overrides": [
{
"files": [
"*.ts",
"*.tsx",
"*.js",
"*.jsx"
],
"rules": {},
"extends": [
"plugin:prettier/recommended"
],
"plugins": ["prettier"]
},
{
"files": [
"*.ts",
"*.tsx"
],
"rules": {}
},
{
"files": [
"*.js",
"*.jsx"
],
"rules": {}
}
]
}

View File

@@ -0,0 +1,7 @@
# pieces-deepgram
This library was generated with [Nx](https://nx.dev).
## Building
Run `nx build pieces-deepgram` to build the library.

View File

@@ -0,0 +1,4 @@
{
"name": "@activepieces/piece-deepgram",
"version": "0.0.6"
}

View File

@@ -0,0 +1,65 @@
{
"name": "pieces-deepgram",
"$schema": "../../../../node_modules/nx/schemas/project-schema.json",
"sourceRoot": "packages/pieces/community/deepgram/src",
"projectType": "library",
"release": {
"version": {
"currentVersionResolver": "git-tag",
"preserveLocalDependencyProtocols": false,
"manifestRootsToUpdate": [
"dist/{projectRoot}"
]
}
},
"tags": [],
"targets": {
"build": {
"executor": "@nx/js:tsc",
"outputs": [
"{options.outputPath}"
],
"options": {
"outputPath": "dist/packages/pieces/community/deepgram",
"tsConfig": "packages/pieces/community/deepgram/tsconfig.lib.json",
"packageJson": "packages/pieces/community/deepgram/package.json",
"main": "packages/pieces/community/deepgram/src/index.ts",
"assets": [
"packages/pieces/community/deepgram/*.md",
{
"input": "packages/pieces/community/deepgram/src/i18n",
"output": "./src/i18n",
"glob": "**/!(i18n.json)"
}
],
"buildableProjectDepsInPackageJsonType": "dependencies",
"updateBuildableProjectDepsInPackageJson": true
},
"dependsOn": [
"^build",
"prebuild"
]
},
"nx-release-publish": {
"options": {
"packageRoot": "dist/{projectRoot}"
}
},
"lint": {
"executor": "@nx/eslint:lint",
"outputs": [
"{options.outputFile}"
]
},
"prebuild": {
"executor": "nx:run-commands",
"options": {
"cwd": "packages/pieces/community/deepgram",
"command": "bun install --no-save --silent"
},
"dependsOn": [
"^build"
]
}
}
}

View File

@@ -0,0 +1,78 @@
import { Property, createAction } from '@activepieces/pieces-framework';
import { deepgramAuth } from '../common/auth';
import { BASE_URL, LANG_OPTIONS, MODEL_OPTIONS } from '../common/constants';
import mime from 'mime-types';
import { httpClient, HttpMethod } from '@activepieces/pieces-common';
export const createSummaryAction = createAction({
auth: deepgramAuth,
name: 'create_summary',
displayName: 'Create Summary',
description: 'Produces a summary of the content from an audio file.',
props: {
audioFile: Property.File({
displayName: 'Audio File',
required: true,
}),
model: Property.StaticDropdown({
displayName: 'Model',
required: false,
options: {
options: MODEL_OPTIONS,
},
}),
language: Property.StaticDropdown({
displayName: 'Language',
required: false,
description: 'en',
options: {
disabled: false,
options: LANG_OPTIONS,
},
}),
fallbackToTranscript: Property.Checkbox({
displayName: 'Fallback to Full Transcript',
description: 'Return full transcript if summary is not available.',
required: false,
defaultValue: true,
}),
},
async run(context) {
const {
audioFile,
model = 'nova',
fallbackToTranscript,
language,
} = context.propsValue;
const mimeType = mime.lookup(audioFile.extension || '') || 'audio/wav';
const response = await httpClient.sendRequest({
url: BASE_URL + '/listen',
method: HttpMethod.POST,
headers: {
Authorization: `Token ${context.auth.secret_text}`,
'Content-Type': mimeType,
},
body: audioFile.data,
responseType: 'json',
queryParams: {
model,
summarize: 'v2',
language: language || 'en',
},
});
if (response.body.results.summary) {
return response.body.results.summary;
}
if (
fallbackToTranscript &&
response.body.results.channels?.[0]?.alternatives?.[0]?.transcript
) {
return response.body.results.channels[0].alternatives[0].transcript;
}
throw new Error('No summary or transcript available');
},
});

View File

@@ -0,0 +1,70 @@
import { Property, createAction } from '@activepieces/pieces-framework';
import { deepgramAuth } from '../common/auth';
import { BASE_URL, LANG_OPTIONS, MODEL_OPTIONS } from '../common/constants';
import mime from 'mime-types';
import { httpClient, HttpMethod } from '@activepieces/pieces-common';
export const createTranscriptionCallbackAction = createAction({
auth: deepgramAuth,
name: 'create_transcription_callback',
displayName: 'Create Transcription (Callback)',
description: 'Creates a transcription using a callback URL.',
props: {
audioFile: Property.File({
displayName: 'Audio File',
required: true,
}),
model: Property.StaticDropdown({
displayName: 'Model',
required: false,
options: {
options: MODEL_OPTIONS,
},
}),
language: Property.StaticDropdown({
displayName: 'Language',
required: false,
description: 'en',
options: {
disabled: false,
options: LANG_OPTIONS,
},
}),
callbackUrl: Property.ShortText({
displayName: 'Callback URL',
description: 'URL to receive the transcription when ready.',
required: true,
}),
},
async run(context) {
const {
audioFile,
model = 'nova',
callbackUrl,
language,
} = context.propsValue;
const mimeType = mime.lookup(audioFile.extension || '') || 'audio/wav';
const response = await httpClient.sendRequest({
url: BASE_URL + '/listen',
method: HttpMethod.POST,
headers: {
Authorization: `Token ${context.auth.secret_text}`,
'Content-Type': mimeType,
},
body: audioFile.data,
responseType: 'json',
queryParams: {
model,
callback: callbackUrl,
language: language || 'en',
},
});
return {
requestId: response.body.request_id,
callbackUrl,
status: 'submitted',
};
},
});

View File

@@ -0,0 +1,23 @@
import { createAction } from '@activepieces/pieces-framework';
import { deepgramAuth } from '../common/auth';
import { httpClient, HttpMethod } from '@activepieces/pieces-common';
import { BASE_URL } from '../common/constants';
export const listProjectsAction = createAction({
auth: deepgramAuth,
name: 'list_projects',
displayName: 'List Projects',
description: 'Retrieves a list of all projects associated with the account.',
props: {},
async run(context) {
const response = await httpClient.sendRequest({
method: HttpMethod.GET,
url: BASE_URL + '/projects',
headers: {
Authorization: `Token ${context.auth.secret_text}`,
},
});
return response.body;
},
});

View File

@@ -0,0 +1,66 @@
import { Property, createAction } from '@activepieces/pieces-framework';
import { deepgramAuth } from '../common/auth';
import { BASE_URL, TEXT_TO_SPEECH_MODELS } from '../common/constants';
import { httpClient, HttpMethod } from '@activepieces/pieces-common';
export const textToSpeechAction = createAction({
auth: deepgramAuth,
name: 'text_to_speech',
displayName: 'Text to Speech',
description: 'Converts text to audio file.',
props: {
text: Property.LongText({
displayName: 'Text',
required: true,
}),
model: Property.StaticDropdown({
displayName: 'Voice',
required: true,
options: {
options: TEXT_TO_SPEECH_MODELS,
},
}),
encoding: Property.StaticDropdown({
displayName: 'Output Format',
required: false,
defaultValue: 'mp3',
options: {
disabled: false,
options: [
{ label: 'linear16', value: 'linear16' },
{ label: 'flac', value: 'flac' },
{ label: 'mulaw', value: 'mulaw' },
{ label: 'alaw', value: 'alaw' },
{ label: 'mp3', value: 'mp3' },
{ label: 'opus', value: 'opus' },
{ label: 'aac', value: 'aac' },
],
},
}),
},
async run(context) {
const { text, model, encoding } = context.propsValue;
const response = await httpClient.sendRequest({
method: HttpMethod.POST,
url: BASE_URL + '/speak',
body: { text },
headers: {
Authorization: `Token ${context.auth.secret_text}`,
'Content-Type': 'application/json',
},
queryParams: {
model,
encoding: encoding || 'mp3',
},
responseType: 'arraybuffer',
});
return {
file: await context.files.write({
fileName: `audio.${encoding}`,
data: Buffer.from(response.body),
}),
};
},
});

View File

@@ -0,0 +1,23 @@
import { httpClient, HttpMethod } from '@activepieces/pieces-common';
import { PieceAuth } from '@activepieces/pieces-framework';
import { BASE_URL } from './constants';
export const deepgramAuth = PieceAuth.SecretText({
displayName: 'API Key',
required: true,
description: `You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).`,
validate: async ({ auth }) => {
try {
await httpClient.sendRequest({
method: HttpMethod.GET,
url: BASE_URL + '/projects',
headers: {
Authorization: `Token ${auth}`,
},
});
return { valid: true };
} catch (e) {
return { valid: false, error: 'Invalid API key.' };
}
},
});

View File

@@ -0,0 +1,158 @@
export const BASE_URL = 'https://api.deepgram.com/v1';
export const LANG_OPTIONS = [
{ label: 'bg', value: 'bg' },
{ label: 'ca', value: 'ca' },
{ label: 'zh', value: 'zh' },
{ label: 'zh-CN', value: 'zh-CN' },
{ label: 'zh-TW', value: 'zh-TW' },
{ label: 'zh-HK', value: 'zh-HK' },
{ label: 'zh-Hans', value: 'zh-Hans' },
{ label: 'zh-Hant', value: 'zh-Hant' },
{ label: 'cs', value: 'cs' },
{ label: 'da', value: 'da' },
{ label: 'da-DK', value: 'da-DK' },
{ label: 'nl', value: 'nl' },
{ label: 'nl-BE', value: 'nl-BE' },
{ label: 'en', value: 'en' },
{ label: 'en-US', value: 'en-US' },
{ label: 'en-AU', value: 'en-AU' },
{ label: 'en-GB', value: 'en-GB' },
{ label: 'en-NZ', value: 'en-NZ' },
{ label: 'en-IN', value: 'en-IN' },
{ label: 'et', value: 'et' },
{ label: 'fi', value: 'fi' },
{ label: 'fr', value: 'fr' },
{ label: 'fr-CA', value: 'fr-CA' },
{ label: 'de', value: 'de' },
{ label: 'de-CH', value: 'de-CH' },
{ label: 'el', value: 'el' },
{ label: 'hi', value: 'hi' },
{ label: 'hi-Latn', value: 'hi-Latn' },
{ label: 'hu', value: 'hu' },
{ label: 'id', value: 'id' },
{ label: 'it', value: 'it' },
{ label: 'ja', value: 'ja' },
{ label: 'ko', value: 'ko' },
{ label: 'ko-KR', value: 'ko-KR' },
{ label: 'lv', value: 'lv' },
{ label: 'lt', value: 'lt' },
{ label: 'ms', value: 'ms' },
{ label: 'no', value: 'no' },
{ label: 'pl', value: 'pl' },
{ label: 'pt', value: 'pt' },
{ label: 'pt-BR', value: 'pt-BR' },
{ label: 'pt-PT', value: 'pt-PT' },
{ label: 'ro', value: 'ro' },
{ label: 'ru', value: 'ru' },
{ label: 'sk', value: 'sk' },
{ label: 'es', value: 'es' },
{ label: 'es-419', value: 'es-419' },
{ label: 'es-LATAM', value: 'es-LATAM' },
{ label: 'sv', value: 'sv' },
{ label: 'sv-SE', value: 'sv-SE' },
{ label: 'taq', value: 'taq' },
{ label: 'th', value: 'th' },
{ label: 'th-TH', value: 'th-TH' },
{ label: 'tr', value: 'tr' },
{ label: 'uk', value: 'uk' },
{ label: 'vi', value: 'vi' },
];
export const MODEL_OPTIONS = [
{ label: 'nova-3', value: 'nova-3' },
{ label: 'nova-3-general', value: 'nova-3-general' },
{ label: 'nova-3-medical', value: 'nova-3-medical' },
{ label: 'nova-2', value: 'nova-2' },
{ label: 'nova-2-general', value: 'nova-2-general' },
{ label: 'nova-2-meeting', value: 'nova-2-meeting' },
{ label: 'nova-2-finance', value: 'nova-2-finance' },
{ label: 'nova-2-conversationalai', value: 'nova-2-conversationalai' },
{ label: 'nova-2-voicemail', value: 'nova-2-voicemail' },
{ label: 'nova-2-video', value: 'nova-2-video' },
{ label: 'nova-2-medical', value: 'nova-2-medical' },
{ label: 'nova-2-drivethru', value: 'nova-2-drivethru' },
{ label: 'nova-2-automotive', value: 'nova-2-automotive' },
{ label: 'nova', value: 'nova' },
{ label: 'nova-general', value: 'nova-general' },
{ label: 'nova-phonecall', value: 'nova-phonecall' },
{ label: 'nova-medical', value: 'nova-medical' },
{ label: 'enhanced', value: 'enhanced' },
{ label: 'enhanced-general', value: 'enhanced-general' },
{ label: 'enhanced-meeting', value: 'enhanced-meeting' },
{ label: 'enhanced-phonecall', value: 'enhanced-phonecall' },
{ label: 'enhanced-finance', value: 'enhanced-finance' },
{ label: 'base', value: 'base' },
{ label: 'meeting', value: 'meeting' },
{ label: 'phonecall', value: 'phonecall' },
{ label: 'finance', value: 'finance' },
{ label: 'conversationalai', value: 'conversationalai' },
{ label: 'voicemail', value: 'voicemail' },
{ label: 'video', value: 'video' },
];
export const TEXT_TO_SPEECH_MODELS = [
{ label: 'aura-asteria-en', value: 'aura-asteria-en' },
{ label: 'aura-luna-en', value: 'aura-luna-en' },
{ label: 'aura-stella-en', value: 'aura-stella-en' },
{ label: 'aura-athena-en', value: 'aura-athena-en' },
{ label: 'aura-hera-en', value: 'aura-hera-en' },
{ label: 'aura-orion-en', value: 'aura-orion-en' },
{ label: 'aura-arcas-en', value: 'aura-arcas-en' },
{ label: 'aura-perseus-en', value: 'aura-perseus-en' },
{ label: 'aura-angus-en', value: 'aura-angus-en' },
{ label: 'aura-orpheus-en', value: 'aura-orpheus-en' },
{ label: 'aura-helios-en', value: 'aura-helios-en' },
{ label: 'aura-zeus-en', value: 'aura-zeus-en' },
{ label: 'aura-2-amalthea-en', value: 'aura-2-amalthea-en' },
{ label: 'aura-2-andromeda-en', value: 'aura-2-andromeda-en' },
{ label: 'aura-2-apollo-en', value: 'aura-2-apollo-en' },
{ label: 'aura-2-arcas-en', value: 'aura-2-arcas-en' },
{ label: 'aura-2-aries-en', value: 'aura-2-aries-en' },
{ label: 'aura-2-asteria-en', value: 'aura-2-asteria-en' },
{ label: 'aura-2-athena-en', value: 'aura-2-athena-en' },
{ label: 'aura-2-atlas-en', value: 'aura-2-atlas-en' },
{ label: 'aura-2-aurora-en', value: 'aura-2-aurora-en' },
{ label: 'aura-2-callista-en', value: 'aura-2-callista-en' },
{ label: 'aura-2-cordelia-en', value: 'aura-2-cordelia-en' },
{ label: 'aura-2-cora-en', value: 'aura-2-cora-en' },
{ label: 'aura-2-delia-en', value: 'aura-2-delia-en' },
{ label: 'aura-2-draco-en', value: 'aura-2-draco-en' },
{ label: 'aura-2-electra-en', value: 'aura-2-electra-en' },
{ label: 'aura-2-harmonia-en', value: 'aura-2-harmonia-en' },
{ label: 'aura-2-helena-en', value: 'aura-2-helena-en' },
{ label: 'aura-2-hera-en', value: 'aura-2-hera-en' },
{ label: 'aura-2-hermes-en', value: 'aura-2-hermes-en' },
{ label: 'aura-2-hyperion-en', value: 'aura-2-hyperion-en' },
{ label: 'aura-2-iris-en', value: 'aura-2-iris-en' },
{ label: 'aura-2-janus-en', value: 'aura-2-janus-en' },
{ label: 'aura-2-juno-en', value: 'aura-2-juno-en' },
{ label: 'aura-2-jupiter-en', value: 'aura-2-jupiter-en' },
{ label: 'aura-2-luna-en', value: 'aura-2-luna-en' },
{ label: 'aura-2-mars-en', value: 'aura-2-mars-en' },
{ label: 'aura-2-minerva-en', value: 'aura-2-minerva-en' },
{ label: 'aura-2-neptune-en', value: 'aura-2-neptune-en' },
{ label: 'aura-2-odysseus-en', value: 'aura-2-odysseus-en' },
{ label: 'aura-2-ophelia-en', value: 'aura-2-ophelia-en' },
{ label: 'aura-2-orion-en', value: 'aura-2-orion-en' },
{ label: 'aura-2-orpheus-en', value: 'aura-2-orpheus-en' },
{ label: 'aura-2-pandora-en', value: 'aura-2-pandora-en' },
{ label: 'aura-2-phoebe-en', value: 'aura-2-phoebe-en' },
{ label: 'aura-2-pluto-en', value: 'aura-2-pluto-en' },
{ label: 'aura-2-saturn-en', value: 'aura-2-saturn-en' },
{ label: 'aura-2-selene-en', value: 'aura-2-selene-en' },
{ label: 'aura-2-thalia-en', value: 'aura-2-thalia-en' },
{ label: 'aura-2-theia-en', value: 'aura-2-theia-en' },
{ label: 'aura-2-vesta-en', value: 'aura-2-vesta-en' },
{ label: 'aura-2-zeus-en', value: 'aura-2-zeus-en' },
{ label: 'aura-2-sirio-es', value: 'aura-2-sirio-es' },
{ label: 'aura-2-nestor-es', value: 'aura-2-nestor-es' },
{ label: 'aura-2-carina-es', value: 'aura-2-carina-es' },
{ label: 'aura-2-celeste-es', value: 'aura-2-celeste-es' },
{ label: 'aura-2-alvaro-es', value: 'aura-2-alvaro-es' },
{ label: 'aura-2-diana-es', value: 'aura-2-diana-es' },
{ label: 'aura-2-aquila-es', value: 'aura-2-aquila-es' },
{ label: 'aura-2-selena-es', value: 'aura-2-selena-es' },
{ label: 'aura-2-estrella-es', value: 'aura-2-estrella-es' },
{ label: 'aura-2-javier-es', value: 'aura-2-javier-es' },
];

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram ist eine AI-gestützte Spracherkennungsplattform, die Echtzeit-Transkription, Text-zu-Rede, und Audio-Analysefunktionen zur Verfügung stellt.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "Du kannst deinen API-Schlüssel unter [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Zusammenfassung erstellen",
"Create Transcription (Callback)": "Transkription erstellen (Callback)",
"List Projects": "Projekte auflisten",
"Text to Speech": "Text-zu-Sprache",
"Custom API Call": "Eigener API-Aufruf",
"Produces a summary of the content from an audio file.": "Erzeugt eine Zusammenfassung der Inhalte aus einer Audiodatei.",
"Creates a transcription using a callback URL.": "Erstellt eine Transkription mit einer Callback-URL.",
"Retrieves a list of all projects associated with the account.": "Ruft eine Liste aller Projekte ab, die dem Konto zugeordnet sind.",
"Converts text to audio file.": "Konvertiert Text in Audiodatei.",
"Make a custom API call to a specific endpoint": "Einen benutzerdefinierten API-Aufruf an einen bestimmten Endpunkt machen",
"Audio File": "Audiodatei",
"Model": "Modell",
"Language": "Sprache",
"Fallback to Full Transcript": "Vollständiges Transkript",
"Callback URL": "Callback URL",
"Text": "Text",
"Voice": "Stimme",
"Output Format": "Ausgabeformat",
"Method": "Methode",
"Headers": "Kopfzeilen",
"Query Parameters": "Abfrageparameter",
"Body": "Körper",
"Response is Binary ?": "Antwort ist binär?",
"No Error on Failure": "Kein Fehler bei Fehler",
"Timeout (in seconds)": "Timeout (in Sekunden)",
"en": "de",
"Return full transcript if summary is not available.": "Gibt das vollständige Transkript zurück, falls die Zusammenfassung nicht verfügbar ist.",
"URL to receive the transcription when ready.": "URL, um die Transkription zu erhalten, wenn sie fertig ist.",
"Authorization headers are injected automatically from your connection.": "Autorisierungs-Header werden automatisch von Ihrer Verbindung injiziert.",
"Enable for files like PDFs, images, etc..": "Aktivieren für Dateien wie PDFs, Bilder, etc..",
"nova-3": "nova-3",
"nova-3-general": "nova-3-allgemein",
"nova-3-medical": "nova-3-medizinisch",
"nova-2": "nova-2",
"nova-2-general": "nova-2-allgemein",
"nova-2-meeting": "nova-2-Meeting",
"nova-2-finance": "nova-2-Finanzierung",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-Sprachnachricht",
"nova-2-video": "nova-2-Video",
"nova-2-medical": "nova-2-medizinisch",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-Automobil",
"nova": "nova",
"nova-general": "nova-General",
"nova-phonecall": "nova-Telefon",
"nova-medical": "nova-medizinisch",
"enhanced": "verbessert",
"enhanced-general": "allgemeiner verbessert",
"enhanced-meeting": "verbessertes Meeting",
"enhanced-phonecall": "verbessertes Telefon",
"enhanced-finance": "verbesserter Finanzrahmen",
"base": "basis",
"meeting": "meeting",
"phonecall": "telefonisch",
"finance": "finanzieren",
"conversationalai": "conversationalai",
"voicemail": "sprachnachricht",
"video": "video",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "da",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "de-DE",
"en-AU": "de-U",
"en-GB": "de-DE",
"en-NZ": "de-NZ",
"en-IN": "de-IN",
"et": "et",
"fi": "fr",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "sie",
"ja": "ja",
"ko": "Ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "M",
"no": "o",
"pl": "pl",
"pt": "pkt",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "o",
"ru": "ru",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "d",
"th-TH": "th-TH",
"tr": "r",
"uk": "kk",
"vi": "o",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-de",
"aura-hera-en": "aura-hera-de",
"aura-orion-en": "aura-orion-de",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-de",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-de",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-de",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-de",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-de",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-de",
"aura-2-orion-en": "aura-2-orion-de",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-de",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-de",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-de",
"aura-2-theia-en": "aura-2-theia-de",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "flach",
"mulaw": "mulaw",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "ERHALTEN",
"POST": "POST",
"PATCH": "PATCH",
"PUT": "PUT",
"DELETE": "LÖSCHEN",
"HEAD": "HEAD"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram es una plataforma de reconocimiento de voz impulsada por la AI que proporciona capacidades de transcripción en tiempo real, texto a voz y análisis de audio.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "Puedes obtener tu clave API de [Consola Deepgram](https://console.deepgram.com/).",
"Create Summary": "Crear Resumen",
"Create Transcription (Callback)": "Crear Transcripción (Callback)",
"List Projects": "Lista de proyectos",
"Text to Speech": "Texto a voz",
"Custom API Call": "Llamada API personalizada",
"Produces a summary of the content from an audio file.": "Produce un resumen del contenido de un archivo de audio.",
"Creates a transcription using a callback URL.": "Crea una transcripción usando una URL de devolución de llamada.",
"Retrieves a list of all projects associated with the account.": "Recuperar una lista de todos los proyectos asociados con la cuenta.",
"Converts text to audio file.": "Convierte texto a archivo de audio.",
"Make a custom API call to a specific endpoint": "Hacer una llamada API personalizada a un extremo específico",
"Audio File": "Archivo de audio",
"Model": "Modelo",
"Language": "Idioma",
"Fallback to Full Transcript": "Retroceder a la transcripción completa",
"Callback URL": "Callback URL",
"Text": "Texto",
"Voice": "Voz",
"Output Format": "Formato de salida",
"Method": "Método",
"Headers": "Encabezados",
"Query Parameters": "Parámetros de consulta",
"Body": "Cuerpo",
"Response is Binary ?": "¿Respuesta es binaria?",
"No Error on Failure": "No hay ningún error en fallo",
"Timeout (in seconds)": "Tiempo de espera (en segundos)",
"en": "es",
"Return full transcript if summary is not available.": "Devolver la transcripción completa si el resumen no está disponible.",
"URL to receive the transcription when ready.": "URL para recibir la transcripción cuando esté lista.",
"Authorization headers are injected automatically from your connection.": "Las cabeceras de autorización se inyectan automáticamente desde tu conexión.",
"Enable for files like PDFs, images, etc..": "Activar para archivos como PDFs, imágenes, etc.",
"nova-3": "nova-3",
"nova-3-general": "nova-3-general",
"nova-3-medical": "nova-3-médico",
"nova-2": "nova-2",
"nova-2-general": "nova-2-general",
"nova-2-meeting": "nova-2-reunión",
"nova-2-finance": "nova-2-finanzas",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-buzón de voz",
"nova-2-video": "nova-2-vídeo",
"nova-2-medical": "nova-2-médico",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-automóvil",
"nova": "nova",
"nova-general": "nova-general",
"nova-phonecall": "nova-fonecall",
"nova-medical": "nova-médico",
"enhanced": "mejorado",
"enhanced-general": "general mejorado",
"enhanced-meeting": "reunión mejorada",
"enhanced-phonecall": "potenciado-fonófono",
"enhanced-finance": "financiaciones mejoradas",
"base": "base",
"meeting": "reunión",
"phonecall": "fonecall",
"finance": "finanzas",
"conversationalai": "conversacionalai",
"voicemail": "correo de voz",
"video": "vídeo",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "da",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "es-ES",
"en-AU": "es-ES",
"en-GB": "es-ES",
"en-NZ": "es-es-NZ",
"en-IN": "es-ES",
"et": "et",
"fi": "fi",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "lo",
"ja": "ja",
"ko": "Ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "m",
"no": "no",
"pl": "pl",
"pt": "pt",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "ro",
"ru": "ru",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "m",
"th-TH": "th-TH",
"tr": "tr",
"uk": "uk",
"vi": "i",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-es",
"aura-hera-en": "aura-hera-es",
"aura-orion-en": "aura-year",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-es",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-es",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-es",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-es",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-es",
"aura-2-orion-en": "%s %s",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-es",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-es",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-es",
"aura-2-theia-en": "aura-2-the-es",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "lineal16",
"flac": "flac",
"mulaw": "mulaj",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "RECOGER",
"POST": "POST",
"PATCH": "PATCH",
"PUT": "PUT",
"DELETE": "BORRAR",
"HEAD": "LIMPIO"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram est une plate-forme de reconnaissance vocale propulsée par l'AI qui offre des capacités de transcription en temps réel, de synthèse vocale et d'analyse audio.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "Vous pouvez obtenir votre clé API auprès de [Console Deepgramme] (https://console.deepgram.com/).",
"Create Summary": "Créer un résumé",
"Create Transcription (Callback)": "Créer une transcription (Callback)",
"List Projects": "Lister les projets",
"Text to Speech": "Discours vocaux",
"Custom API Call": "Appel API personnalisé",
"Produces a summary of the content from an audio file.": "Produit un résumé du contenu à partir d'un fichier audio.",
"Creates a transcription using a callback URL.": "Crée une transcription en utilisant une URL de rappel.",
"Retrieves a list of all projects associated with the account.": "Récupère une liste de tous les projets associés au compte.",
"Converts text to audio file.": "Convertit du texte en fichier audio.",
"Make a custom API call to a specific endpoint": "Passez un appel API personnalisé à un point de terminaison spécifique",
"Audio File": "Fichier audio",
"Model": "Modélisation",
"Language": "Langue",
"Fallback to Full Transcript": "Revenir à la transcription complète",
"Callback URL": "Callback URL",
"Text": "Texte du texte",
"Voice": "Voix",
"Output Format": "Format de sortie",
"Method": "Méthode",
"Headers": "En-têtes",
"Query Parameters": "Paramètres de requête",
"Body": "Corps",
"Response is Binary ?": "La réponse est Binaire ?",
"No Error on Failure": "Aucune erreur en cas d'échec",
"Timeout (in seconds)": "Délai d'attente (en secondes)",
"en": "fr",
"Return full transcript if summary is not available.": "Retourner la transcription complète si le résumé n'est pas disponible.",
"URL to receive the transcription when ready.": "URL pour recevoir la transcription une fois prêt.",
"Authorization headers are injected automatically from your connection.": "Les en-têtes d'autorisation sont injectés automatiquement à partir de votre connexion.",
"Enable for files like PDFs, images, etc..": "Activer pour les fichiers comme les PDFs, les images, etc.",
"nova-3": "nova-3",
"nova-3-general": "nova-3-général",
"nova-3-medical": "nova-3-médical",
"nova-2": "nova-2",
"nova-2-general": "nova-2-général",
"nova-2-meeting": "nova-2-réunion",
"nova-2-finance": "nova-2-finance",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-messagerie vocale",
"nova-2-video": "nova-2-vidéo",
"nova-2-medical": "nova-2-médical",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-automobile",
"nova": "nova",
"nova-general": "nova-général",
"nova-phonecall": "Téléphone-nova",
"nova-medical": "nova-médicale",
"enhanced": "améliorées",
"enhanced-general": "améliorée-général",
"enhanced-meeting": "Rencontre améliorée",
"enhanced-phonecall": "Téléphone-augmentée",
"enhanced-finance": "financement-amélioré",
"base": "base",
"meeting": "réunion",
"phonecall": "Téléphone",
"finance": "finance",
"conversationalai": "conversationalai",
"voicemail": "messagerie vocale",
"video": "vidéo",
"bg": "bg",
"ca": "ca",
"zh": "Zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "Z-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "le",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "fr-FR",
"en-AU": "fr-FR",
"en-GB": "fr-FR",
"en-NZ": "fr-FR",
"en-IN": "fr-FR",
"et": "et",
"fi": "FR",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "ça",
"ja": "ja",
"ko": "ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "Mms",
"no": "non",
"pl": "pl",
"pt": "PT",
"pt-BR": "pt-BR",
"pt-PT": "Pt-PT",
"ro": "RO",
"ru": "RO",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "ème",
"th-TH": "Xe TH",
"tr": "Tr",
"uk": "Ok",
"vi": "vi.",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-fr",
"aura-hera-en": "aura-hera-fr",
"aura-orion-en": "aura-orion-fr",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-en",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-fr",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-fr",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-fr",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-fr",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophélie-fr",
"aura-2-orion-en": "aura-2-orion-fr",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-fr",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-en",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-en",
"aura-2-theia-en": "aura-2-theia-fr",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linéaire16",
"flac": "flac",
"mulaw": "moule",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "OBTENIR",
"POST": "POSTER",
"PATCH": "PATCH",
"PUT": "EFFACER",
"DELETE": "SUPPRIMER",
"HEAD": "TÊTE"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgramは、リアルタイムの書き起こし、テキスト読み上げ、およびオーディオ分析機能を提供するAIを搭載した音声認識プラットフォームです。",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "[Deepgram Console](https://console.deepgram.com/)からAPIキーを取得できます。",
"Create Summary": "サマリーを作成",
"Create Transcription (Callback)": "転記を作成 (コールバック)",
"List Projects": "プロジェクト一覧",
"Text to Speech": "テキスト読み上げ",
"Custom API Call": "カスタムAPI通話",
"Produces a summary of the content from an audio file.": "オーディオファイルからコンテンツの概要を作成します。",
"Creates a transcription using a callback URL.": "コールバックURLを使用してトランスクリプションを作成します。",
"Retrieves a list of all projects associated with the account.": "アカウントに関連付けられたすべてのプロジェクトのリストを取得します。",
"Converts text to audio file.": "テキストをオーディオファイルに変換します。",
"Make a custom API call to a specific endpoint": "特定のエンドポイントへのカスタム API コールを実行します。",
"Audio File": "オーディオ ファイル",
"Model": "モデル",
"Language": "言語",
"Fallback to Full Transcript": "Fallback to Full Transcript",
"Callback URL": "Callback URL",
"Text": "テキスト",
"Voice": "音声",
"Output Format": "出力形式",
"Method": "方法",
"Headers": "ヘッダー",
"Query Parameters": "クエリパラメータ",
"Body": "本文",
"Response is Binary ?": "応答はバイナリですか?",
"No Error on Failure": "失敗時にエラーはありません",
"Timeout (in seconds)": "タイムアウト(秒)",
"en": "en",
"Return full transcript if summary is not available.": "サマリが利用できない場合は、完全なトランスクリプトを返します。",
"URL to receive the transcription when ready.": "準備ができたら転写を受け取るためのURL。",
"Authorization headers are injected automatically from your connection.": "認証ヘッダは接続から自動的に注入されます。",
"Enable for files like PDFs, images, etc..": "PDF、画像などのファイルを有効にします。",
"nova-3": "nova-3",
"nova-3-general": "nova-3-general",
"nova-3-medical": "nova-3-医療",
"nova-2": "nova-2",
"nova-2-general": "nova-2-general",
"nova-2-meeting": "nova-2-meeting",
"nova-2-finance": "nova-2ファイナンス",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2ボイスメール",
"nova-2-video": "nova-2ビデオ",
"nova-2-medical": "nova-2-medical",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-自動車",
"nova": "nova",
"nova-general": "nova-general",
"nova-phonecall": "nova-phonecall",
"nova-medical": "nova-medical",
"enhanced": "拡張",
"enhanced-general": "機能強化された全般",
"enhanced-meeting": "強化されたミーティング",
"enhanced-phonecall": "電話機能強化",
"enhanced-finance": "強化されたファイナンス",
"base": "base",
"meeting": "会議",
"phonecall": "電話コール",
"finance": "ファイナンス",
"conversationalai": "会話的な|会話的な",
"voicemail": "ボイスメール",
"video": "ビデオ",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "da",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "ja-JP",
"en-AU": "ja-JP",
"en-GB": "en-GB",
"en-NZ": "en-NZ",
"en-IN": "en-IN",
"et": "et",
"fi": "fi",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "それは...",
"ja": "ja",
"ko": "ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "ms",
"no": "いいえ",
"pl": "pl",
"pt": "pt",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "ro",
"ru": "Ru",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "第日",
"th-TH": "Th-TH",
"tr": "tr",
"uk": "uk",
"vi": "vi",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-en",
"aura-hera-en": "aura-hera-en",
"aura-orion-en": "オーロラ王苑(おうらおんえん)",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-en",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-en",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-en",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-en",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electrica-en",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-en",
"aura-2-orion-en": "aura-2-orionen",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-en",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-en",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-en",
"aura-2-theia-en": "aura-2-theia-en",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "flac",
"mulaw": "ミュロー",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "取得",
"POST": "POST",
"PATCH": "PATCH",
"PUT": "PUT",
"DELETE": "削除",
"HEAD": "頭"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram is een AI-powered speech herkenningsplatform dat real-time transcriptie, text-to-speech, en mogelijkheden voor audio analyse biedt.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "U kunt uw API-sleutel verkrijgen via [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Samenvatting maken",
"Create Transcription (Callback)": "Transcriptie aanmaken (terugdraaien)",
"List Projects": "Projecten weergeven",
"Text to Speech": "Tekst naar spraak",
"Custom API Call": "Custom API Call",
"Produces a summary of the content from an audio file.": "Produceert een samenvatting van de inhoud van een audiobestand.",
"Creates a transcription using a callback URL.": "Maakt een transcriptie met behulp van een callback-URL.",
"Retrieves a list of all projects associated with the account.": "Haalt een lijst op van alle projecten die gekoppeld zijn aan het account.",
"Converts text to audio file.": "Zet tekst om naar audiobestand.",
"Make a custom API call to a specific endpoint": "Maak een aangepaste API call naar een specifiek eindpunt",
"Audio File": "Audio bestand",
"Model": "Model",
"Language": "Taal",
"Fallback to Full Transcript": "Terugvallen naar Volledig Transcript",
"Callback URL": "Callback URL",
"Text": "Tekstveld",
"Voice": "Stem",
"Output Format": "Uitvoer formaat",
"Method": "Methode",
"Headers": "Kopteksten",
"Query Parameters": "Query parameters",
"Body": "Lichaam",
"Response is Binary ?": "Antwoord is binair?",
"No Error on Failure": "Geen fout bij fout",
"Timeout (in seconds)": "Time-out (in seconden)",
"en": "nl",
"Return full transcript if summary is not available.": "Retourneer de volledige transcript als samenvatting niet beschikbaar is.",
"URL to receive the transcription when ready.": "URL om de transcriptie te ontvangen wanneer je klaar bent.",
"Authorization headers are injected automatically from your connection.": "Autorisatie headers worden automatisch geïnjecteerd vanuit uw verbinding.",
"Enable for files like PDFs, images, etc..": "Inschakelen voor bestanden zoals PDF's, afbeeldingen etc..",
"nova-3": "nova-3",
"nova-3-general": "nova-3-algemene",
"nova-3-medical": "nova-3-medisch",
"nova-2": "nova-2",
"nova-2-general": "nova-2-algemene",
"nova-2-meeting": "nova-2-vergadering",
"nova-2-finance": "nova-2-financiering",
"nova-2-conversationalai": "nova-2-conversatie",
"nova-2-voicemail": "nova-2-voicemail",
"nova-2-video": "nova-2-video",
"nova-2-medical": "nova-2-medische",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-autotive",
"nova": "nota",
"nova-general": "nova-algemeen",
"nova-phonecall": "nova-phonecall",
"nova-medical": "nova-geneeskunde",
"enhanced": "verbeterd",
"enhanced-general": "verbeterd-algemeen",
"enhanced-meeting": "uitgebreide-vergadering",
"enhanced-phonecall": "uitbreiding-telefoonaansluiting",
"enhanced-finance": "verbeterde financiering",
"base": "basis",
"meeting": "afspraak",
"phonecall": "telefoon",
"finance": "financiën",
"conversationalai": "gesprek",
"voicemail": "voicemail",
"video": "video",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "vr",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "nl-NL",
"en-AU": "nl",
"en-GB": "nl-NL",
"en-NZ": "nl-NL",
"en-IN": "nl-NL",
"et": "et",
"fi": "fifi",
"fr": "vr",
"fr-CA": "nl-NL",
"de": "van",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "uur",
"id": "id",
"it": "het",
"ja": "ja",
"ko": "ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "ms",
"no": "Nee",
"pl": "pl",
"pt": "PT",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "rol",
"ru": "ru",
"sk": "sk",
"es": "nl",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "ste",
"th-TH": "th-TH",
"tr": "tr",
"uk": "uk",
"vi": "vi",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-atena-na-nl",
"aura-hera-en": "aura-hera-nl",
"aura-orion-en": "aura-orion-nl",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-nl",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-nl",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-nl",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-nl",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-nl",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-nl",
"aura-2-orion-en": "aura-2-orion-nl",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-foebe-en",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-verzadigings",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-nl",
"aura-2-theia-en": "aura-2-huna-nl",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "lineair",
"flac": "vlam",
"mulaw": "mulaw",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "KRIJG",
"POST": "POSTE",
"PATCH": "BEKIJK",
"PUT": "PUT",
"DELETE": "VERWIJDEREN",
"HEAD": "HOOFD"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "O Deepgram é uma plataforma de reconhecimento de voz com energia IA que fornece transcrição em tempo real, conversão de texto em voz alta, e recursos de análise de áudio.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "Você pode obter sua chave de API em [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Criar resumo",
"Create Transcription (Callback)": "Criar Transcrição (Callback)",
"List Projects": "Listar Projetos",
"Text to Speech": "Texto para fala",
"Custom API Call": "Chamada de API personalizada",
"Produces a summary of the content from an audio file.": "Produz um resumo do conteúdo a partir de um arquivo de áudio.",
"Creates a transcription using a callback URL.": "Cria uma transcrição usando uma URL de retorno.",
"Retrieves a list of all projects associated with the account.": "Recupera uma lista de todos os projetos associados à conta.",
"Converts text to audio file.": "Converte texto em arquivo de áudio.",
"Make a custom API call to a specific endpoint": "Faça uma chamada de API personalizada para um ponto de extremidade específico",
"Audio File": "Arquivo de Áudio",
"Model": "Modelo",
"Language": "IDIOMA",
"Fallback to Full Transcript": "Retornar para Transcrição Completa",
"Callback URL": "Callback URL",
"Text": "texto",
"Voice": "Voz",
"Output Format": "Formato de saída",
"Method": "Método",
"Headers": "Cabeçalhos",
"Query Parameters": "Parâmetros da consulta",
"Body": "Conteúdo",
"Response is Binary ?": "A resposta é binária ?",
"No Error on Failure": "Nenhum erro no Failure",
"Timeout (in seconds)": "Tempo limite (em segundos)",
"en": "pt-br",
"Return full transcript if summary is not available.": "Retornar transcrição completa se o resumo não estiver disponível.",
"URL to receive the transcription when ready.": "URL para receber a transcrição quando estiver pronto.",
"Authorization headers are injected automatically from your connection.": "Os cabeçalhos de autorização são inseridos automaticamente a partir da sua conexão.",
"Enable for files like PDFs, images, etc..": "Habilitar para arquivos como PDFs, imagens, etc..",
"nova-3": "nova-3",
"nova-3-general": "nova-3-geral",
"nova-3-medical": "nova-3-Médico",
"nova-2": "nova-2",
"nova-2-general": "nova-2-geral",
"nova-2-meeting": "nova-2-reunião",
"nova-2-finance": "nova-2-finanças",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-correio de voz",
"nova-2-video": "nova-2-vídeo",
"nova-2-medical": "nova-2-médico",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-automotivo",
"nova": "Novato",
"nova-general": "nova-geral",
"nova-phonecall": "nova-foneformat@@0",
"nova-medical": "nova-medicina",
"enhanced": "aprimorado",
"enhanced-general": "geral/melhorado",
"enhanced-meeting": "reunião-do-do-hora",
"enhanced-phonecall": "fone-afim aprimorado",
"enhanced-finance": "finanças-de-financiamento",
"base": "base",
"meeting": "reunião",
"phonecall": "fonego",
"finance": "finanças",
"conversationalai": "conversacional",
"voicemail": "correio de voz",
"video": "vídeo",
"bg": "ru",
"ca": "ca",
"zh": "zh",
"zh-CN": "h-CN",
"zh-TW": "zh-TW",
"zh-HK": "h-zhk",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "de",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "Nl-BE",
"en-US": "pt-BR",
"en-AU": "pt-BR",
"en-GB": "pt-BR",
"en-NZ": "pt-BR",
"en-IN": "pt-BR",
"et": "et",
"fi": "fi",
"fr": "mz",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "isso",
"ja": "ja",
"ko": "ml",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "ms",
"no": "Não",
"pl": "pl",
"pt": "PTA",
"pt-BR": "pt-BR",
"pt-PT": "PT",
"ro": "ROL",
"ru": "ru",
"sk": "sk",
"es": "em",
"es-419": "-419",
"es-LATAM": "es-LATAM",
"sv": "mw",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "og",
"th-TH": "format@@0",
"tr": "tr",
"uk": "uk",
"vi": "Vossa",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena",
"aura-hera-en": "aura-herna",
"aura-orion-en": "aura-oriana",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-en",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-pt",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-Cordelia-en",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-entrega",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-en",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophélio",
"aura-2-orion-en": "aura-2-orion",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-pt-br",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturação",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-talibã",
"aura-2-theia-en": "aura-2-theia-pt-BR",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "flac",
"mulaw": "mulgue",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "OBTER",
"POST": "POSTAR",
"PATCH": "COMPRAR",
"PUT": "COLOCAR",
"DELETE": "EXCLUIR",
"HEAD": "CABEÇA"
}

View File

@@ -0,0 +1,193 @@
{
"Deepgram": "Глупграмма",
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram - это платформа для распознавания речи, обеспечивающая возможность транскрипции в реальном времени, синтезатора текста и аудио анализа.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "Ключ API можно получить через [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Создать сводку",
"Create Transcription (Callback)": "Создать транскрипцию (обратная связь)",
"List Projects": "Список проектов",
"Text to Speech": "Текст в речь",
"Custom API Call": "Пользовательский вызов API",
"Produces a summary of the content from an audio file.": "Создает сводку материалов из аудио файла.",
"Creates a transcription using a callback URL.": "Создает транскрипцию, используя URL-адрес обратного вызова.",
"Retrieves a list of all projects associated with the account.": "Получает список всех проектов, связанных с учетной записью.",
"Converts text to audio file.": "Преобразует текст в аудио-файл.",
"Make a custom API call to a specific endpoint": "Сделать пользовательский API вызов к определенной конечной точке",
"Audio File": "Аудио файл",
"Model": "Модель",
"Language": "Язык",
"Fallback to Full Transcript": "Резервное копирование полного субтитров",
"Callback URL": "Callback URL",
"Text": "Текст",
"Voice": "Голос",
"Output Format": "Формат вывода",
"Method": "Метод",
"Headers": "Заголовки",
"Query Parameters": "Параметры запроса",
"Body": "Тело",
"No Error on Failure": "Нет ошибок при ошибке",
"Timeout (in seconds)": "Таймаут (в секундах)",
"en": "ru",
"Return full transcript if summary is not available.": "Возвращает полные субтитры, если резюме не доступно.",
"URL to receive the transcription when ready.": "URL-адрес для получения транскрипции по мере готовности.",
"Authorization headers are injected automatically from your connection.": "Заголовки авторизации включаются автоматически из вашего соединения.",
"nova-3": "Нова-3",
"nova-3-general": "Нова-3-генерал",
"nova-3-medical": "нова-3-медицина",
"nova-2": "Нова-2",
"nova-2-general": "nova-2-general",
"nova-2-meeting": "Новое 2-е заседание",
"nova-2-finance": "Нова-2 Финансы",
"nova-2-conversationalai": "nova-2 conversationalai",
"nova-2-voicemail": "почта с новой-2 голосом",
"nova-2-video": "nova-2-видео",
"nova-2-medical": "нова-2-медицинский",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "Нова-2 автомобили",
"nova": "нова",
"nova-general": "нава-генерал",
"nova-phonecall": "нова-фонекул",
"nova-medical": "нова-медицина",
"enhanced": "улучшенный",
"enhanced-general": "улучшенный-генерал",
"enhanced-meeting": "улучшенная встреча",
"enhanced-phonecall": "улучшение-фонекул",
"enhanced-finance": "улучшенное финансирование",
"base": "основание",
"meeting": "встреча",
"phonecall": "фонекул",
"finance": "финансы",
"conversationalai": "разговор",
"voicemail": "голосовая почта",
"video": "видео",
"bg": "бг",
"ca": "ca",
"zh": "чж",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "ЖК",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "да",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "ru-RU",
"en-AU": "ru-AU",
"en-GB": "ru-RU",
"en-NZ": "ru-NZ",
"en-IN": "ru-RU",
"et": "et",
"fi": "фи",
"fr": "фр",
"fr-CA": "ЦС",
"de": "де",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "чу",
"id": "id",
"it": "это",
"ja": "ja",
"ko": "Ко",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "л",
"ms": "мс",
"no": "нет",
"pl": "pl",
"pt": "пт",
"pt-BR": "pt-BR",
"pt-PT": "пт-ПТ",
"ro": "ро",
"ru": "RU",
"sk": "sk",
"es": "сек",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "сб",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "-й",
"th-TH": "-ТЧ",
"tr": "т",
"uk": "uк",
"vi": "vi",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-ru",
"aura-hera-en": "аура-гера-эй-эр",
"aura-orion-en": "aura-orion-ru",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-ru",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-ru",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-ru",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2 delia-ru",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-ru",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-ru",
"aura-2-orion-en": "aura-2-orion-ru",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-ru",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-ru",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "аура 2-таииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииииии",
"aura-2-theia-en": "aura-2-theia-ru",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "флак",
"mulaw": "мулав",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "ПОЛУЧИТЬ",
"POST": "ПОСТ",
"PATCH": "ПАТЧ",
"PUT": "ПОКУПИТЬ",
"DELETE": "УДАЛИТЬ",
"HEAD": "HEAD"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Create Summary",
"Create Transcription (Callback)": "Create Transcription (Callback)",
"List Projects": "List Projects",
"Text to Speech": "Text to Speech",
"Custom API Call": "Custom API Call",
"Produces a summary of the content from an audio file.": "Produces a summary of the content from an audio file.",
"Creates a transcription using a callback URL.": "Creates a transcription using a callback URL.",
"Retrieves a list of all projects associated with the account.": "Retrieves a list of all projects associated with the account.",
"Converts text to audio file.": "Converts text to audio file.",
"Make a custom API call to a specific endpoint": "Make a custom API call to a specific endpoint",
"Audio File": "Audio File",
"Model": "Model",
"Language": "Language",
"Fallback to Full Transcript": "Fallback to Full Transcript",
"Callback URL": "Callback URL",
"Text": "Text",
"Voice": "Voice",
"Output Format": "Output Format",
"Method": "Method",
"Headers": "Headers",
"Query Parameters": "Query Parameters",
"Body": "Body",
"Response is Binary ?": "Response is Binary ?",
"No Error on Failure": "No Error on Failure",
"Timeout (in seconds)": "Timeout (in seconds)",
"en": "en",
"Return full transcript if summary is not available.": "Return full transcript if summary is not available.",
"URL to receive the transcription when ready.": "URL to receive the transcription when ready.",
"Authorization headers are injected automatically from your connection.": "Authorization headers are injected automatically from your connection.",
"Enable for files like PDFs, images, etc..": "Enable for files like PDFs, images, etc..",
"nova-3": "nova-3",
"nova-3-general": "nova-3-general",
"nova-3-medical": "nova-3-medical",
"nova-2": "nova-2",
"nova-2-general": "nova-2-general",
"nova-2-meeting": "nova-2-meeting",
"nova-2-finance": "nova-2-finance",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-voicemail",
"nova-2-video": "nova-2-video",
"nova-2-medical": "nova-2-medical",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-automotive",
"nova": "nova",
"nova-general": "nova-general",
"nova-phonecall": "nova-phonecall",
"nova-medical": "nova-medical",
"enhanced": "enhanced",
"enhanced-general": "enhanced-general",
"enhanced-meeting": "enhanced-meeting",
"enhanced-phonecall": "enhanced-phonecall",
"enhanced-finance": "enhanced-finance",
"base": "base",
"meeting": "meeting",
"phonecall": "phonecall",
"finance": "finance",
"conversationalai": "conversationalai",
"voicemail": "voicemail",
"video": "video",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "da",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "en-US",
"en-AU": "en-AU",
"en-GB": "en-GB",
"en-NZ": "en-NZ",
"en-IN": "en-IN",
"et": "et",
"fi": "fi",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "it",
"ja": "ja",
"ko": "ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "ms",
"no": "no",
"pl": "pl",
"pt": "pt",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "ro",
"ru": "ru",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "th",
"th-TH": "th-TH",
"tr": "tr",
"uk": "uk",
"vi": "vi",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-en",
"aura-hera-en": "aura-hera-en",
"aura-orion-en": "aura-orion-en",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-en",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-en",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-en",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-en",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-en",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-en",
"aura-2-orion-en": "aura-2-orion-en",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-en",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-en",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-en",
"aura-2-theia-en": "aura-2-theia-en",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "flac",
"mulaw": "mulaw",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "GET",
"POST": "POST",
"PATCH": "PATCH",
"PUT": "PUT",
"DELETE": "DELETE",
"HEAD": "HEAD"
}

View File

@@ -0,0 +1,193 @@
{
"Deepgram": "Deepgram",
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Create Summary",
"Create Transcription (Callback)": "Create Transcription (Callback)",
"List Projects": "List Projects",
"Text to Speech": "Text to Speech",
"Custom API Call": "Custom API Call",
"Produces a summary of the content from an audio file.": "Produces a summary of the content from an audio file.",
"Creates a transcription using a callback URL.": "Creates a transcription using a callback URL.",
"Retrieves a list of all projects associated with the account.": "Retrieves a list of all projects associated with the account.",
"Converts text to audio file.": "Converts text to audio file.",
"Make a custom API call to a specific endpoint": "Make a custom API call to a specific endpoint",
"Audio File": "Audio File",
"Model": "Model",
"Language": "Language",
"Fallback to Full Transcript": "Fallback to Full Transcript",
"Callback URL": "Callback URL",
"Text": "Text",
"Voice": "Voice",
"Output Format": "Output Format",
"Method": "Method",
"Headers": "Headers",
"Query Parameters": "Query Parameters",
"Body": "Body",
"No Error on Failure": "No Error on Failure",
"Timeout (in seconds)": "Timeout (in seconds)",
"en": "en",
"Return full transcript if summary is not available.": "Return full transcript if summary is not available.",
"URL to receive the transcription when ready.": "URL to receive the transcription when ready.",
"Authorization headers are injected automatically from your connection.": "Authorization headers are injected automatically from your connection.",
"nova-3": "nova-3",
"nova-3-general": "nova-3-general",
"nova-3-medical": "nova-3-medical",
"nova-2": "nova-2",
"nova-2-general": "nova-2-general",
"nova-2-meeting": "nova-2-meeting",
"nova-2-finance": "nova-2-finance",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-voicemail",
"nova-2-video": "nova-2-video",
"nova-2-medical": "nova-2-medical",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-automotive",
"nova": "nova",
"nova-general": "nova-general",
"nova-phonecall": "nova-phonecall",
"nova-medical": "nova-medical",
"enhanced": "enhanced",
"enhanced-general": "enhanced-general",
"enhanced-meeting": "enhanced-meeting",
"enhanced-phonecall": "enhanced-phonecall",
"enhanced-finance": "enhanced-finance",
"base": "base",
"meeting": "meeting",
"phonecall": "phonecall",
"finance": "finance",
"conversationalai": "conversationalai",
"voicemail": "voicemail",
"video": "video",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "da",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "en-US",
"en-AU": "en-AU",
"en-GB": "en-GB",
"en-NZ": "en-NZ",
"en-IN": "en-IN",
"et": "et",
"fi": "fi",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "it",
"ja": "ja",
"ko": "ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "ms",
"no": "no",
"pl": "pl",
"pt": "pt",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "ro",
"ru": "ru",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "th",
"th-TH": "th-TH",
"tr": "tr",
"uk": "uk",
"vi": "vi",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-en",
"aura-hera-en": "aura-hera-en",
"aura-orion-en": "aura-orion-en",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-en",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-en",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-en",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-en",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-en",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-en",
"aura-2-orion-en": "aura-2-orion-en",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-en",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-en",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-en",
"aura-2-theia-en": "aura-2-theia-en",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "flac",
"mulaw": "mulaw",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "GET",
"POST": "POST",
"PATCH": "PATCH",
"PUT": "PUT",
"DELETE": "DELETE",
"HEAD": "HEAD"
}

View File

@@ -0,0 +1,194 @@
{
"Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.": "Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.",
"You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).": "You can obtain your API key from [Deepgram Console](https://console.deepgram.com/).",
"Create Summary": "Create Summary",
"Create Transcription (Callback)": "Create Transcription (Callback)",
"List Projects": "List Projects",
"Text to Speech": "Text to Speech",
"Custom API Call": "自定义 API 呼叫",
"Produces a summary of the content from an audio file.": "Produces a summary of the content from an audio file.",
"Creates a transcription using a callback URL.": "Creates a transcription using a callback URL.",
"Retrieves a list of all projects associated with the account.": "Retrieves a list of all projects associated with the account.",
"Converts text to audio file.": "Converts text to audio file.",
"Make a custom API call to a specific endpoint": "将一个自定义 API 调用到一个特定的终点",
"Audio File": "Audio File",
"Model": "Model",
"Language": "Language",
"Fallback to Full Transcript": "Fallback to Full Transcript",
"Callback URL": "Callback URL",
"Text": "文本",
"Voice": "Voice",
"Output Format": "Output Format",
"Method": "方法",
"Headers": "信头",
"Query Parameters": "查询参数",
"Body": "正文内容",
"Response is Binary ?": "Response is Binary ?",
"No Error on Failure": "失败时没有错误",
"Timeout (in seconds)": "超时(秒)",
"en": "en",
"Return full transcript if summary is not available.": "Return full transcript if summary is not available.",
"URL to receive the transcription when ready.": "URL to receive the transcription when ready.",
"Authorization headers are injected automatically from your connection.": "授权头自动从您的连接中注入。",
"Enable for files like PDFs, images, etc..": "Enable for files like PDFs, images, etc..",
"nova-3": "nova-3",
"nova-3-general": "nova-3-general",
"nova-3-medical": "nova-3-medical",
"nova-2": "nova-2",
"nova-2-general": "nova-2-general",
"nova-2-meeting": "nova-2-meeting",
"nova-2-finance": "nova-2-finance",
"nova-2-conversationalai": "nova-2-conversationalai",
"nova-2-voicemail": "nova-2-voicemail",
"nova-2-video": "nova-2-video",
"nova-2-medical": "nova-2-medical",
"nova-2-drivethru": "nova-2-drivethru",
"nova-2-automotive": "nova-2-automotive",
"nova": "nova",
"nova-general": "nova-general",
"nova-phonecall": "nova-phonecall",
"nova-medical": "nova-medical",
"enhanced": "enhanced",
"enhanced-general": "enhanced-general",
"enhanced-meeting": "enhanced-meeting",
"enhanced-phonecall": "enhanced-phonecall",
"enhanced-finance": "enhanced-finance",
"base": "base",
"meeting": "meeting",
"phonecall": "phonecall",
"finance": "finance",
"conversationalai": "conversationalai",
"voicemail": "voicemail",
"video": "video",
"bg": "bg",
"ca": "ca",
"zh": "zh",
"zh-CN": "zh-CN",
"zh-TW": "zh-TW",
"zh-HK": "zh-HK",
"zh-Hans": "zh-Hans",
"zh-Hant": "zh-Hant",
"cs": "cs",
"da": "da",
"da-DK": "da-DK",
"nl": "nl",
"nl-BE": "nl-BE",
"en-US": "en-US",
"en-AU": "en-AU",
"en-GB": "en-GB",
"en-NZ": "en-NZ",
"en-IN": "en-IN",
"et": "et",
"fi": "fi",
"fr": "fr",
"fr-CA": "fr-CA",
"de": "de",
"de-CH": "de-CH",
"el": "el",
"hi": "hi",
"hi-Latn": "hi-Latn",
"hu": "hu",
"id": "id",
"it": "it",
"ja": "ja",
"ko": "ko",
"ko-KR": "ko-KR",
"lv": "lv",
"lt": "lt",
"ms": "ms",
"no": "no",
"pl": "pl",
"pt": "pt",
"pt-BR": "pt-BR",
"pt-PT": "pt-PT",
"ro": "ro",
"ru": "ru",
"sk": "sk",
"es": "es",
"es-419": "es-419",
"es-LATAM": "es-LATAM",
"sv": "sv",
"sv-SE": "sv-SE",
"taq": "taq",
"th": "th",
"th-TH": "th-TH",
"tr": "tr",
"uk": "uk",
"vi": "vi",
"aura-asteria-en": "aura-asteria-en",
"aura-luna-en": "aura-luna-en",
"aura-stella-en": "aura-stella-en",
"aura-athena-en": "aura-athena-en",
"aura-hera-en": "aura-hera-en",
"aura-orion-en": "aura-orion-en",
"aura-arcas-en": "aura-arcas-en",
"aura-perseus-en": "aura-perseus-en",
"aura-angus-en": "aura-angus-en",
"aura-orpheus-en": "aura-orpheus-en",
"aura-helios-en": "aura-helios-en",
"aura-zeus-en": "aura-zeus-en",
"aura-2-amalthea-en": "aura-2-amalthea-en",
"aura-2-andromeda-en": "aura-2-andromeda-en",
"aura-2-apollo-en": "aura-2-apollo-en",
"aura-2-arcas-en": "aura-2-arcas-en",
"aura-2-aries-en": "aura-2-aries-en",
"aura-2-asteria-en": "aura-2-asteria-en",
"aura-2-athena-en": "aura-2-athena-en",
"aura-2-atlas-en": "aura-2-atlas-en",
"aura-2-aurora-en": "aura-2-aurora-en",
"aura-2-callista-en": "aura-2-callista-en",
"aura-2-cordelia-en": "aura-2-cordelia-en",
"aura-2-cora-en": "aura-2-cora-en",
"aura-2-delia-en": "aura-2-delia-en",
"aura-2-draco-en": "aura-2-draco-en",
"aura-2-electra-en": "aura-2-electra-en",
"aura-2-harmonia-en": "aura-2-harmonia-en",
"aura-2-helena-en": "aura-2-helena-en",
"aura-2-hera-en": "aura-2-hera-en",
"aura-2-hermes-en": "aura-2-hermes-en",
"aura-2-hyperion-en": "aura-2-hyperion-en",
"aura-2-iris-en": "aura-2-iris-en",
"aura-2-janus-en": "aura-2-janus-en",
"aura-2-juno-en": "aura-2-juno-en",
"aura-2-jupiter-en": "aura-2-jupiter-en",
"aura-2-luna-en": "aura-2-luna-en",
"aura-2-mars-en": "aura-2-mars-en",
"aura-2-minerva-en": "aura-2-minerva-en",
"aura-2-neptune-en": "aura-2-neptune-en",
"aura-2-odysseus-en": "aura-2-odysseus-en",
"aura-2-ophelia-en": "aura-2-ophelia-en",
"aura-2-orion-en": "aura-2-orion-en",
"aura-2-orpheus-en": "aura-2-orpheus-en",
"aura-2-pandora-en": "aura-2-pandora-en",
"aura-2-phoebe-en": "aura-2-phoebe-en",
"aura-2-pluto-en": "aura-2-pluto-en",
"aura-2-saturn-en": "aura-2-saturn-en",
"aura-2-selene-en": "aura-2-selene-en",
"aura-2-thalia-en": "aura-2-thalia-en",
"aura-2-theia-en": "aura-2-theia-en",
"aura-2-vesta-en": "aura-2-vesta-en",
"aura-2-zeus-en": "aura-2-zeus-en",
"aura-2-sirio-es": "aura-2-sirio-es",
"aura-2-nestor-es": "aura-2-nestor-es",
"aura-2-carina-es": "aura-2-carina-es",
"aura-2-celeste-es": "aura-2-celeste-es",
"aura-2-alvaro-es": "aura-2-alvaro-es",
"aura-2-diana-es": "aura-2-diana-es",
"aura-2-aquila-es": "aura-2-aquila-es",
"aura-2-selena-es": "aura-2-selena-es",
"aura-2-estrella-es": "aura-2-estrella-es",
"aura-2-javier-es": "aura-2-javier-es",
"linear16": "linear16",
"flac": "flac",
"mulaw": "mulaw",
"alaw": "alaw",
"mp3": "mp3",
"opus": "opus",
"aac": "aac",
"GET": "获取",
"POST": "帖子",
"PATCH": "PATCH",
"PUT": "弹出",
"DELETE": "删除",
"HEAD": "黑色"
}

View File

@@ -0,0 +1,36 @@
import { createPiece } from '@activepieces/pieces-framework';
import { deepgramAuth } from './common/auth';
import { createSummaryAction } from './actions/create-summary';
import { createTranscriptionCallbackAction } from './actions/create-transcription';
import { listProjectsAction } from './actions/list-projects';
import { textToSpeechAction } from './actions/text-to-speech';
import { PieceCategory } from '@activepieces/shared';
import { createCustomApiCallAction } from '@activepieces/pieces-common';
import { BASE_URL } from './common/constants';
export const deepgramPiece = createPiece({
displayName: 'Deepgram',
logoUrl: 'https://cdn.activepieces.com/pieces/deepgram.png',
description:
'Deepgram is an AI-powered speech recognition platform that provides real-time transcription, text-to-speech, and audio analysis capabilities.',
categories: [PieceCategory.ARTIFICIAL_INTELLIGENCE],
minimumSupportedRelease: '0.30.0',
authors: ['Ani-4x', 'kishanprmr'],
auth: deepgramAuth,
actions: [
createSummaryAction,
createTranscriptionCallbackAction,
listProjectsAction,
textToSpeechAction,
createCustomApiCallAction({
auth: deepgramAuth,
baseUrl: () => BASE_URL,
authMapping: async (auth) => {
return {
Authorization: `Token ${auth.secret_text}`,
};
},
}),
],
triggers: [],
});

View File

@@ -0,0 +1,19 @@
{
"extends": "../../../../tsconfig.base.json",
"compilerOptions": {
"module": "commonjs",
"forceConsistentCasingInFileNames": true,
"strict": true,
"noImplicitOverride": true,
"noPropertyAccessFromIndexSignature": true,
"noImplicitReturns": true,
"noFallthroughCasesInSwitch": true
},
"files": [],
"include": [],
"references": [
{
"path": "./tsconfig.lib.json"
}
]
}

View File

@@ -0,0 +1,11 @@
{
"extends": "./tsconfig.json",
"compilerOptions": {
"module": "commonjs",
"outDir": "../../../../dist/out-tsc",
"declaration": true,
"types": ["node"]
},
"exclude": ["jest.config.ts", "src/**/*.spec.ts", "src/**/*.test.ts"],
"include": ["src/**/*.ts"]
}