Merge pull request #3743 from vloum/feat/add-lobeapi

lobe 添加ChatChat-api 和 models
This commit is contained in:
panhong 2024-04-14 18:53:17 +08:00 committed by GitHub
commit 7061cb6297
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
25 changed files with 467 additions and 13 deletions

View File

@ -1,5 +1,5 @@
# add a access code to lock your lobe-chat application, you can set a long password to avoid leaking. If this value contains a comma, it is a password array.
#ACCESS_CODE=lobe66
# ACCESS_CODE=lobe66
# add your custom model name, multi model separate by comma. for example gpt-3.5-1106,gpt-4-1106
# CUSTOM_MODELS=model1,model2,model3
@ -14,7 +14,7 @@
########################################
# you openai api key
OPENAI_API_KEY=sk-xxxxxxxxx
OPENAI_API_KEY = sk-xxxxxxxxx
# use a proxy to connect to the OpenAI API
# OPENAI_PROXY_URL=https://api.openai.com/v1
@ -40,27 +40,27 @@ OPENAI_API_KEY=sk-xxxxxxxxx
############ ZhiPu AI Service ##########
########################################
#ZHIPU_API_KEY=xxxxxxxxxxxxxxxxxxx.xxxxxxxxxxxxx
# ZHIPU_API_KEY=xxxxxxxxxxxxxxxxxxx.xxxxxxxxxxxxx
########################################
########## Moonshot AI Service #########
########################################
#MOONSHOT_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
# MOONSHOT_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
########################################
########### Google AI Service ##########
########################################
#GOOGLE_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
# GOOGLE_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
########################################
######### AWS Bedrock Service ##########
########################################
#AWS_REGION=us-east-1
#AWS_ACCESS_KEY_ID=xxxxxxxxxxxxxxxxxxx
#AWS_SECRET_ACCESS_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
# AWS_REGION=us-east-1
# AWS_ACCESS_KEY_ID=xxxxxxxxxxxxxxxxxxx
# AWS_SECRET_ACCESS_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
########################################
######### Ollama AI Service ##########
@ -73,19 +73,19 @@ OPENAI_API_KEY=sk-xxxxxxxxx
########### Mistral AI Service ##########
########################################
#MISTRAL_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
# MISTRAL_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
########################################
######### Perplexity Service ##########
########################################
#PERPLEXITY_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
# PERPLEXITY_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
########################################
######### Anthropic Service ##########
########################################
#ANTHROPIC_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
# ANTHROPIC_API_KEY=xxxxxxxxxxxxxxxxxxxxxxxxxxxxx
########################################
############ Market Service ############
@ -98,6 +98,9 @@ OPENAI_API_KEY=sk-xxxxxxxxx
############ Plugin Service ############
########################################
# you can use ChatChat.The local/remote ChatChat service url
CHATCHAT_PROXY_URL = 'http://localhost:7861/v1'
# The LobeChat plugins store index url
# PLUGINS_INDEX_URL=https://chat-plugins.lobehub.com

View File

@ -20,6 +20,7 @@ import {
LobePerplexityAI,
LobeRuntimeAI,
LobeZhipuAI,
LobeChatChatAI,
ModelProvider,
} from '@/libs/agent-runtime';
import { TraceClient } from '@/libs/traces';
@ -167,6 +168,11 @@ class AgentRuntime {
runtimeModel = this.initMistral(payload);
break;
}
case ModelProvider.ChatChat: {
runtimeModel = this.initChatChat(payload);
break;
}
}
return new AgentRuntime(runtimeModel);
@ -268,6 +274,13 @@ class AgentRuntime {
return new LobeMistralAI({ apiKey });
}
private static initChatChat(payload: JWTPayload) {
const { CHATCHAT_PROXY_URL } = getServerConfig();
const baseURL = payload?.endpoint || CHATCHAT_PROXY_URL;
return new LobeChatChatAI({ baseURL });
}
}
export default AgentRuntime;

View File

