123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509 |
- 'use client'
- import type { FC } from 'react'
- import useSWR from 'swr'
- import { useTranslation } from 'react-i18next'
- import React, { useCallback, useEffect, useRef, useState } from 'react'
- import { setAutoFreeze } from 'immer'
- import { useBoolean } from 'ahooks'
- import {
- RiAddLine,
- } from '@remixicon/react'
- import { useContext } from 'use-context-selector'
- import { useShallow } from 'zustand/react/shallow'
- import HasNotSetAPIKEY from '../base/warning-mask/has-not-set-api'
- import FormattingChanged from '../base/warning-mask/formatting-changed'
- import GroupName from '../base/group-name'
- import CannotQueryDataset from '../base/warning-mask/cannot-query-dataset'
- import DebugWithMultipleModel from './debug-with-multiple-model'
- import DebugWithSingleModel from './debug-with-single-model'
- import type { DebugWithSingleModelRefType } from './debug-with-single-model'
- import type { ModelAndParameter } from './types'
- import {
- APP_CHAT_WITH_MULTIPLE_MODEL,
- APP_CHAT_WITH_MULTIPLE_MODEL_RESTART,
- } from './types'
- import { AppType, ModelModeType, TransferMethod } from '@/types/app'
- import PromptValuePanel from '@/app/components/app/configuration/prompt-value-panel'
- import ConfigContext from '@/context/debug-configuration'
- import { ToastContext } from '@/app/components/base/toast'
- import { sendCompletionMessage } from '@/service/debug'
- import Button from '@/app/components/base/button'
- import type { ModelConfig as BackendModelConfig, VisionFile } from '@/types/app'
- import { promptVariablesToUserInputsForm } from '@/utils/model-config'
- import TextGeneration from '@/app/components/app/text-generate/item'
- import { IS_CE_EDITION } from '@/config'
- import type { Inputs } from '@/models/debug'
- import { fetchFileUploadConfig } from '@/service/common'
- import { useDefaultModel } from '@/app/components/header/account-setting/model-provider-page/hooks'
- import { ModelFeatureEnum, ModelTypeEnum } from '@/app/components/header/account-setting/model-provider-page/declarations'
- import type { ModelParameterModalProps } from '@/app/components/header/account-setting/model-provider-page/model-parameter-modal'
- import { useEventEmitterContextContext } from '@/context/event-emitter'
- import { useProviderContext } from '@/context/provider-context'
- import PromptLogModal from '@/app/components/base/prompt-log-modal'
- import { useStore as useAppStore } from '@/app/components/app/store'
- type IDebug = {
- isAPIKeySet: boolean
- onSetting: () => void
- inputs: Inputs
- modelParameterParams: Pick<ModelParameterModalProps, 'setModel' | 'onCompletionParamsChange'>
- debugWithMultipleModel: boolean
- multipleModelConfigs: ModelAndParameter[]
- onMultipleModelConfigsChange: (multiple: boolean, modelConfigs: ModelAndParameter[]) => void
- }
- const Debug: FC<IDebug> = ({
- isAPIKeySet = true,
- onSetting,
- inputs,
- modelParameterParams,
- debugWithMultipleModel,
- multipleModelConfigs,
- onMultipleModelConfigsChange,
- }) => {
- const { t } = useTranslation()
- const {
- appId,
- mode,
- modelModeType,
- hasSetBlockStatus,
- isAdvancedMode,
- promptMode,
- chatPromptConfig,
- completionPromptConfig,
- introduction,
- suggestedQuestionsAfterAnswerConfig,
- speechToTextConfig,
- textToSpeechConfig,
- citationConfig,
- moderationConfig,
- moreLikeThisConfig,
- formattingChanged,
- setFormattingChanged,
- dataSets,
- modelConfig,
- completionParams,
- hasSetContextVar,
- datasetConfigs,
- visionConfig,
- setVisionConfig,
- } = useContext(ConfigContext)
- const { eventEmitter } = useEventEmitterContextContext()
- const { data: text2speechDefaultModel } = useDefaultModel(ModelTypeEnum.textEmbedding)
- const { data: fileUploadConfigResponse } = useSWR({ url: '/files/upload' }, fetchFileUploadConfig)
- useEffect(() => {
- setAutoFreeze(false)
- return () => {
- setAutoFreeze(true)
- }
- }, [])
- const [isResponding, { setTrue: setRespondingTrue, setFalse: setRespondingFalse }] = useBoolean(false)
- const [isShowFormattingChangeConfirm, setIsShowFormattingChangeConfirm] = useState(false)
- const [isShowCannotQueryDataset, setShowCannotQueryDataset] = useState(false)
- useEffect(() => {
- if (formattingChanged)
- setIsShowFormattingChangeConfirm(true)
- }, [formattingChanged])
- const debugWithSingleModelRef = React.useRef<DebugWithSingleModelRefType | null>(null)
- const handleClearConversation = () => {
- debugWithSingleModelRef.current?.handleRestart()
- }
- const clearConversation = async () => {
- if (debugWithMultipleModel) {
- eventEmitter?.emit({
- type: APP_CHAT_WITH_MULTIPLE_MODEL_RESTART,
- } as any)
- return
- }
- handleClearConversation()
- }
- const handleConfirm = () => {
- clearConversation()
- setIsShowFormattingChangeConfirm(false)
- setFormattingChanged(false)
- }
- const handleCancel = () => {
- setIsShowFormattingChangeConfirm(false)
- setFormattingChanged(false)
- }
- const { notify } = useContext(ToastContext)
- const logError = useCallback((message: string) => {
- notify({ type: 'error', message, duration: 3000 })
- }, [notify])
- const [completionFiles, setCompletionFiles] = useState<VisionFile[]>([])
- const checkCanSend = useCallback(() => {
- if (isAdvancedMode && mode !== AppType.completion) {
- if (modelModeType === ModelModeType.completion) {
- if (!hasSetBlockStatus.history) {
- notify({ type: 'error', message: t('appDebug.otherError.historyNoBeEmpty'), duration: 3000 })
- return false
- }
- if (!hasSetBlockStatus.query) {
- notify({ type: 'error', message: t('appDebug.otherError.queryNoBeEmpty'), duration: 3000 })
- return false
- }
- }
- }
- let hasEmptyInput = ''
- const requiredVars = modelConfig.configs.prompt_variables.filter(({ key, name, required, type }) => {
- if (type !== 'string' && type !== 'paragraph' && type !== 'select')
- return false
- const res = (!key || !key.trim()) || (!name || !name.trim()) || (required || required === undefined || required === null)
- return res
- }) // compatible with old version
- // debugger
- requiredVars.forEach(({ key, name }) => {
- if (hasEmptyInput)
- return
- if (!inputs[key])
- hasEmptyInput = name
- })
- if (hasEmptyInput) {
- logError(t('appDebug.errorMessage.valueOfVarRequired', { key: hasEmptyInput }))
- return false
- }
- if (completionFiles.find(item => item.transfer_method === TransferMethod.local_file && !item.upload_file_id)) {
- notify({ type: 'info', message: t('appDebug.errorMessage.waitForImgUpload') })
- return false
- }
- return !hasEmptyInput
- }, [
- completionFiles,
- hasSetBlockStatus.history,
- hasSetBlockStatus.query,
- inputs,
- isAdvancedMode,
- mode,
- modelConfig.configs.prompt_variables,
- t,
- logError,
- notify,
- modelModeType,
- ])
- const [completionRes, setCompletionRes] = useState('')
- const [messageId, setMessageId] = useState<string | null>(null)
- const sendTextCompletion = async () => {
- if (isResponding) {
- notify({ type: 'info', message: t('appDebug.errorMessage.waitForResponse') })
- return false
- }
- if (dataSets.length > 0 && !hasSetContextVar) {
- setShowCannotQueryDataset(true)
- return true
- }
- if (!checkCanSend())
- return
- const postDatasets = dataSets.map(({ id }) => ({
- dataset: {
- enabled: true,
- id,
- },
- }))
- const contextVar = modelConfig.configs.prompt_variables.find(item => item.is_context_var)?.key
- const postModelConfig: BackendModelConfig = {
- pre_prompt: !isAdvancedMode ? modelConfig.configs.prompt_template : '',
- prompt_type: promptMode,
- chat_prompt_config: {},
- completion_prompt_config: {},
- user_input_form: promptVariablesToUserInputsForm(modelConfig.configs.prompt_variables),
- dataset_query_variable: contextVar || '',
- opening_statement: introduction,
- suggested_questions_after_answer: suggestedQuestionsAfterAnswerConfig,
- speech_to_text: speechToTextConfig,
- retriever_resource: citationConfig,
- sensitive_word_avoidance: moderationConfig,
- more_like_this: moreLikeThisConfig,
- model: {
- provider: modelConfig.provider,
- name: modelConfig.model_id,
- mode: modelConfig.mode,
- completion_params: completionParams as any,
- },
- text_to_speech: {
- enabled: false,
- voice: '',
- language: '',
- },
- agent_mode: {
- enabled: false,
- tools: [],
- },
- dataset_configs: {
- ...datasetConfigs,
- datasets: {
- datasets: [...postDatasets],
- } as any,
- },
- file_upload: {
- image: visionConfig,
- },
- }
- if (isAdvancedMode) {
- postModelConfig.chat_prompt_config = chatPromptConfig
- postModelConfig.completion_prompt_config = completionPromptConfig
- }
- const data: Record<string, any> = {
- inputs,
- model_config: postModelConfig,
- }
- if (visionConfig.enabled && completionFiles && completionFiles?.length > 0) {
- data.files = completionFiles.map((item) => {
- if (item.transfer_method === TransferMethod.local_file) {
- return {
- ...item,
- url: '',
- }
- }
- return item
- })
- }
- setCompletionRes('')
- setMessageId('')
- let res: string[] = []
- setRespondingTrue()
- sendCompletionMessage(appId, data, {
- onData: (data: string, _isFirstMessage: boolean, { messageId }) => {
- res.push(data)
- setCompletionRes(res.join(''))
- setMessageId(messageId)
- },
- onMessageReplace: (messageReplace) => {
- res = [messageReplace.answer]
- setCompletionRes(res.join(''))
- },
- onCompleted() {
- setRespondingFalse()
- },
- onError() {
- setRespondingFalse()
- },
- })
- }
- const handleSendTextCompletion = () => {
- if (debugWithMultipleModel) {
- eventEmitter?.emit({
- type: APP_CHAT_WITH_MULTIPLE_MODEL,
- payload: {
- message: '',
- files: completionFiles,
- },
- } as any)
- return
- }
- sendTextCompletion()
- }
- const varList = modelConfig.configs.prompt_variables.map((item: any) => {
- return {
- label: item.key,
- value: inputs[item.key],
- }
- })
- const { textGenerationModelList } = useProviderContext()
- const handleChangeToSingleModel = (item: ModelAndParameter) => {
- const currentProvider = textGenerationModelList.find(modelItem => modelItem.provider === item.provider)
- const currentModel = currentProvider?.models.find(model => model.model === item.model)
- modelParameterParams.setModel({
- modelId: item.model,
- provider: item.provider,
- mode: currentModel?.model_properties.mode as string,
- features: currentModel?.features,
- })
- modelParameterParams.onCompletionParamsChange(item.parameters)
- onMultipleModelConfigsChange(
- false,
- [],
- )
- }
- const handleVisionConfigInMultipleModel = () => {
- if (debugWithMultipleModel && mode) {
- const supportedVision = multipleModelConfigs.some((modelConfig) => {
- const currentProvider = textGenerationModelList.find(modelItem => modelItem.provider === modelConfig.provider)
- const currentModel = currentProvider?.models.find(model => model.model === modelConfig.model)
- return currentModel?.features?.includes(ModelFeatureEnum.vision)
- })
- if (supportedVision) {
- setVisionConfig({
- ...visionConfig,
- enabled: true,
- }, true)
- }
- else {
- setVisionConfig({
- ...visionConfig,
- enabled: false,
- }, true)
- }
- }
- }
- useEffect(() => {
- handleVisionConfigInMultipleModel()
- }, [multipleModelConfigs, mode])
- const { currentLogItem, setCurrentLogItem, showPromptLogModal, setShowPromptLogModal } = useAppStore(useShallow(state => ({
- currentLogItem: state.currentLogItem,
- setCurrentLogItem: state.setCurrentLogItem,
- showPromptLogModal: state.showPromptLogModal,
- setShowPromptLogModal: state.setShowPromptLogModal,
- })))
- const [width, setWidth] = useState(0)
- const ref = useRef<HTMLDivElement>(null)
- const adjustModalWidth = () => {
- if (ref.current)
- setWidth(document.body.clientWidth - (ref.current?.clientWidth + 16) - 8)
- }
- useEffect(() => {
- adjustModalWidth()
- }, [])
- return (
- <>
- <div className="shrink-0 pt-4 px-6">
- <div className='flex items-center justify-between mb-2'>
- <div className='h2 '>{t('appDebug.inputs.title')}</div>
- <div className='flex items-center'>
- {
- debugWithMultipleModel
- ? (
- <>
- <Button
- variant='secondary-accent'
- onClick={() => onMultipleModelConfigsChange(true, [...multipleModelConfigs, { id: `${Date.now()}`, model: '', provider: '', parameters: {} }])}
- disabled={multipleModelConfigs.length >= 4}
- >
- <RiAddLine className='mr-1 w-3.5 h-3.5' />
- {t('common.modelProvider.addModel')}({multipleModelConfigs.length}/4)
- </Button>
- <div className='mx-2 w-[1px] h-[14px] bg-gray-200' />
- </>
- )
- : null
- }
- {mode !== AppType.completion && (
- <Button variant='secondary-accent' className='gap-1' onClick={clearConversation}>
- <svg width="16" height="16" viewBox="0 0 16 16" fill="none" xmlns="http://www.w3.org/2000/svg">
- <path d="M2.66663 2.66629V5.99963H3.05463M3.05463 5.99963C3.49719 4.90505 4.29041 3.98823 5.30998 3.39287C6.32954 2.7975 7.51783 2.55724 8.68861 2.70972C9.85938 2.8622 10.9465 3.39882 11.7795 4.23548C12.6126 5.07213 13.1445 6.16154 13.292 7.33296M3.05463 5.99963H5.99996M13.3333 13.333V9.99963H12.946M12.946 9.99963C12.5028 11.0936 11.7093 12.0097 10.6898 12.6045C9.67038 13.1993 8.48245 13.4393 7.31203 13.2869C6.1416 13.1344 5.05476 12.5982 4.22165 11.7621C3.38854 10.926 2.8562 9.83726 2.70796 8.66629M12.946 9.99963H9.99996" stroke="#1C64F2" strokeWidth="1.5" strokeLinecap="round" strokeLinejoin="round" />
- </svg>
- <span className='text-primary-600 text-[13px] font-semibold'>{t('common.operation.refresh')}</span>
- </Button>
- )}
- </div>
- </div>
- <PromptValuePanel
- appType={mode as AppType}
- onSend={handleSendTextCompletion}
- inputs={inputs}
- visionConfig={{
- ...visionConfig,
- image_file_size_limit: fileUploadConfigResponse?.image_file_size_limit,
- }}
- onVisionFilesChange={setCompletionFiles}
- />
- </div>
- {
- debugWithMultipleModel && (
- <div className='grow mt-3 overflow-hidden'>
- <DebugWithMultipleModel
- multipleModelConfigs={multipleModelConfigs}
- onMultipleModelConfigsChange={onMultipleModelConfigsChange}
- onDebugWithMultipleModelChange={handleChangeToSingleModel}
- checkCanSend={checkCanSend}
- />
- </div>
- )
- }
- {
- !debugWithMultipleModel && (
- <div className="flex flex-col grow" ref={ref}>
- {/* Chat */}
- {mode !== AppType.completion && (
- <div className='grow h-0 overflow-hidden'>
- <DebugWithSingleModel
- ref={debugWithSingleModelRef}
- checkCanSend={checkCanSend}
- />
- </div>
- )}
- {/* Text Generation */}
- {mode === AppType.completion && (
- <div className="mt-6 px-6 pb-4">
- <GroupName name={t('appDebug.result')} />
- {(completionRes || isResponding) && (
- <TextGeneration
- className="mt-2"
- content={completionRes}
- isLoading={!completionRes && isResponding}
- isShowTextToSpeech={textToSpeechConfig.enabled && !!text2speechDefaultModel}
- isResponding={isResponding}
- isInstalledApp={false}
- messageId={messageId}
- isError={false}
- onRetry={() => { }}
- supportAnnotation
- appId={appId}
- varList={varList}
- />
- )}
- </div>
- )}
- {mode === AppType.completion && showPromptLogModal && (
- <PromptLogModal
- width={width}
- currentLogItem={currentLogItem}
- onCancel={() => {
- setCurrentLogItem()
- setShowPromptLogModal(false)
- }}
- />
- )}
- {isShowCannotQueryDataset && (
- <CannotQueryDataset
- onConfirm={() => setShowCannotQueryDataset(false)}
- />
- )}
- </div>
- )
- }
- {isShowFormattingChangeConfirm && (
- <FormattingChanged
- onConfirm={handleConfirm}
- onCancel={handleCancel}
- />
- )}
- {!isAPIKeySet && (<HasNotSetAPIKEY isTrailFinished={!IS_CE_EDITION} onSetting={onSetting} />)}
- </>
- )
- }
- export default React.memo(Debug)
|