
Security News
Attackers Are Hunting High-Impact Node.js Maintainers in a Coordinated Social Engineering Campaign
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.
@coze/api
Advanced tools
Official Coze Node.js SDK for seamless AI integration into your applications | 扣子官方 Node.js SDK,助您轻松集成 AI 能力到应用中
English | 简体中文
Official Node.js and Browser SDK for Coze(or 扣子) API platform.
npm install @coze/api
# or
pnpm install @coze/api
import { CozeAPI, COZE_COM_BASE_URL, ChatStatus, RoleType } from '@coze/api';
// Initialize client with your Personal Access Token
const client = new CozeAPI({
token: 'your_pat_token', // Get your PAT from https://www.coze.com/open/oauth/pats
// or
// token: async () => {
// // refresh token if expired
// return 'your_oauth_token';
// },
baseURL: COZE_COM_BASE_URL,
});
// Simple chat example
async function quickChat() {
const v = await client.chat.createAndPoll({
bot_id: 'your_bot_id',
additional_messages: [{
role: RoleType.User,
content: 'Hello!',
content_type: 'text',
}],
});
if (v.chat.status === ChatStatus.COMPLETED) {
for (const item of v.messages) {
console.log('[%s]:[%s]:%s', item.role, item.type, item.content);
}
console.log('usage', v.chat.usage);
}
}
| Feature | Description | Example |
|---|---|---|
| Chat | Text conversations | chat.ts |
| Chat | Chat With Local Plugin | chat-local-plugin.ts |
| Chat | Chat With File(Image) | chat-with-file.ts |
| Bot Management | Create and manage bots | bot.ts |
| Datasets | Document management | datasets.ts |
| Workflow | Run workflow | workflow.ts |
| Variables | Variable management | variables.ts |
| Voice | Speech synthesis | voice.ts |
| Templates | Template management | templates.ts |
| Users | Get user info | users-me.ts |
| Voiceprint | Voiceprint management | voiceprint.ts |
| Chat(websocket) | Text and voice chat | chat.ts |
| Speech(websocket) | Text to speech | speech.ts |
| Transcriptions(websocket) | Speech to text | transcriptions.ts |
| View all examples → | ||
| Websocket Events → |
const client = new CozeAPI({
token: 'your_pat_token',
baseURL: COZE_COM_BASE_URL, // Use COZE_CN_BASE_URL for China region
});
View authentication examples →
import { CozeAPI, ChatEventType, RoleType } from '@coze/api';
async function streamChat() {
const stream = await client.chat.stream({
bot_id: 'your_bot_id',
additional_messages: [{
role: RoleType.User,
content: 'Hello!',
content_type: 'text',
}],
});
for await (const part of stream) {
if (part.event === ChatEventType.CONVERSATION_MESSAGE_DELTA) {
process.stdout.write(part.data.content); // Real-time response
}
}
}
import { CozeAPI, RoleType, WebsocketsEventType } from '@coze/api';
async function wsChat() {
const ws = await client.websockets.chat.create('your_bot_id');
ws.onopen = () => {
ws.send({
id: 'event_id',
event_type: WebsocketsEventType.CHAT_UPDATE,
data: {
chat_config: {
auto_save_history: true,
user_id: 'uuid',
meta_data: {},
custom_variables: {},
extra_params: {},
},
},
});
ws.send({
id: 'event_id',
event_type: WebsocketsEventType.CONVERSATION_MESSAGE_CREATE,
data: {
role: RoleType.User,
content: 'tell me a joke',
content_type: 'text',
},
});
};
ws.onmessage = (data, event) => {
if (data.event_type === WebsocketsEventType.ERROR) {
if (data.data.code === 4100) {
console.error('Unauthorized Error', data);
} else if (data.data.code === 4101) {
console.error('Forbidden Error', data);
} else {
console.error('WebSocket error', data);
}
ws.close();
return;
}
if (data.event_type === WebsocketsEventType.CONVERSATION_MESSAGE_DELTA) {
console.log('on message delta', data.data);
} else if (
data.event_type === WebsocketsEventType.CONVERSATION_CHAT_COMPLETED
) {
console.log('on chat completed', data.data);
}
};
ws.onerror = error => {
console.error('WebSocket error', error);
ws.close();
};
}
if you want to use the realtime chat sdk in web, you can use the following code: Online Demo: URL_ADDRESS.coze.cn/open-platform/realtime/websocket
import { WsChatClient, WsChatEventNames, type WsChatEventData } from '@coze/api/ws-tools';
import { WebsocketsEventType, RoleType } from '@coze/api';
try {
// Initialize
const client = new WsChatClient({
botId: 'your_bot_id',
token: 'your_auth_token',
voiceId: 'your_voice_id', // optional
allowPersonalAccessTokenInBrowser: true, // optional default is false
debug: false, // optional default is false
});
await client.connect();
} catch (error) {
console.error('error', error);
}
// listen for all events
client.on(WsChatEventNames.ALL, (eventName: string, event: WsChatEventData) => {
console.log(event);
});
// send user message
client.sendMessage({
id: 'event_id',
event_type: WebsocketsEventType.CONVERSATION_MESSAGE_CREATE,
data: {
role: RoleType.User,
content: 'Hello World',
content_type: 'text',
},
});
// interrupt chat
client.interrupt();
// disconnect
await client.disconnect();
// set audio enable
await client.setAudioEnable(false);
// set audio input device
await client.setAudioInputDevice('your_device_id');
// set playback volume
client.setPlaybackVolume(0.5);
// get playback volume
const volume = client.getPlaybackVolume();
const client = new CozeAPI({
token: '', // use proxy token in server
baseURL: 'http://localhost:8080/api',
});
Online Demo: Online Demo: URL_ADDRESS.coze.cn/open-platform/realtime/websocket#speech
import { WsSpeechClient } from '@coze/api/ws-tools';
import { WebsocketsEventType } from '@coze/api';
// Initialize
const client = new WsSpeechClient({
token: 'your_pat_token',
baseWsURL: COZE_CN_BASE_WS_URL,
allowPersonalAccessTokenInBrowser: true, // optional
});
// Listen for all downstream events (including error)
client.on('data', data => {
console.log('[speech] ws data', data);
});
// Or, listen for a single event
client.on(WebsocketsEventType.ERROR, data => {
console.error('[speech] ws error', data);
});
// Listen for playback completed event, if manually called disconnect, this event will not be triggered
client.on('completed', () => {
console.log('[speech] playback completed');
});
// Connect
try {
await client.connect({voiceId: 'your_voice_id'});
console.log('[speech] ws connect success');
} catch (error) {
console.error('[speech] ws connect error', error);
return;
}
// Send message and play
client.appendAndComplete('Hello, Coze!');
// Interrupt
await client.interrupt();
// Pause speech playback
client.pause();
// Resume speech playback
client.resume();
// Toggle speech playback
client.togglePlay();
// Check if speech is playing
client.isPlaying();
// Disconnect, destroy instance
client.disconnect();
// Send text fragment
client.append('Hello,');
client.append(' Coze!');
// End sending text
client.complete();
Online Demo: https://www.coze.cn/open-platform/realtime/websocket#transcription
import { WsTranscriptionClient } from '@coze/api/ws-tools';
import { WebsocketsEventType } from '@coze/api';
// Initialize
const client = new WsTranscriptionClient({
token: 'your_pat_token',
allowPersonalAccessTokenInBrowser: true, // optional
});
// Listen for all downstream events (including error)
client.on(WebsocketsEventType.ALL, data => {
console.log('[transcription] ws data', data);
});
// Or, listen for a single event
client.on(WebsocketsEventType.ERROR, data => {
console.error('[transcription] ws error', data);
});
// Listen for transcription update result
client.on(WebsocketsEventType.TRANSCRIPTIONS_MESSAGE_UPDATE, (event) => {
console.log('[transcription] result', event.data.content);
});
// Connect
try {
await client.start();
} catch (error) {
console.error('[transcription] error', error);
}
// Stop transcription
client.stop();
// Pause transcription
client.pause();
// Resume transcription
client.resume();
// destroy instance
client.destroy();
# Install dependencies
rush update # If `rush` command is not installed, see ../../README.md
# Run tests
npm run test
cd examples/coze-js-node
npm run run-preinstall
npm install
npx tsx ./src/chat.ts
# For China region (api.coze.cn)
COZE_ENV=zh npx tsx ./src/chat.ts # macOS/Linux
set "COZE_ENV=zh" && npx tsx ./src/chat.ts # Windows CMD
$env:COZE_ENV="zh"; npx tsx ./src/chat.ts # Windows PowerShell
cd examples/coze-js-web
rush build
npm start
For detailed API documentation and guides, visit:
FAQs
Official Coze Node.js SDK for seamless AI integration into your applications | 扣子官方 Node.js SDK,助您轻松集成 AI 能力到应用中
The npm package @coze/api receives a total of 2,085 weekly downloads. As such, @coze/api popularity was classified as popular.
We found that @coze/api demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 2 open source maintainers collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.

Security News
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.

Security News
Node.js has paused its bug bounty program after funding ended, removing payouts for vulnerability reports but keeping its security process unchanged.