async function* createChatCompletion(
chatCompletionRequest,
{ apiKey = OPENAI_API_KEY, ...chatCompletionRequestOptions } = {}
) {
chatCompletionRequest = Object.assign(
{
model: models.gpt3,
messages:
typeof chatCompletionRequest == "string"
? [{ role: "user", content: chatCompletionRequest }]
: [],
stream: "aggregate"
},
typeof chatCompletionRequest == "string" ? {} : chatCompletionRequest,
chatCompletionRequestOptions
);
const aggregate = chatCompletionRequest.stream === "aggregate";
chatCompletionRequest.stream = Boolean(chatCompletionRequest.stream);
chatCompletionRequest.messages = chatCompletionRequest.messages
?.filter(({ role }) => role !== "error")
.map(({ done, ...message }) => message);
const response = await fetch("https://api.openai.com/v1/chat/completions", {
method: "POST",
headers: {
authorization: `Bearer ${apiKey}`,
"content-type": "application/json"
},
body: JSON.stringify(chatCompletionRequest)
});
if (!response.ok) {
const content = await response.text();
console.error(content);
return yield {
id: "",
object: "chat.completion.chunk",
model: chatCompletionRequest.model,
created: Date.now(),
choices: [
{
role: "error",
finish_reason: "error",
content: tryParseJson(content)?.error?.message || content
}
]
};
}
const choices = [];
try {
// if the caller does not want to stream, return full reply
if (!chatCompletionRequest.stream) {
const data = await response.json();
console.log(data);
return yield data;
}
// process the data-only server-sent events from the stream
const reader = response.body.getReader();
const decoder = new TextDecoder("utf-8");
while (true) {
const { value, done } = await reader.read();
if (done) return;
for (let line of decoder.decode(value).split("\n\n")) {
if (!line || line === "data: [DONE]") continue;
line = line.slice(6); // trim the prefix "data: "
console.log(line);
const reply = JSON.parse(line);
if (reply.error) throw reply.error;
if (aggregate) {
reply.choices.forEach(({ index, delta, finish_reason }) => {
choices[index] = aggregateObjects(delta, choices[index]);
choices[index].finish_reason = finish_reason;
if (Object.keys(delta).length) choices[index].delta = delta;
else delete choices[index].delta;
});
reply.choices = choices;
}
yield reply;
}
}
} catch (error) {
console.error(error);
choices.forEach((choice) => {
if (!choice.finish_reason) choice.finish_reason = "error";
});
choices.push({
role: "error",
finish_reason: "error",
content: error.message || error
});
return yield {
id: "",
object: "chat.completion.chunk",
model: chatCompletionRequest.model,
created: Date.now(),
choices: choices
};
}
}