deepgram-next15-fix v0.0.0-automated
Deepgram JavaScript SDK
Official JavaScript SDK for Deepgram. Power your apps with world-class speech and Language AI models.
- Migrating from earlier versions
- Installation
- Initialization
- Scoped Configuration
- Transcription (Synchronous)
- Transcription (Asynchronous / Callbacks)
- Transcription (Live / Streaming)
- Transcribing to captions
- Text to Speech
- Text Intelligence
- Projects
- Keys
- Members
- Scopes
- Invitations
- Usage
- Billing
- On-Prem APIs
- Backwards Compatibility
- Development and Contributing
- Getting Help
Migrating from earlier versions
V2 to V3
We have published a migration guide on our docs, showing how to move from v2 to v3.
V3.* to V3.4
We recommend using only documented interfaces, as we strictly follow semantic versioning (semver) and breaking changes may occur for undocumented interfaces. To ensure compatibility, consider pinning your versions if you need to use undocumented interfaces.
Installation
You can install this SDK directly from npm.
npm install @deepgram/sdk
# - or -
# yarn add @deepgram/sdkUMD
You can now use plain <script>s to import deepgram from CDNs, like:
<script src="https://cdn.jsdelivr.net/npm/@deepgram/sdk"></script>or even:
<script src="https://unpkg.com/@deepgram/sdk"></script>Then you can use it from a global deepgram variable:
<script>
  const { createClient } = deepgram;
  const _deepgram = createClient("deepgram-api-key");
  console.log("Deepgram Instance: ", _deepgram);
  // ...
</script>ESM
You can now use type="module" <script>s to import deepgram from CDNs, like:
<script type="module">
  import { createClient } from "https://cdn.jsdelivr.net/npm/@deepgram/sdk/+esm";
  const deepgram = createClient("deepgram-api-key");
  console.log("Deepgram Instance: ", deepgram);
  // ...
