-
Notifications
You must be signed in to change notification settings - Fork 2.2k
/
llms.ts
190 lines (168 loc) Β· 5.36 KB
/
llms.ts
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
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
import { LLM, type BaseLLMParams } from "@langchain/core/language_models/llms";
import { getEnvironmentVariable } from "@langchain/core/utils/env";
import { CallbackManagerForLLMRun } from "@langchain/core/callbacks/manager";
import { GenerationChunk } from "@langchain/core/outputs";
import { convertEventStreamToIterableReadableDataStream } from "./utils/event_source_parse.js";
/**
* Interface for CloudflareWorkersAI input parameters.
*/
export interface CloudflareWorkersAIInput {
cloudflareAccountId?: string;
cloudflareApiToken?: string;
model?: string;
baseUrl?: string;
streaming?: boolean;
}
/**
* Class representing the CloudflareWorkersAI language model. It extends the LLM (Large
* Language Model) class, providing a standard interface for interacting
* with the CloudflareWorkersAI language model.
*/
export class CloudflareWorkersAI
extends LLM
implements CloudflareWorkersAIInput
{
model = "@cf/meta/llama-2-7b-chat-int8";
cloudflareAccountId?: string;
cloudflareApiToken?: string;
baseUrl: string;
streaming = false;
static lc_name() {
return "CloudflareWorkersAI";
}
lc_serializable = true;
constructor(fields?: CloudflareWorkersAIInput & BaseLLMParams) {
super(fields ?? {});
this.model = fields?.model ?? this.model;
this.streaming = fields?.streaming ?? this.streaming;
this.cloudflareAccountId =
fields?.cloudflareAccountId ??
getEnvironmentVariable("CLOUDFLARE_ACCOUNT_ID");
this.cloudflareApiToken =
fields?.cloudflareApiToken ??
getEnvironmentVariable("CLOUDFLARE_API_TOKEN");
this.baseUrl =
fields?.baseUrl ??
`https://api.cloudflare.com/client/v4/accounts/${this.cloudflareAccountId}/ai/run`;
if (this.baseUrl.endsWith("/")) {
this.baseUrl = this.baseUrl.slice(0, -1);
}
}
/**
* Method to validate the environment.
*/
validateEnvironment() {
if (this.baseUrl === undefined) {
if (!this.cloudflareAccountId) {
throw new Error(
`No Cloudflare account ID found. Please provide it when instantiating the CloudflareWorkersAI class, or set it as "CLOUDFLARE_ACCOUNT_ID" in your environment variables.`
);
}
if (!this.cloudflareApiToken) {
throw new Error(
`No Cloudflare API key found. Please provide it when instantiating the CloudflareWorkersAI class, or set it as "CLOUDFLARE_API_KEY" in your environment variables.`
);
}
}
}
/** Get the identifying parameters for this LLM. */
get identifyingParams() {
return { model: this.model };
}
/**
* Get the parameters used to invoke the model
*/
invocationParams() {
return {
model: this.model,
};
}
/** Get the type of LLM. */
_llmType() {
return "cloudflare";
}
async _request(
prompt: string,
options: this["ParsedCallOptions"],
stream?: boolean
) {
this.validateEnvironment();
const url = `${this.baseUrl}/${this.model}`;
const headers = {
Authorization: `Bearer ${this.cloudflareApiToken}`,
"Content-Type": "application/json",
};
const data = { prompt, stream };
return this.caller.call(async () => {
const response = await fetch(url, {
method: "POST",
headers,
body: JSON.stringify(data),
signal: options.signal,
});
if (!response.ok) {
const error = new Error(
`Cloudflare LLM call failed with status code ${response.status}`
);
// eslint-disable-next-line @typescript-eslint/no-explicit-any
(error as any).response = response;
throw error;
}
return response;
});
}
async *_streamResponseChunks(
prompt: string,
options: this["ParsedCallOptions"],
runManager?: CallbackManagerForLLMRun
): AsyncGenerator<GenerationChunk> {
const response = await this._request(prompt, options, true);
if (!response.body) {
throw new Error("Empty response from Cloudflare. Please try again.");
}
const stream = convertEventStreamToIterableReadableDataStream(
response.body
);
for await (const chunk of stream) {
if (chunk !== "[DONE]") {
const parsedChunk = JSON.parse(chunk);
const generationChunk = new GenerationChunk({
text: parsedChunk.response,
});
yield generationChunk;
// eslint-disable-next-line no-void
void runManager?.handleLLMNewToken(generationChunk.text ?? "");
}
}
}
/** Call out to CloudflareWorkersAI's complete endpoint.
Args:
prompt: The prompt to pass into the model.
Returns:
The string generated by the model.
Example:
let response = CloudflareWorkersAI.call("Tell me a joke.");
*/
async _call(
prompt: string,
options: this["ParsedCallOptions"],
runManager?: CallbackManagerForLLMRun
): Promise<string> {
if (!this.streaming) {
const response = await this._request(prompt, options);
const responseData = await response.json();
return responseData.result.response;
} else {
const stream = this._streamResponseChunks(prompt, options, runManager);
let finalResult: GenerationChunk | undefined;
for await (const chunk of stream) {
if (finalResult === undefined) {
finalResult = chunk;
} else {
finalResult = finalResult.concat(chunk);
}
}
return finalResult?.text ?? "";
}
}
}