import { StreamVideoClient, User } from "@stream-io/video-client";
const user: User = { id: "sara" };
const apiKey = "my-stream-api-key";
const token = "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9...";
const client = new StreamVideoClient({ apiKey, token, user });Client & Authentication
Client & Auth
Before joining a call, it is necessary to set up the video client. Here’s a basic example:
- The API Key can be found in your dashboard.
- The user can be either authenticated, anonymous or guest.
- Note: You can store custom data on the user object, if required.
Typically, you’ll want to initialize the client when your application loads and store it in your application state to make it available to the rest of your application.
Generating a token
Tokens need to be generated server side. You can use our server side SDKs to quickly add support for this. Typically, you integrate this into the part of your codebase where you login or register users. The tokens provide a way to authenticate a user or give access to a specific set of calls.
Here are credentials to try out the app with:
| Property | Value | 
|---|---|
| API Key | mmhfdzb5evj2 | 
| Token | eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJpc3MiOiJodHRwczovL3Byb250by5nZXRzdHJlYW0uaW8iLCJzdWIiOiJ1c2VyL1JpY2hfUHV6emxlIiwidXNlcl9pZCI6IlJpY2hfUHV6emxlIiwidmFsaWRpdHlfaW5fc2Vjb25kcyI6NjA0ODAwLCJpYXQiOjE3NjEzMTM3OTEsImV4cCI6MTc2MTkxODU5MX0.a9SJoUvJkUQdoQvXRPjCWGiO9OTkEmarXNEY2IG_92c | 
| User ID | Rich_Puzzle | 
| Call ID | sI5SxXPkp3GvQaVdeGrKb | 
For development purposes, you can use our Token Generator.
Different types of users
- Authenticated users are users that have an account on your app.
- Guest users are temporary user accounts. You can use it to temporarily give someone a name and image when joining a call.
- Anonymous users are users that are not authenticated. It’s common to use this for watching a livestream or similar where you aren’t authenticated.
Guest users
This example shows the client setup for a guest user:
import { StreamVideoClient, User } from "@stream-io/video-client";
const user: User = { id: "jack-guest", type: "guest" };
const apiKey = "my-stream-api-key";
const client = StreamVideoClient.getOrCreateInstance({ apiKey, user });Anonymous users
And here’s an example for an anonymous user
import { StreamVideoClient, User } from "@stream-io/video-client";
const user: User = { type: "anonymous" };
const apiKey = "my-stream-api-key";
const client = StreamVideoClient.getOrCreateInstance({ apiKey, user });Anonymous users don’t establish an active web socket connection, therefore they won’t receive any events. They are just able to watch a livestream or join a call.
The token for an anonymous user should contain the call_cids field, which is an array of the call cid’s that the user is allowed to join.
Here’s an example JWT token payload for an anonymous user:
{
  "iss": "@stream-io/dashboard",
  "iat": 1726406693,
  "exp": 1726493093,
  "user_id": "!anon",
  "role": "viewer",
  "call_cids": ["livestream:123"]
}Connecting a user and error handling
Users can be connected in two ways:
- Automatically when the client is created:
const client = new StreamVideoClient({
  apiKey,
  user,
  token,
  options: {
    maxConnectUserRetries: 3,
    onConnectUserError: (err: Error, allErrors: Error[]) => {
      console.error("Failed to connect user", err, allErrors);
      // handle the connect error, i.e. ask the user to retry
      // later when they have better connection or show an error message
    },
  },
});- Manually by calling the client.connectUser()method:
const client = new StreamVideoClient({ apiKey });
try {
  await client.connectUser(user, token);
} catch (err) {
  console.error("Failed to connect user", err);
  // handle the connect error
}Disconnecting a user
To discard a client instance, or to disconnect a user, call the client.disconnectUser() method:
await client.disconnectUser();Client options
token or tokenProvider
To authenticate users you can either provide a string token or a tokenProvider function that returns Promise<string>.
If you use the tokenProvider the SDK will automatically call the provider whenever the token is expired.
import { StreamVideoClient, User } from "@stream-io/video-client";
const tokenProvider = async () => {
  const response = await fetch("/api/token");
  const data = await response.json();
  return data.token;
};
const user: User = {
  id: "sara",
};
const apiKey = "my-stream-api-key";
const client = new StreamVideoClient({ apiKey, tokenProvider, user });Logging
You can configure the log level and the logger method used by the SDK.
The default log level is warn, other options are: debug, info, and error.
The default logger method will log to the browser console.
import { StreamVideoClient, Logger } from "@stream-io/video-client";
const myLogger: Logger;
const client = new StreamVideoClient({
  apiKey,
  token,
  user,
  options: {
    logLevel: "info",
    logger: myLogger,
  },
});Sentry
Here is an example showing a basic Sentry integration:
import { LogLevel, Logger, logToConsole } from "@stream-io/video-client";
import * as Sentry from "@sentry/nextjs";
const logLevelMapping = new Map<LogLevel, Sentry.SeverityLevel>();
logLevelMapping.set("debug", "debug");
logLevelMapping.set("info", "info");
logLevelMapping.set("warn", "warning");
logLevelMapping.set("error", "error");
export const customSentryLogger: Logger = (
  logLevel: LogLevel,
  message: string,
  extraData?: any,
  tags?: string[],
) => {
  if (logLevel === "warn" || logLevel === "error") {
    Sentry.captureEvent({
      level: logLevelMapping.get(logLevel),
      extra: extraData,
    });
  }
  // Call the SDK's default log method
  logToConsole(logLevel, message, extraData, tags);
};