</script>Initialization
import { createClient } from "@deepgram/sdk";
// - or -
// const { createClient } = require("@deepgram/sdk");
const deepgram = createClient(DEEPGRAM_API_KEY);Getting an API Key
🔑 To access the Deepgram API you will need a free Deepgram API Key.
Scoped Configuration
The SDK supports scoped configuration. You'll be able to configure various aspects of each namespace of the SDK from the initialization. Below outlines a flexible and customizable configuration system for the Deepgram SDK. Here’s how the namespace configuration works:
1. Global Defaults
- The globalnamespace serves as the foundational configuration applicable across all other namespaces unless overridden.
- Includes general settings like URL and headers applicable for all API calls.
- If no specific configurations are provided for other namespaces, the globaldefaults are used.
2. Namespace-specific Configurations
- Each namespace (listen,manage,onprem,read,speak) can have its specific configurations which override theglobalsettings within their respective scopes.
- Allows for detailed control over different parts of the application interacting with various Deepgram API endpoints.
3. Transport Options
- Configurations for both fetchandwebsocketcan be specified under each namespace, allowing different transport mechanisms for different operations.
- For example, the fetchconfiguration can have its own URL and proxy settings distinct from thewebsocket.
- The generic interfaces define a structure for transport options which include a client (like a fetchorWebSocketinstance) and associated options (like headers, URL, proxy settings).
This configuration system enables robust customization where defaults provide a foundation, but every aspect of the client's interaction with the API can be finely controlled and tailored to specific needs through namespace-specific settings. This enhances the maintainability and scalability of the application by localizing configurations to their relevant contexts.
4. Examples
Change the API url used for all SDK methods
Useful for using different API environments (for e.g. beta).
import { createClient } from "@deepgram/sdk";
// - or -
// const { createClient } = require("@deepgram/sdk");
const deepgram = createClient(DEEPGRAM_API_KEY, {
  global: { fetch: { options: { url: "https://api.beta.deepgram.com" } } },
});Change the API url used for transcription only
Useful for on-prem installations. Only affects requests to /listen endpoints.
import { createClient } from "@deepgram/sdk";
// - or -
// const { createClient } = require("@deepgram/sdk");
const deepgram = createClient(DEEPGRAM_API_KEY, {
  listen: { fetch: { options: { url: "http://localhost:8080" } } },
});Override fetch transmitter
Useful for providing a custom http client.
import { createClient } from "@deepgram/sdk";
// - or -
// const { createClient } = require("@deepgram/sdk");
const yourFetch = async () => {
  return Response("...etc");
};
const deepgram = createClient(DEEPGRAM_API_KEY, {
  global: { fetch: { client: yourFetch } },
});Proxy requests in the browser
This SDK now works in the browser. If you'd like to make REST-based requests (pre-recorded transcription, on-premise, and management requests), then you'll need to use a proxy as we do not support custom CORS origins on our API. To set up your proxy, you configure the SDK like so:
import { createClient } from "@deepgram/sdk";
const deepgram = createClient("proxy", {
  global: { fetch: { options: { proxy: { url: "http://localhost:8080" } } } },
});Important: You must pass
"proxy"as your API key, and use the proxy to set theAuthorizationheader to your Deepgram API key.
Your proxy service should replace the Authorization header with Authorization: token <DEEPGRAM_API_KEY> and return results verbatim to the SDK.
Check out our example Node-based proxy here: Deepgram Node Proxy.
Set custom headers for fetch
Useful for many things.
import { createClient } from "@deepgram/sdk";
const deepgram = createClient("proxy", {
  global: { fetch: { options: { headers: { "x-custom-header": "foo" } } } },
});Transcription (Synchronous)
Remote Files
const { result, error } = await deepgram.listen.prerecorded.transcribeUrl(
  {
    url: "https://dpgr.am/spacewalk.wav",
  },
  {
    model: "nova",
  }
);See our API reference for more info.
Local Files
const { result, error } = await deepgram.listen.prerecorded.transcribeFile(
  fs.createReadStream("./examples/spacewalk.wav"),
  {
    model: "nova",
  }
);or
const { result, error } = await deepgram.listen.prerecorded.transcribeFile(
  fs.readFileSync("./examples/spacewalk.wav"),
  {
    model: "nova",
  }
);See our API reference for more info.
Transcription (Asynchronous / Callbacks)
Remote Files
import { CallbackUrl } from "@deepgram/sdk";
const { result, error } = await deepgram.listen.prerecorded.transcribeUrlCallback(
  {
    url: "https://dpgr.am/spacewalk.wav",
  },
  new CallbackUrl("http://callback/endpoint"),
  {
    model: "nova",
  }
);See our API reference for more info.
Local Files
import { CallbackUrl } from "@deepgram/sdk";
const { result, error } = await deepgram.listen.prerecorded.transcribeFileCallback(
  fs.createReadStream("./examples/spacewalk.wav"),
  new CallbackUrl("http://callback/endpoint"),
  {
    model: "nova",
  }
);or
import { CallbackUrl } from "@deepgram/sdk";
const { result, error } = await deepgram.listen.prerecorded.transcribeFileCallback(
  fs.readFileSync("./examples/spacewalk.wav"),
  new CallbackUrl("http://callback/endpoint"),
  {
    model: "nova",
  }
);See our API reference for more info.
Transcription (Live / Streaming)
Live Audio
const dgConnection = deepgram.listen.live({ model: "nova" });
dgConnection.on(LiveTranscriptionEvents.Open, () => {
  dgConnection.on(LiveTranscriptionEvents.Transcript, (data) => {
    console.log(data);
  });
  source.addListener("got-some-audio", async (event) => {
    dgConnection.send(event.raw_audio_data);
  });
});To see an example, check out our Node.js example or our Browser example.
See our API reference for more info.
Transcribing to captions
import { webvtt /* , srt */ } from "@deepgram/captions";
const { result, error } = await deepgram.listen.prerecorded.transcribeUrl(
  {
    url: "https://dpgr.am/spacewalk.wav",
  },
  {
    model: "nova",
  }
);
const vttOutput = webvtt(result);
// const srtOutput = srt(result);See our standalone captions library for more information.
Text to Speech
Rest
const { result } = await deepgram.speak.request({ text }, { model: "aura-asteria-en" });Websocket
const dgConnection = deepgram.speak.live({ model: "aura-asteria-en" });
dgConnection.on(LiveTTSEvents.Open, () => {
  console.log("Connection opened");
  // Send text data for TTS synthesis
  dgConnection.sendText(text);
  // Send Flush message to the server after sending the text
  dgConnection.flush();
  dgConnection.on(LiveTTSEvents.Close, () => {
    console.log("Connection closed");
  });
});See our API reference for more info.
Text Intelligence
const text = `The history of the phrase 'The quick brown fox jumps over the
lazy dog'. The earliest known appearance of the phrase was in The Boston
Journal. In an article titled "Current Notes" in the February 9, 1885, edition,
the phrase is mentioned as a good practice sentence for writing students: "A
favorite copy set by writing teachers for their pupils is the following,
because it contains every letter of the alphabet: 'A quick brown fox jumps over
the lazy dog.'" Dozens of other newspapers published the phrase over the
next few months, all using the version of the sentence starting with "A" rather
than "The". The earliest known use of the phrase starting with "The" is from
the 1888 book Illustrative Shorthand by Linda Bronson.[3] The modern form
(starting with "The") became more common even though it is slightly longer than
the original (starting with "A").`;
const { result, error } = await deepgram.read.analyzeText(
  { text },
  { language: "en", topics: true, sentiment: true }
);See our API reference for more info.
Projects
Get Projects
Returns all projects accessible by the API key.
const { result, error } = await deepgram.manage.getProjects();See our API reference for more info.
Get Project
Retrieves a specific project based on the provided project_id.
const { result, error } = await deepgram.manage.getProject(projectId);See our API reference for more info.
Update Project
Update a project.
const { result, error } = await deepgram.manage.updateProject(projectId, options);See our API reference for more info.
Delete Project
Delete a project.
const { error } = await deepgram.manage.deleteProject(projectId);See our API reference for more info.
Keys
List Keys
Retrieves all keys associated with the provided project_id.
const { result, error } = await deepgram.manage.getProjectKeys(projectId);See our API reference for more info.
Get Key
Retrieves a specific key associated with the provided project_id.
const { result, error } = await deepgram.manage.getProjectKey(projectId, projectKeyId);See our API reference for more info.
Create Key
Creates an API key with the provided scopes.
const { result, error } = await deepgram.manage.createProjectKey(projectId, options);See our API reference for more info.
Delete Key
Deletes a specific key associated with the provided project_id.
const { error } = await deepgram.manage.deleteProjectKey(projectId, projectKeyId);See our API reference for more info.
Members
Get Members
Retrieves account objects for all of the accounts in the specified project_id.
const { result, error } = await deepgram.manage.getProjectMembers(projectId);See our API reference for more info.
Remove Member
Removes member account for specified member_id.
const { error } = await deepgram.manage.removeProjectMember(projectId, projectMemberId);See our API reference for more info.
Scopes
Get Member Scopes
Retrieves scopes of the specified member in the specified project.
const { result, error } = await deepgram.manage.getProjectMemberScopes(projectId, projectMemberId);See our API reference for more info.
Update Scope
Updates the scope for the specified member in the specified project.
const { result, error } = await deepgram.manage.updateProjectMemberScope(
  projectId,
  projectMemberId,
  options
);See our API reference for more info.
Invitations
List Invites
Retrieves all invitations associated with the provided project_id.
const { result, error } = await deepgram.manage.getProjectInvites(projectId);See our API reference for more info.
Send Invite
Sends an invitation to the provided email address.
const { result, error } = await deepgram.manage.sendProjectInvite(projectId, options);See our API reference for more info.
Delete Invite
Removes the specified invitation from the project.
const { error } = await deepgram.manage.deleteProjectInvite(projectId, email);See our API reference for more info.
Leave Project
Removes the authenticated user from the project.
const { result, error } = await deepgram.manage.leaveProject(projectId);See our API reference for more info.
Usage
Get All Requests
Retrieves all requests associated with the provided project_id based on the provided options.
const { result, error } = await deepgram.manage.getProjectUsageRequest(projectId, requestId);See our API reference for more info.
Get Request
Retrieves a specific request associated with the provided project_id.
const { result, error } = await deepgram.manage.getProjectUsageRequest(projectId, requestId);See our API reference for more info.
Summarize Usage
Retrieves usage associated with the provided project_id based on the provided options.
const { result, error } = await deepgram.manage.getProjectUsageSummary(projectId, options);See our API reference for more info.
Get Fields
Lists the features, models, tags, languages, and processing method used for requests in the specified project.
const { result, error } = await deepgram.manage.getProjectUsageFields(projectId, options);See our API reference for more info.
Billing
Get All Balances
Retrieves the list of balance info for the specified project.
const { result, error } = await deepgram.manage.getProjectBalances(projectId);See our API reference for more info.
Get Balance
Retrieves the balance info for the specified project and balance_id.
const { result, error } = await deepgram.manage.getProjectBalance(projectId, balanceId);See our API reference for more info.
On-Prem APIs
List On-Prem credentials
const { result, error } = await deepgram.onprem.listCredentials(projectId);Get On-Prem credentials
const { result, error } = await deepgram.onprem.getCredentials(projectId, credentialId);Create On-Prem credentials
const { result, error } = await deepgram.onprem.createCredentials(projectId, options);Delete On-Prem credentials
const { result, error } = await deepgram.onprem.deleteCredentials(projectId, credentialId);Backwards Compatibility
Older SDK versions will receive Priority 1 (P1) bug support only. Security issues, both in our code and dependencies, are promptly addressed. Significant bugs without clear workarounds are also given priority attention.
We strictly follow semver, and will not introduce breaking changes to the publicly documented interfaces of the SDK. Use internal and undocumented interfaces without pinning your version, at your own risk.
Development and Contributing
Interested in contributing? We ❤️ pull requests!
To make sure our community is safe for all, be sure to review and agree to our Code of Conduct. Then see the Contribution guidelines for more information.
Debugging and making changes locally
If you want to make local changes to the SDK and run the examples/, you'll need to npm run build first, to ensure that your changes are included in the examples that are running.
Getting Help
We love to hear from you so if you have questions, comments or find a bug in the project, let us know! You can either:
10 months ago