| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399 | import {  useCallback,  useEffect,  useRef,  useState,} from 'react'import { useTranslation } from 'react-i18next'import { produce, setAutoFreeze } from 'immer'import { useWorkflowRun } from '../../hooks'import { NodeRunningStatus, WorkflowRunningStatus } from '../../types'import type {  ChatItem,  Inputs,  PromptVariable,} from '@/app/components/base/chat/types'import { useToastContext } from '@/app/components/base/toast'import { TransferMethod } from '@/types/app'import type { VisionFile } from '@/types/app'import { replaceStringWithValues } from '@/app/components/app/configuration/prompt-value-panel'type GetAbortController = (abortController: AbortController) => voidtype SendCallback = {  onGetSuggestedQuestions?: (responseItemId: string, getAbortController: GetAbortController) => Promise<any>}export const useChat = (  config: any,  promptVariablesConfig?: {    inputs: Inputs    promptVariables: PromptVariable[]  },  prevChatList?: ChatItem[],  stopChat?: (taskId: string) => void,) => {  const { t } = useTranslation()  const { notify } = useToastContext()  const { handleRun } = useWorkflowRun()  const hasStopResponded = useRef(false)  const conversationId = useRef('')  const taskIdRef = useRef('')  const [chatList, setChatList] = useState<ChatItem[]>(prevChatList || [])  const chatListRef = useRef<ChatItem[]>(prevChatList || [])  const [isResponding, setIsResponding] = useState(false)  const isRespondingRef = useRef(false)  const [suggestedQuestions, setSuggestQuestions] = useState<string[]>([])  const suggestedQuestionsAbortControllerRef = useRef<AbortController | null>(null)  useEffect(() => {    setAutoFreeze(false)    return () => {      setAutoFreeze(true)    }  }, [])  const handleUpdateChatList = useCallback((newChatList: ChatItem[]) => {    setChatList(newChatList)    chatListRef.current = newChatList  }, [])  const handleResponding = useCallback((isResponding: boolean) => {    setIsResponding(isResponding)    isRespondingRef.current = isResponding  }, [])  const getIntroduction = useCallback((str: string) => {    return replaceStringWithValues(str, promptVariablesConfig?.promptVariables || [], promptVariablesConfig?.inputs || {})  }, [promptVariablesConfig?.inputs, promptVariablesConfig?.promptVariables])  useEffect(() => {    if (config?.opening_statement) {      handleUpdateChatList(produce(chatListRef.current, (draft) => {        const index = draft.findIndex(item => item.isOpeningStatement)        if (index > -1) {          draft[index] = {            ...draft[index],            content: getIntroduction(config.opening_statement),            suggestedQuestions: config.suggested_questions,          }        }        else {          draft.unshift({            id: `${Date.now()}`,            content: getIntroduction(config.opening_statement),            isAnswer: true,            isOpeningStatement: true,            suggestedQuestions: config.suggested_questions,          })        }      }))    }  }, [config?.opening_statement, getIntroduction, config?.suggested_questions, handleUpdateChatList])  const handleStop = useCallback(() => {    hasStopResponded.current = true    handleResponding(false)    if (stopChat && taskIdRef.current)      stopChat(taskIdRef.current)    if (suggestedQuestionsAbortControllerRef.current)      suggestedQuestionsAbortControllerRef.current.abort()  }, [handleResponding, stopChat])  const handleRestart = useCallback(() => {    conversationId.current = ''    taskIdRef.current = ''    handleStop()    const newChatList = config?.opening_statement      ? [{        id: `${Date.now()}`,        content: config.opening_statement,        isAnswer: true,        isOpeningStatement: true,        suggestedQuestions: config.suggested_questions,      }]      : []    handleUpdateChatList(newChatList)    setSuggestQuestions([])  }, [    config,    handleStop,    handleUpdateChatList,  ])  const updateCurrentQA = useCallback(({    responseItem,    questionId,    placeholderAnswerId,    questionItem,  }: {    responseItem: ChatItem    questionId: string    placeholderAnswerId: string    questionItem: ChatItem  }) => {    const newListWithAnswer = produce(      chatListRef.current.filter(item => item.id !== responseItem.id && item.id !== placeholderAnswerId),      (draft) => {        if (!draft.find(item => item.id === questionId))          draft.push({ ...questionItem })        draft.push({ ...responseItem })      })    handleUpdateChatList(newListWithAnswer)  }, [handleUpdateChatList])  const handleSend = useCallback((    params: any,    {      onGetSuggestedQuestions,    }: SendCallback,  ) => {    if (isRespondingRef.current) {      notify({ type: 'info', message: t('appDebug.errorMessage.waitForResponse') })      return false    }    const questionId = `question-${Date.now()}`    const questionItem = {      id: questionId,      content: params.query,      isAnswer: false,      message_files: params.files,    }    const placeholderAnswerId = `answer-placeholder-${Date.now()}`    const placeholderAnswerItem = {      id: placeholderAnswerId,      content: '',      isAnswer: true,    }    const newList = [...chatListRef.current, questionItem, placeholderAnswerItem]    handleUpdateChatList(newList)    // answer    const responseItem: ChatItem = {      id: placeholderAnswerId,      content: '',      agent_thoughts: [],      message_files: [],      isAnswer: true,    }    handleResponding(true)    const bodyParams = {      conversation_id: conversationId.current,      ...params,    }    if (bodyParams?.files?.length) {      bodyParams.files = bodyParams.files.map((item: VisionFile) => {        if (item.transfer_method === TransferMethod.local_file) {          return {            ...item,            url: '',          }        }        return item      })    }    let hasSetResponseId = false    handleRun(      params,      {        onData: (message: string, isFirstMessage: boolean, { conversationId: newConversationId, messageId, taskId }: any) => {          responseItem.content = responseItem.content + message          if (messageId && !hasSetResponseId) {            responseItem.id = messageId            hasSetResponseId = true          }          if (isFirstMessage && newConversationId)            conversationId.current = newConversationId          taskIdRef.current = taskId          if (messageId)            responseItem.id = messageId          updateCurrentQA({            responseItem,            questionId,            placeholderAnswerId,            questionItem,          })        },        async onCompleted(hasError?: boolean, errorMessage?: string) {          handleResponding(false)          if (hasError) {            if (errorMessage) {              responseItem.content = errorMessage              responseItem.isError = true              const newListWithAnswer = produce(                chatListRef.current.filter(item => item.id !== responseItem.id && item.id !== placeholderAnswerId),                (draft) => {                  if (!draft.find(item => item.id === questionId))                    draft.push({ ...questionItem })                  draft.push({ ...responseItem })                })              handleUpdateChatList(newListWithAnswer)            }            return          }          if (config?.suggested_questions_after_answer?.enabled && !hasStopResponded.current && onGetSuggestedQuestions) {            try {              const { data }: any = await onGetSuggestedQuestions(                responseItem.id,                newAbortController => suggestedQuestionsAbortControllerRef.current = newAbortController,              )              setSuggestQuestions(data)            }            catch (error) {              setSuggestQuestions([])            }          }        },        onMessageEnd: (messageEnd) => {          responseItem.citation = messageEnd.metadata?.retriever_resources || []          const newListWithAnswer = produce(            chatListRef.current.filter(item => item.id !== responseItem.id && item.id !== placeholderAnswerId),            (draft) => {              if (!draft.find(item => item.id === questionId))                draft.push({ ...questionItem })              draft.push({ ...responseItem })            })          handleUpdateChatList(newListWithAnswer)        },        onMessageReplace: (messageReplace) => {          responseItem.content = messageReplace.answer        },        onError() {          handleResponding(false)        },        onWorkflowStarted: ({ workflow_run_id, task_id }) => {          taskIdRef.current = task_id          responseItem.workflow_run_id = workflow_run_id          responseItem.workflowProcess = {            status: WorkflowRunningStatus.Running,            tracing: [],          }          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.findIndex(item => item.id === responseItem.id)            draft[currentIndex] = {              ...draft[currentIndex],              ...responseItem,            }          }))        },        onWorkflowFinished: ({ data }) => {          responseItem.workflowProcess!.status = data.status as WorkflowRunningStatus          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.findIndex(item => item.id === responseItem.id)            draft[currentIndex] = {              ...draft[currentIndex],              ...responseItem,            }          }))        },        onIterationStart: ({ data }) => {          responseItem.workflowProcess!.tracing!.push({            ...data,            status: NodeRunningStatus.Running,            details: [],          } as any)          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.findIndex(item => item.id === responseItem.id)            draft[currentIndex] = {              ...draft[currentIndex],              ...responseItem,            }          }))        },        onIterationNext: ({ data }) => {          const tracing = responseItem.workflowProcess!.tracing!          const iterations = tracing.find(item => item.node_id === data.node_id            && (item.execution_metadata?.parallel_id === data.execution_metadata?.parallel_id || item.parallel_id === data.execution_metadata?.parallel_id))!          iterations.details!.push([])          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.length - 1            draft[currentIndex] = responseItem          }))        },        onIterationFinish: ({ data }) => {          const tracing = responseItem.workflowProcess!.tracing!          const iterationsIndex = tracing.findIndex(item => item.node_id === data.node_id            && (item.execution_metadata?.parallel_id === data.execution_metadata?.parallel_id || item.parallel_id === data.execution_metadata?.parallel_id))!          tracing[iterationsIndex] = {            ...tracing[iterationsIndex],            ...data,            status: NodeRunningStatus.Succeeded,          } as any          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.length - 1            draft[currentIndex] = responseItem          }))        },        onNodeStarted: ({ data }) => {          if (data.iteration_id)            return          responseItem.workflowProcess!.tracing!.push({            ...data,            status: NodeRunningStatus.Running,          } as any)          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.findIndex(item => item.id === responseItem.id)            draft[currentIndex] = {              ...draft[currentIndex],              ...responseItem,            }          }))        },        onNodeFinished: ({ data }) => {          if (data.iteration_id)            return          const currentIndex = responseItem.workflowProcess!.tracing!.findIndex((item) => {            if (!item.execution_metadata?.parallel_id)              return item.node_id === data.node_id            return item.node_id === data.node_id && (item.execution_metadata?.parallel_id === data.execution_metadata?.parallel_id || item.parallel_id === data.execution_metadata?.parallel_id)          })          responseItem.workflowProcess!.tracing[currentIndex] = {            ...(responseItem.workflowProcess!.tracing[currentIndex]?.extras              ? { extras: responseItem.workflowProcess!.tracing[currentIndex].extras }              : {}),            ...data,          } as any          handleUpdateChatList(produce(chatListRef.current, (draft) => {            const currentIndex = draft.findIndex(item => item.id === responseItem.id)            draft[currentIndex] = {              ...draft[currentIndex],              ...responseItem,            }          }))        },      },    )  }, [handleRun, handleResponding, handleUpdateChatList, notify, t, updateCurrentQA, config.suggested_questions_after_answer?.enabled])  return {    conversationId: conversationId.current,    chatList,    chatListRef,    handleUpdateChatList,    handleSend,    handleStop,    handleRestart,    isResponding,    suggestedQuestions,  }}
 |