-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathstreaming-mode.js
101 lines (86 loc) · 2.55 KB
/
streaming-mode.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
/**
* @file examples/streaming-mode.js
* @description Example showing the new beta streaming functionality.
*/
const { LLMInterface } = require('llm-interface');
const { Readable } = require('stream');
const { simplePrompt, options } = require('../src/utils/defaults.js');
require('dotenv').config({ path: '../.env' });
// Setup your key and interface
const interface = 'groq';
const apiKey = process.env.GROQ_API_KEY;
/**
* Processes a stream and concatenates data.choices[0].content into a string.
* @param {ReadableStream} stream - The stream to process.
* @returns {Promise<string>} The concatenated content.
*/
async function processStream(stream) {
return new Promise((resolve, reject) => {
let content = '';
const readableStream = new Readable().wrap(stream);
readableStream.on('data', (chunk) => {
const lines = chunk.toString().split('\n');
for (const line of lines) {
if (line.trim()) {
const jsonLine = line.replace(/^data: /, ''); // Strip out the 'data: ' prefix
if (jsonLine === '[DONE]') continue;
if (jsonLine) {
try {
const parsed = JSON.parse(jsonLine);
if (
parsed.choices &&
parsed.choices[0] &&
parsed.choices[0].delta &&
parsed.choices[0].delta.content
) {
content += parsed.choices[0].delta.content;
// Show the streamed content
console.log(content);
}
} catch (error) {
// Handle JSON parsing error if needed
continue;
}
}
}
}
});
readableStream.on('end', () => {
resolve(content);
});
readableStream.on('error', (error) => {
reject(new Error(`Stream error: ${error}`));
});
});
}
/**
* Main exampleUsage() function.
*/
async function exampleUsage() {
console.log('Streaming Mode (Groq):');
console.log();
LLMInterface.setApiKey(interface, apiKey);
try {
console.log('Process Stream');
console.log();
const stream = await LLMInterface.sendMessage(interface, simplePrompt, {
stream: true,
...options,
});
/*
or
const stream = await LLMInterface.streamMessage(
interface,
simplePrompt,
options,
);
*/
const result = await processStream(stream.data);
console.log();
console.log('Concatenated Content');
console.log(result);
} catch (error) {
console.error('Error processing stream:', error);
}
}
exampleUsage();