openai.ts 8.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329
  1. import {
  2. ApiPath,
  3. DEFAULT_API_HOST,
  4. DEFAULT_MODELS,
  5. OpenaiPath,
  6. REQUEST_TIMEOUT_MS,
  7. ServiceProvider,
  8. } from "@/app/constant";
  9. import { useAccessStore, useAppConfig, useChatStore } from "@/app/store";
  10. import { ChatOptions, getHeaders, LLMApi, LLMModel, LLMUsage } from "../api";
  11. import Locale from "../../locales";
  12. import {
  13. EventStreamContentType,
  14. fetchEventSource,
  15. } from "@fortaine/fetch-event-source";
  16. import { prettyObject } from "@/app/utils/format";
  17. import { getClientConfig } from "@/app/config/client";
  18. import { makeAzurePath } from "@/app/azure";
  19. export interface OpenAIListModelResponse {
  20. object: string;
  21. data: Array<{
  22. id: string;
  23. object: string;
  24. root: string;
  25. }>;
  26. }
  27. export class ChatGPTApi implements LLMApi {
  28. private disableListModels = true;
  29. path(path: string): string {
  30. const accessStore = useAccessStore.getState();
  31. const isAzure = accessStore.provider === ServiceProvider.Azure;
  32. if (isAzure && !accessStore.isValidAzure()) {
  33. throw Error(
  34. "incomplete azure config, please check it in your settings page",
  35. );
  36. }
  37. let baseUrl = isAzure ? accessStore.azureUrl : accessStore.openaiUrl;
  38. if (baseUrl.length === 0) {
  39. const isApp = !!getClientConfig()?.isApp;
  40. baseUrl = isApp ? DEFAULT_API_HOST : ApiPath.OpenAI;
  41. }
  42. if (baseUrl.endsWith("/")) {
  43. baseUrl = baseUrl.slice(0, baseUrl.length - 1);
  44. }
  45. if (!baseUrl.startsWith("http") && !baseUrl.startsWith(ApiPath.OpenAI)) {
  46. baseUrl = "https://" + baseUrl;
  47. }
  48. if (isAzure) {
  49. path = makeAzurePath(path, accessStore.azureApiVersion);
  50. }
  51. return [baseUrl, path].join("/");
  52. }
  53. extractMessage(res: any) {
  54. return res.choices?.at(0)?.message?.content ?? "";
  55. }
  56. async chat(options: ChatOptions) {
  57. const messages = options.messages.map((v) => ({
  58. role: v.role,
  59. content: v.content,
  60. }));
  61. const modelConfig = {
  62. ...useAppConfig.getState().modelConfig,
  63. ...useChatStore.getState().currentSession().mask.modelConfig,
  64. ...{
  65. model: options.config.model,
  66. },
  67. };
  68. const requestPayload = {
  69. messages,
  70. stream: options.config.stream,
  71. model: modelConfig.model,
  72. temperature: modelConfig.temperature,
  73. presence_penalty: modelConfig.presence_penalty,
  74. frequency_penalty: modelConfig.frequency_penalty,
  75. top_p: modelConfig.top_p,
  76. // max_tokens: Math.max(modelConfig.max_tokens, 1024),
  77. // Please do not ask me why not send max_tokens, no reason, this param is just shit, I dont want to explain anymore.
  78. };
  79. console.log("[Request] openai payload: ", requestPayload);
  80. const shouldStream = !!options.config.stream;
  81. const controller = new AbortController();
  82. options.onController?.(controller);
  83. try {
  84. const chatPath = this.path(OpenaiPath.ChatPath);
  85. const chatPayload = {
  86. method: "POST",
  87. body: JSON.stringify(requestPayload),
  88. signal: controller.signal,
  89. headers: getHeaders(),
  90. };
  91. // make a fetch request
  92. const requestTimeoutId = setTimeout(
  93. () => controller.abort(),
  94. REQUEST_TIMEOUT_MS,
  95. );
  96. if (shouldStream) {
  97. let responseText = "";
  98. let remainText = "";
  99. let finished = false;
  100. // animate response to make it looks smooth
  101. function animateResponseText() {
  102. if (finished || controller.signal.aborted) {
  103. responseText += remainText;
  104. console.log("[Response Animation] finished");
  105. return;
  106. }
  107. if (remainText.length > 0) {
  108. const fetchCount = Math.max(1, Math.round(remainText.length / 60));
  109. const fetchText = remainText.slice(0, fetchCount);
  110. responseText += fetchText;
  111. remainText = remainText.slice(fetchCount);
  112. options.onUpdate?.(responseText, fetchText);
  113. }
  114. requestAnimationFrame(animateResponseText);
  115. }
  116. // start animaion
  117. animateResponseText();
  118. const finish = () => {
  119. if (!finished) {
  120. finished = true;
  121. options.onFinish(responseText + remainText);
  122. }
  123. };
  124. controller.signal.onabort = finish;
  125. fetchEventSource(chatPath, {
  126. ...chatPayload,
  127. async onopen(res) {
  128. clearTimeout(requestTimeoutId);
  129. const contentType = res.headers.get("content-type");
  130. console.log(
  131. "[OpenAI] request response content type: ",
  132. contentType,
  133. );
  134. if (contentType?.startsWith("text/plain")) {
  135. responseText = await res.clone().text();
  136. return finish();
  137. }
  138. if (
  139. !res.ok ||
  140. !res.headers
  141. .get("content-type")
  142. ?.startsWith(EventStreamContentType) ||
  143. res.status !== 200
  144. ) {
  145. const responseTexts = [responseText];
  146. let extraInfo = await res.clone().text();
  147. try {
  148. const resJson = await res.clone().json();
  149. extraInfo = prettyObject(resJson);
  150. } catch {}
  151. if (res.status === 401) {
  152. responseTexts.push(Locale.Error.Unauthorized);
  153. }
  154. if (extraInfo) {
  155. responseTexts.push(extraInfo);
  156. }
  157. responseText = responseTexts.join("\n\n");
  158. return finish();
  159. }
  160. },
  161. onmessage(msg) {
  162. if (msg.data === "[DONE]" || finished) {
  163. return finish();
  164. }
  165. const text = msg.data;
  166. try {
  167. const json = JSON.parse(text) as {
  168. choices: Array<{
  169. delta: {
  170. content: string;
  171. };
  172. }>;
  173. };
  174. const delta = json.choices[0]?.delta?.content;
  175. if (delta) {
  176. remainText += delta;
  177. }
  178. } catch (e) {
  179. console.error("[Request] parse error", text);
  180. }
  181. },
  182. onclose() {
  183. finish();
  184. },
  185. onerror(e) {
  186. options.onError?.(e);
  187. throw e;
  188. },
  189. openWhenHidden: true,
  190. });
  191. } else {
  192. const res = await fetch(chatPath, chatPayload);
  193. clearTimeout(requestTimeoutId);
  194. const resJson = await res.json();
  195. const message = this.extractMessage(resJson);
  196. options.onFinish(message);
  197. }
  198. } catch (e) {
  199. console.log("[Request] failed to make a chat request", e);
  200. options.onError?.(e as Error);
  201. }
  202. }
  203. async usage() {
  204. const formatDate = (d: Date) =>
  205. `${d.getFullYear()}-${(d.getMonth() + 1).toString().padStart(2, "0")}-${d
  206. .getDate()
  207. .toString()
  208. .padStart(2, "0")}`;
  209. const ONE_DAY = 1 * 24 * 60 * 60 * 1000;
  210. const now = new Date();
  211. const startOfMonth = new Date(now.getFullYear(), now.getMonth(), 1);
  212. const startDate = formatDate(startOfMonth);
  213. const endDate = formatDate(new Date(Date.now() + ONE_DAY));
  214. const [used, subs] = await Promise.all([
  215. fetch(
  216. this.path(
  217. `${OpenaiPath.UsagePath}?start_date=${startDate}&end_date=${endDate}`,
  218. ),
  219. {
  220. method: "GET",
  221. headers: getHeaders(),
  222. },
  223. ),
  224. fetch(this.path(OpenaiPath.SubsPath), {
  225. method: "GET",
  226. headers: getHeaders(),
  227. }),
  228. ]);
  229. if (used.status === 401) {
  230. throw new Error(Locale.Error.Unauthorized);
  231. }
  232. if (!used.ok || !subs.ok) {
  233. throw new Error("Failed to query usage from openai");
  234. }
  235. const response = (await used.json()) as {
  236. total_usage?: number;
  237. error?: {
  238. type: string;
  239. message: string;
  240. };
  241. };
  242. const total = (await subs.json()) as {
  243. hard_limit_usd?: number;
  244. };
  245. if (response.error && response.error.type) {
  246. throw Error(response.error.message);
  247. }
  248. if (response.total_usage) {
  249. response.total_usage = Math.round(response.total_usage) / 100;
  250. }
  251. if (total.hard_limit_usd) {
  252. total.hard_limit_usd = Math.round(total.hard_limit_usd * 100) / 100;
  253. }
  254. return {
  255. used: response.total_usage,
  256. total: total.hard_limit_usd,
  257. } as LLMUsage;
  258. }
  259. async models(): Promise<LLMModel[]> {
  260. if (this.disableListModels) {
  261. return DEFAULT_MODELS.slice();
  262. }
  263. const res = await fetch(this.path(OpenaiPath.ListModelPath), {
  264. method: "GET",
  265. headers: {
  266. ...getHeaders(),
  267. },
  268. });
  269. const resJson = (await res.json()) as OpenAIListModelResponse;
  270. const chatModels = resJson.data?.filter((m) => m.id.startsWith("gpt-"));
  271. console.log("[Models]", chatModels);
  272. if (!chatModels) {
  273. return [];
  274. }
  275. return chatModels.map((m) => ({
  276. name: m.id,
  277. available: true,
  278. }));
  279. }
  280. }
  281. export { OpenaiPath };