@ -3,6 +3,7 @@ import { useHover } from 'ahooks';
import { createStyles, useResponsive } from 'antd-style';
import { memo, useMemo, useRef } from 'react';
import Avatar from '@/components/Avatar';
const { Item } = List;
const useStyles = createStyles(({ css, token, responsive }) => {

View File

@ -1,6 +1,7 @@
import { MobileNavBar } from '@lobehub/ui';
import { memo } from 'react';
import Logo from '@/components/Logo';
const Header = memo(() => {
return <MobileNavBar center={<Logo type={'text'} />} />;
});

View File

@ -0,0 +1,65 @@
import { Input, Flex } from 'antd';
import { useTheme } from 'antd-style';
import { memo } from 'react';
import { useTranslation } from 'react-i18next';
import Avatar from 'next/image';
import { imageUrl } from '@/const/url';
import { ModelProvider } from '@/libs/agent-runtime';
import Checker from '../components/Checker';
import ProviderConfig from '../components/ProviderConfig';
import { LLMProviderBaseUrlKey, LLMProviderConfigKey } from '../const';
const providerKey = 'chatchat';
const ChatChatProvider = memo(() => {
const { t } = useTranslation('setting');
const theme = useTheme();
return (
<ProviderConfig
configItems={[
{
children: <Input allowClear placeholder={t('llm.ChatChat.endpoint.placeholder')} />,
desc: t('llm.ChatChat.endpoint.desc'),
label: t('llm.ChatChat.endpoint.title'),
name: [LLMProviderConfigKey, providerKey, LLMProviderBaseUrlKey],
},
{
children: (
<Input.TextArea
allowClear
placeholder={t('llm.ChatChat.customModelName.placeholder')}
style={{ height: 100 }}
/>
),
desc: t('llm.ChatChat.customModelName.desc'),
label: t('llm.ChatChat.customModelName.title'),
name: [LLMProviderConfigKey, providerKey, 'customModelName'],
},
{
children: <Checker model={'gml-4'} provider={ModelProvider.ChatChat} />,
desc: t('llm.ChatChat.checker.desc'),
label: t('llm.checker.title'),
minWidth: undefined,
},
]}
provider={providerKey}
title={
<Flex>
<Avatar
alt={'Chatchat'}
height={24}
src={imageUrl('logo.png')}
width={24}
/>
{ 'ChatChat' }
</Flex>
}
/>
);
});
export default ChatChatProvider;

View File

@ -17,6 +17,7 @@ import Ollama from './Ollama';
import OpenAI from './OpenAI';
import Perplexity from './Perplexity';
import Zhipu from './Zhipu';
import ChatChat from './ChatChat'
export default memo<{ showOllama: boolean }>(({ showOllama }) => {
const { t } = useTranslation('setting');
@ -34,6 +35,7 @@ export default memo<{ showOllama: boolean }>(({ showOllama }) => {
<Anthropic />
<Mistral />
{showOllama && <Ollama />}
<ChatChat/>
<Footer>
<Trans i18nKey="llm.waitingForMore" ns={'setting'}>

View File

@ -1,6 +1,7 @@
import { MobileNavBar } from '@lobehub/ui';
import { memo } from 'react';
import Logo from '@/components/Logo';
const Header = memo(() => <MobileNavBar center={<Logo type={'text'} />} />);
export default Header;

View File

@ -3,6 +3,7 @@ import { Loader2 } from 'lucide-react';
import { memo } from 'react';
import { Center, Flexbox } from 'react-layout-kit';
import Logo from '@/components/Logo';
const FullscreenLoading = memo<{ title?: string }>(({ title }) => {
return (
<Flexbox height={'100%'} style={{ userSelect: 'none' }} width={'100%'}>

View File

@ -12,6 +12,8 @@ import {
OpenAI,
Perplexity,
Tongyi,
Spark,
Wenxin,
} from '@lobehub/icons';
import { memo } from 'react';
@ -25,7 +27,7 @@ const ModelIcon = memo<ModelProviderIconProps>(({ model, size = 12 }) => {
if (model.startsWith('gpt-3')) return <OpenAI.Avatar size={size} type={'gpt3'} />;
if (model.startsWith('gpt-4')) return <OpenAI.Avatar size={size} type={'gpt4'} />;
if (model.startsWith('glm')) return <ChatGLM.Avatar size={size} />;
if (model.includes('glm')) return <ChatGLM.Avatar size={size} />;
if (model.includes('claude')) return <Claude.Avatar size={size} />;
if (model.includes('titan')) return <Aws.Avatar size={size} />;
if (model.includes('llama')) return <Meta.Avatar size={size} />;
@ -38,6 +40,8 @@ const ModelIcon = memo<ModelProviderIconProps>(({ model, size = 12 }) => {
return <Baichuan.Avatar background={Baichuan.colorPrimary} size={size} />;
if (model.includes('mistral') || model.includes('mixtral')) return <Mistral.Avatar size={size} />;
if (model.includes('pplx')) return <Perplexity.Avatar size={size} />;
if (model.includes('Spark')) return <Spark.Avatar size={size} />;
if (model.includes('ERNIE')) return <Wenxin.Avatar size={size} />;
});
export default ModelIcon;

View File

@ -12,9 +12,12 @@ import {
} from '@lobehub/icons';
import { memo } from 'react';
import { Center } from 'react-layout-kit';
import Avatar from 'next/image';
import { ModelProvider } from '@/libs/agent-runtime';
import { imageUrl } from '@/const/url';
interface ModelProviderIconProps {
provider?: string;
}
@ -69,6 +72,15 @@ const ModelProviderIcon = memo<ModelProviderIconProps>(({ provider }) => {
return <Anthropic size={20} />;
}
case ModelProvider.ChatChat: {
return <Avatar
alt={'Chatchat'}
height={24}
src={imageUrl('logo.png')}
width={24}
/>
}
default: {
return null;
}

View File

@ -0,0 +1,83 @@
import { ModelProviderCard } from '@/types/llm';
const ChatChat: ModelProviderCard = {
id: 'chatchat',
chatModels: [
{
id: 'chatglm3-6b',
tokens: 4000,
displayName: 'chatglm3-6b',
functionCall: true,
},
{
id: 'chatglm_turbo',
tokens: 4000,
displayName: 'chatglm_turbo',
},
{
id: 'chatglm_std',
tokens: 4000,
displayName: 'chatglm_std',
},
{
id: 'chatglm_lite',
tokens: 4000,
displayName: 'chatglm_lite',
},
{
id: 'qwen-turbo',
tokens: 4000,
displayName: 'qwen-turbo',
functionCall: true,
},
{
id: 'qwen-plus',
tokens: 4000,
displayName: 'qwen-plus',
},
{
id: 'qwen-max',
tokens: 4000,
displayName: 'qwen-max',
},
{
id: 'qwen:7b',
tokens: 4000,
displayName: 'qwen:7b',
functionCall: true,
},
{
id: 'qwen:14b',
tokens: 4000,
displayName: 'qwen:14b',
functionCall: true,
},
{
id: 'qwen-max-longcontext',
tokens: 4000,
displayName: 'qwen-max-longcontext',
},
{
id: 'ERNIE-Bot',
tokens: 4000,
displayName: 'ERNIE-Bot',
},
{
id: 'ERNIE-Bot-turbo',
tokens: 4000,
displayName: 'ERNIE-Bot-turbo',
},
{
id: 'ERNIE-Bot-4',
tokens: 4000,
displayName: 'ERNIE-Bot-4',
},
{
id: 'SparkDesk',
tokens: 4000,
displayName: 'SparkDesk',
}
]
}
export default ChatChat;

View File

@ -9,6 +9,7 @@ import OllamaProvider from './ollama';
import OpenAIProvider from './openai';
import PerplexityProvider from './perplexity';
import ZhiPuProvider from './zhipu';
import ChatChatProvider from './chatchat'
export const LOBE_DEFAULT_MODEL_LIST: ChatModelCard[] = [
OpenAIProvider.chatModels,
@ -20,6 +21,7 @@ export const LOBE_DEFAULT_MODEL_LIST: ChatModelCard[] = [
OllamaProvider.chatModels,
PerplexityProvider.chatModels,
AnthropicProvider.chatModels,
ChatChatProvider.chatModels,
].flat();
export { default as AnthropicProvider } from './anthropic';
@ -31,3 +33,4 @@ export { default as OllamaProvider } from './ollama';
export { default as OpenAIProvider } from './openai';
export { default as PerplexityProvider } from './perplexity';
export { default as ZhiPuProvider } from './zhipu';
export { default as ChatChatProvider } from './chatchat'

View File

@ -46,6 +46,9 @@ declare global {
// Ollama Provider;
OLLAMA_PROXY_URL?: string;
// ChatChat
CHATCHAT_PROXY_URL?: string;
}
}
}
@ -114,5 +117,7 @@ export const getProviderConfig = () => {
ENABLE_OLLAMA: !!process.env.OLLAMA_PROXY_URL,
OLLAMA_PROXY_URL: process.env.OLLAMA_PROXY_URL || '',
CHATCHAT_PROXY_URL: process.env.CHATCHAT_PROXY_URL || '',
};
};

View File

@ -91,6 +91,10 @@ export const DEFAULT_LLM_CONFIG: GlobalLLMConfig = {
apiKey: '',
enabled: false,
},
chatchat: {
enabled: false,
endpoint: ''
},
};
export const DEFAULT_AGENT: GlobalDefaultAgent = {

View File

@ -3,6 +3,7 @@ import { createStyles } from 'antd-style';
import { ReactNode, memo } from 'react';
import { Center, Flexbox } from 'react-layout-kit';
import Avatar from '@/components/Avatar';
export const useStyles = createStyles(({ css, token }) => ({
container: css`
color: ${token.colorText};

View File

@ -0,0 +1,102 @@
// @vitest-environment node
import OpenAI from 'openai';
import { Mock, afterEach, beforeEach, describe, expect, it, vi } from 'vitest';
import { ChatStreamCallbacks } from '@/libs/agent-runtime';
import * as debugStreamModule from '../utils/debugStream';
import { LobeChatChatAI } from './index';
const provider = 'knowledge';
const defaultBaseURL = 'http://localhost:7861/v1';
const bizErrorType = 'knowledgeBizError';
const invalidErrorType = 'InvalidKnowledgeArgs';
// Mock the console.error to avoid polluting test output
vi.spyOn(console, 'error').mockImplementation(() => {});
let instance: LobeChatChatAI;
beforeEach(() => {
instance = new LobeChatChatAI({ apiKey: 'knowledge', baseURL: defaultBaseURL });
// 使用 vi.spyOn 来模拟 chat.completions.create 方法
vi.spyOn(instance['client'].chat.completions, 'create').mockResolvedValue(
new ReadableStream() as any,
);
});
afterEach(() => {
vi.clearAllMocks();
});
describe('LobeChatChatAI', () => {
describe('init', ()=>{
it('should init with default baseURL', () => {
expect(instance.baseURL).toBe(defaultBaseURL);
});
})
describe('chat', () => {
it('should return a StreamingTextResponse on successful API call', async () => {
// Arrange
const mockStream = new ReadableStream();
const mockResponse = Promise.resolve(mockStream);
(instance['client'].chat.completions.create as Mock).mockResolvedValue(mockResponse);
// Act
const result = await instance.chat({
messages: [{ content: 'Hello', role: 'user' }],
model: 'gpt-3.5-turbo',
temperature: 0,
});
// Assert
expect(result).toBeInstanceOf(Response);
});
it('should return a StreamingTextResponse on successful API call', async () => {
// Arrange
const mockResponse = Promise.resolve({
"id": "chatcmpl-98QIb3NiYLYlRTB6t0VrJ0wntNW6K",
"object": "chat.completion",
"created": 1711794745,
"model": "gpt-3.5-turbo-0125",
"choices": [
{
"index": 0,
"message": {
"role": "assistant",
"content": "你好!有什么可以帮助你的吗?"
},
"logprobs": null,
"finish_reason": "stop"
}
],
"usage": {
"prompt_tokens": 9,
"completion_tokens": 17,
"total_tokens": 26
},
"system_fingerprint": "fp_b28b39ffa8"
});
(instance['client'].chat.completions.create as Mock).mockResolvedValue(mockResponse);
// Act
const result = await instance.chat({
messages: [{ content: 'Hello', role: 'user' }],
model: 'gpt-3.5-turbo',
stream: false,
temperature: 0,
});
// Assert
expect(result).toBeInstanceOf(Response);
});
})
});

View File

@ -0,0 +1,111 @@
import { OpenAIStream, StreamingTextResponse } from 'ai';
import OpenAI, { ClientOptions } from 'openai';
import { LobeRuntimeAI } from '../BaseAI';
import { AgentRuntimeErrorType } from '../error';
import { ChatCompetitionOptions, ChatStreamPayload, ModelProvider } from '../types';
import { AgentRuntimeError } from '../utils/createError';
import { debugStream } from '../utils/debugStream';
import { desensitizeUrl } from '../utils/desensitizeUrl';
import { handleOpenAIError } from '../utils/handleOpenAIError';
import { Stream } from 'openai/streaming';
const DEFAULT_BASE_URL = 'http://localhost:7861/v1';
export class LobeChatChatAI implements LobeRuntimeAI {
private client: OpenAI;
baseURL: string;
constructor({ apiKey = 'chatChat', baseURL = DEFAULT_BASE_URL, ...res }: ClientOptions) {
if (!baseURL) throw AgentRuntimeError.createError(AgentRuntimeErrorType.InvalidChatChatArgs);
this.client = new OpenAI({ apiKey, baseURL, ...res });
this.baseURL = baseURL;
}
async chat(payload: ChatStreamPayload, options?: ChatCompetitionOptions) {
try {
const response = await this.client.chat.completions.create(
payload as unknown as (OpenAI.ChatCompletionCreateParamsStreaming | OpenAI.ChatCompletionCreateParamsNonStreaming),
);
if (LobeChatChatAI.isStream(response)) {
const [prod, debug] = response.tee();
if (process.env.DEBUG_OLLAMA_CHAT_COMPLETION === '1') {
debugStream(debug.toReadableStream()).catch(console.error);
}
return new StreamingTextResponse(OpenAIStream(prod, options?.callback), {
headers: options?.headers,
});
} else {
if (process.env.DEBUG_OLLAMA_CHAT_COMPLETION === '1') {
console.debug(JSON.stringify(response));
}
const stream = LobeChatChatAI.createChatCompletionStream(response?.choices[0].message.content || '');
return new StreamingTextResponse(stream);
}
} catch (error) {
let desensitizedEndpoint = this.baseURL;
if (this.baseURL !== DEFAULT_BASE_URL) {
desensitizedEndpoint = desensitizeUrl(this.baseURL);
}
if ('status' in (error as any)) {
switch ((error as Response).status) {
case 401: {
throw AgentRuntimeError.chat({
endpoint: desensitizedEndpoint,
error: error as any,
errorType: AgentRuntimeErrorType.InvalidChatChatArgs,
provider: ModelProvider.ChatChat,
});
}
default: {
break;
}
}
}
const { errorResult, RuntimeError } = handleOpenAIError(error);
const errorType = RuntimeError || AgentRuntimeErrorType.ChatChatBizError;
throw AgentRuntimeError.chat({
endpoint: desensitizedEndpoint,
error: errorResult,
errorType,
provider: ModelProvider.ChatChat,
});
}
}
static isStream(obj: unknown): obj is Stream<OpenAI.Chat.Completions.ChatCompletionChunk> {
return typeof Stream !== 'undefined' && (obj instanceof Stream || obj instanceof ReadableStream);
}
// 创建一个类型为 Stream<string> 的流
static createChatCompletionStream(text: string): ReadableStream<string> {
const stream = new ReadableStream({
start(controller) {
controller.enqueue(text);
controller.close();
},
});
return stream;
}
}

View File

@ -34,6 +34,9 @@ export const AgentRuntimeErrorType = {
InvalidAnthropicAPIKey: 'InvalidAnthropicAPIKey',
AnthropicBizError: 'AnthropicBizError',
InvalidChatChatArgs: 'InvalidChatChatArgs',
ChatChatBizError: 'ChatChatBizError',
} as const;
export type ILobeAgentRuntimeErrorType =

View File

@ -2,6 +2,7 @@ export { LobeAnthropicAI } from './anthropic';
export { LobeAzureOpenAI } from './azureOpenai';
export * from './BaseAI';
export { LobeBedrockAI } from './bedrock';
export { LobeChatChatAI } from './chatchat';
export * from './error';
export { LobeGoogleAI } from './google';
export { LobeMistralAI } from './mistral';

View File

@ -25,6 +25,7 @@ export enum ModelProvider {
Anthropic = 'anthropic',
Azure = 'azure',
Bedrock = 'bedrock',
ChatChat = 'chatchat',
ChatGLM = 'chatglm',
Google = 'google',
Mistral = 'mistral',
@ -33,5 +34,5 @@ export enum ModelProvider {
OpenAI = 'openai',
Perplexity = 'perplexity',
Tongyi = 'tongyi',
ZhiPu = 'zhipu',
ZhiPu = 'zhipu'
}

View File

@ -111,6 +111,7 @@ export default {
openai: 'OpenAI',
perplexity: 'Perplexity',
zhipu: '智谱AI',
chatchat: 'ChatChat',
},
noDescription: '暂无描述',
oauth: 'SSO 登录',

View File

@ -181,6 +181,22 @@ export default {
title: 'API Key',
},
},
ChatChat: {
title: 'ChatChat',
checker: {
desc: '测试地址是否正确填写',
},
customModelName: {
desc: '增加自定义模型,多个模型使用逗号(,)隔开',
placeholder: 'gml-4',
title: '自定义模型名称',
},
endpoint: {
desc: '填入 ChatCaht 接口代理地址,本地未额外指定可留空',
placeholder: 'http://127.0.0.1:7861/chat',
title: '接口代理地址',
},
},
checker: {
button: '检查',

View File

@ -60,6 +60,10 @@ export const getProviderAuthPayload = (provider: string) => {
return { apiKey: modelProviderSelectors.mistralAPIKey(useGlobalStore.getState()) };
}
case ModelProvider.ChatChat: {
return { endpoint: modelProviderSelectors.chatChatProxyUrl(useGlobalStore.getState()) }
}
default:
case ModelProvider.OpenAI: {
const openai = modelProviderSelectors.openAIConfig(useGlobalStore.getState());

View File

@ -11,6 +11,7 @@ import {
OpenAIProvider,
PerplexityProvider,
ZhiPuProvider,
ChatChatProvider,
} from '@/config/modelProviders';
import { ChatModelCard, ModelProviderCard } from '@/types/llm';
import { GlobalLLMProviderKey } from '@/types/settings';
@ -60,6 +61,9 @@ const perplexityAPIKey = (s: GlobalStore) => modelProvider(s).perplexity.apiKey;
const enableAnthropic = (s: GlobalStore) => modelProvider(s).anthropic.enabled;
const anthropicAPIKey = (s: GlobalStore) => modelProvider(s).anthropic.apiKey;
const enableChatChat = (s: GlobalStore) => modelProvider(s).chatchat.enabled;
const chatChatProxyUrl = (s: GlobalStore) => modelProvider(s).chatchat.endpoint;
// const azureModelList = (s: GlobalStore): ModelProviderCard => {
// const azure = azureConfig(s);
// return {
@ -148,6 +152,7 @@ const modelSelectList = (s: GlobalStore): ModelProviderCard[] => {
{ ...PerplexityProvider, enabled: enablePerplexity(s) },
{ ...AnthropicProvider, enabled: enableAnthropic(s) },
{ ...MistralProvider, enabled: enableMistral(s) },
{ ...ChatChatProvider, enabled: enableChatChat(s) },
];
};
@ -230,4 +235,8 @@ export const modelProviderSelectors = {
// Mistral
enableMistral,
mistralAPIKey,
// ChatChat
enableChatChat,
chatChatProxyUrl,
};

View File

@ -70,6 +70,12 @@ export interface MistralConfig {
enabled: boolean;
}
export interface ChatChatConfig {
customModelName?: string;
enabled?: boolean;
endpoint?: string;
}
export interface GlobalLLMConfig {
anthropic: AnthropicConfig;
azure: AzureOpenAIConfig;
@ -81,6 +87,7 @@ export interface GlobalLLMConfig {
openAI: OpenAIConfig;
perplexity: PerplexityConfig;
zhipu: ZhiPuConfig;
chatchat: ChatChatConfig;
}
export type GlobalLLMProviderKey = keyof GlobalLLMConfig;