| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699 |
- import {
- useCallback,
- useEffect,
- useMemo,
- useRef,
- useState,
- } from 'react'
- import { useTranslation } from 'react-i18next'
- import { produce, setAutoFreeze } from 'immer'
- import { uniqBy } from 'lodash-es'
- import { useParams, usePathname } from 'next/navigation'
- import { v4 as uuidV4 } from 'uuid'
- import type {
- ChatConfig,
- ChatItem,
- ChatItemInTree,
- Inputs,
- } from '../types'
- import { getThreadMessages } from '../utils'
- import type { InputForm } from './type'
- import {
- getProcessedInputs,
- processOpeningStatement,
- } from './utils'
- import { TransferMethod } from '@/types/app'
- import { useToastContext } from '@/app/components/base/toast'
- import { ssePost } from '@/service/base'
- import type { Annotation } from '@/models/log'
- import { WorkflowRunningStatus } from '@/app/components/workflow/types'
- import useTimestamp from '@/hooks/use-timestamp'
- import { AudioPlayerManager } from '@/app/components/base/audio-btn/audio.player.manager'
- import type { FileEntity } from '@/app/components/base/file-uploader/types'
- import {
- getProcessedFiles,
- getProcessedFilesFromResponse,
- } from '@/app/components/base/file-uploader/utils'
-
- type GetAbortController = (abortController: AbortController) => void
- type SendCallback = {
- onGetConversationMessages?: (conversationId: string, getAbortController: GetAbortController) => Promise<any>
- onGetSuggestedQuestions?: (responseItemId: string, getAbortController: GetAbortController) => Promise<any>
- onConversationComplete?: (conversationId: string) => void
- isPublicAPI?: boolean
- }
-
- export const useChat = (
- config?: ChatConfig,
- formSettings?: {
- inputs: Inputs
- inputsForm: InputForm[]
- },
- prevChatTree?: ChatItemInTree[],
- stopChat?: (taskId: string) => void,
- ) => {
- const { t } = useTranslation()
- const { formatTime } = useTimestamp()
- const { notify } = useToastContext()
- const conversationId = useRef('')
- const hasStopResponded = useRef(false)
- const [isResponding, setIsResponding] = useState(false)
- const isRespondingRef = useRef(false)
- const taskIdRef = useRef('')
- const [suggestedQuestions, setSuggestQuestions] = useState<string[]>([])
- const conversationMessagesAbortControllerRef = useRef<AbortController | null>(null)
- const suggestedQuestionsAbortControllerRef = useRef<AbortController | null>(null)
- const params = useParams()
- const pathname = usePathname()
-
- const [chatTree, setChatTree] = useState<ChatItemInTree[]>(prevChatTree || [])
- const chatTreeRef = useRef<ChatItemInTree[]>(chatTree)
- const [targetMessageId, setTargetMessageId] = useState<string>()
- const threadMessages = useMemo(() => getThreadMessages(chatTree, targetMessageId), [chatTree, targetMessageId])
-
- const getIntroduction = useCallback((str: string) => {
- return processOpeningStatement(str, formSettings?.inputs || {}, formSettings?.inputsForm || [])
- }, [formSettings?.inputs, formSettings?.inputsForm])
-
- /** Final chat list that will be rendered */
- const chatList = useMemo(() => {
- const ret = [...threadMessages]
- if (config?.opening_statement) {
- const index = threadMessages.findIndex(item => item.isOpeningStatement)
-
- if (index > -1) {
- ret[index] = {
- ...ret[index],
- content: getIntroduction(config.opening_statement),
- suggestedQuestions: config.suggested_questions,
- }
- }
- else {
- ret.unshift({
- id: `${Date.now()}`,
- content: getIntroduction(config.opening_statement),
- isAnswer: true,
- isOpeningStatement: true,
- suggestedQuestions: config.suggested_questions,
- })
- }
- }
- return ret
- }, [threadMessages, config?.opening_statement, getIntroduction, config?.suggested_questions])
-
- useEffect(() => {
- setAutoFreeze(false)
- return () => {
- setAutoFreeze(true)
- }
- }, [])
-
- /** Find the target node by bfs and then operate on it */
- const produceChatTreeNode = useCallback((targetId: string, operation: (node: ChatItemInTree) => void) => {
- return produce(chatTreeRef.current, (draft) => {
- const queue: ChatItemInTree[] = [...draft]
- while (queue.length > 0) {
- const current = queue.shift()!
- if (current.id === targetId) {
- operation(current)
- break
- }
- if (current.children)
- queue.push(...current.children)
- }
- })
- }, [])
-
- type UpdateChatTreeNode = {
- (id: string, fields: Partial<ChatItemInTree>): void
- (id: string, update: (node: ChatItemInTree) => void): void
- }
-
- const updateChatTreeNode: UpdateChatTreeNode = useCallback((
- id: string,
- fieldsOrUpdate: Partial<ChatItemInTree> | ((node: ChatItemInTree) => void),
- ) => {
- const nextState = produceChatTreeNode(id, (node) => {
- if (typeof fieldsOrUpdate === 'function') {
- fieldsOrUpdate(node)
- }
- else {
- Object.keys(fieldsOrUpdate).forEach((key) => {
- (node as any)[key] = (fieldsOrUpdate as any)[key]
- })
- }
- })
- setChatTree(nextState)
- chatTreeRef.current = nextState
- }, [produceChatTreeNode])
-
- const handleResponding = useCallback((isResponding: boolean) => {
- setIsResponding(isResponding)
- isRespondingRef.current = isResponding
- }, [])
-
- const handleStop = useCallback(() => {
- hasStopResponded.current = true
- handleResponding(false)
- if (stopChat && taskIdRef.current)
- stopChat(taskIdRef.current)
- if (conversationMessagesAbortControllerRef.current)
- conversationMessagesAbortControllerRef.current.abort()
- if (suggestedQuestionsAbortControllerRef.current)
- suggestedQuestionsAbortControllerRef.current.abort()
- }, [stopChat, handleResponding])
-
- const handleRestart = useCallback(() => {
- conversationId.current = ''
- taskIdRef.current = ''
- handleStop()
- setChatTree([])
- setSuggestQuestions([])
- }, [handleStop])
-
- const updateCurrentQAOnTree = useCallback(({
- parentId,
- responseItem,
- placeholderQuestionId,
- questionItem,
- }: {
- parentId?: string
- responseItem: ChatItem
- placeholderQuestionId: string
- questionItem: ChatItem
- }) => {
- let nextState: ChatItemInTree[]
- const currentQA = { ...questionItem, children: [{ ...responseItem, children: [] }] }
- if (!parentId && !chatTree.some(item => [placeholderQuestionId, questionItem.id].includes(item.id))) {
- // QA whose parent is not provided is considered as a first message of the conversation,
- // and it should be a root node of the chat tree
- nextState = produce(chatTree, (draft) => {
- draft.push(currentQA)
- })
- }
- else {
- // find the target QA in the tree and update it; if not found, insert it to its parent node
- nextState = produceChatTreeNode(parentId!, (parentNode) => {
- const questionNodeIndex = parentNode.children!.findIndex(item => [placeholderQuestionId, questionItem.id].includes(item.id))
- if (questionNodeIndex === -1)
- parentNode.children!.push(currentQA)
- else
- parentNode.children![questionNodeIndex] = currentQA
- })
- }
- setChatTree(nextState)
- chatTreeRef.current = nextState
- }, [chatTree, produceChatTreeNode])
-
- const handleSend = useCallback(async (
- url: string,
- data: {
- query: string
- files?: FileEntity[]
- parent_message_id?: string
- [key: string]: any
- },
- {
- onGetConversationMessages,
- onGetSuggestedQuestions,
- onConversationComplete,
- isPublicAPI,
- }: SendCallback,
- ) => {
- setSuggestQuestions([])
-
- if (isRespondingRef.current) {
- notify({ type: 'info', message: t('appDebug.errorMessage.waitForResponse') })
- return false
- }
-
- const parentMessage = threadMessages.find(item => item.id === data.parent_message_id)
-
- const placeholderQuestionId = `question-${Date.now()}`
- const questionItem = {
- id: placeholderQuestionId,
- content: data.query,
- isAnswer: false,
- message_files: data.files,
- parentMessageId: data.parent_message_id,
- }
-
- const placeholderAnswerId = `answer-placeholder-${Date.now()}`
- const placeholderAnswerItem = {
- id: placeholderAnswerId,
- content: '',
- isAnswer: true,
- parentMessageId: questionItem.id,
- siblingIndex: parentMessage?.children?.length ?? chatTree.length,
- }
-
- setTargetMessageId(parentMessage?.id)
- updateCurrentQAOnTree({
- parentId: data.parent_message_id,
- responseItem: placeholderAnswerItem,
- placeholderQuestionId,
- questionItem,
- })
-
- // answer
- const responseItem: ChatItemInTree = {
- id: placeholderAnswerId,
- content: '',
- agent_thoughts: [],
- message_files: [],
- isAnswer: true,
- parentMessageId: questionItem.id,
- siblingIndex: parentMessage?.children?.length ?? chatTree.length,
- }
-
- handleResponding(true)
- hasStopResponded.current = false
-
- const { query, files, inputs, ...restData } = data
- const bodyParams = {
- response_mode: 'streaming',
- conversation_id: conversationId.current,
- files: getProcessedFiles(files || []),
- query,
- inputs: getProcessedInputs(inputs || {}, formSettings?.inputsForm || []),
- ...restData,
- }
- if (bodyParams?.files?.length) {
- bodyParams.files = bodyParams.files.map((item) => {
- if (item.transfer_method === TransferMethod.local_file) {
- return {
- ...item,
- url: '',
- }
- }
- return item
- })
- }
-
- let isAgentMode = false
- let hasSetResponseId = false
-
- let ttsUrl = ''
- let ttsIsPublic = false
- if (params.token) {
- ttsUrl = '/text-to-audio'
- ttsIsPublic = true
- }
- else if (params.appId) {
- if (pathname.search('explore/installed') > -1)
- ttsUrl = `/installed-apps/${params.appId}/text-to-audio`
- else
- ttsUrl = `/apps/${params.appId}/text-to-audio`
- }
- const player = AudioPlayerManager.getInstance().getAudioPlayer(ttsUrl, ttsIsPublic, uuidV4(), 'none', 'none', (_: any): any => { })
- ssePost(
- url,
- {
- body: bodyParams,
- },
- {
- isPublicAPI,
- onData: (message: string, isFirstMessage: boolean, { conversationId: newConversationId, messageId, taskId }: any) => {
- if (!isAgentMode) {
- responseItem.content = responseItem.content + message
- }
- else {
- const lastThought = responseItem.agent_thoughts?.[responseItem.agent_thoughts?.length - 1]
- if (lastThought)
- lastThought.thought = lastThought.thought + message // need immer setAutoFreeze
- }
-
- if (messageId && !hasSetResponseId) {
- questionItem.id = `question-${messageId}`
- responseItem.id = messageId
- responseItem.parentMessageId = questionItem.id
- hasSetResponseId = true
- }
-
- if (isFirstMessage && newConversationId)
- conversationId.current = newConversationId
-
- taskIdRef.current = taskId
- if (messageId)
- responseItem.id = messageId
-
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- async onCompleted(hasError?: boolean) {
- handleResponding(false)
-
- if (hasError)
- return
-
- if (onConversationComplete)
- onConversationComplete(conversationId.current)
-
- if (conversationId.current && !hasStopResponded.current && onGetConversationMessages) {
- const { data }: any = await onGetConversationMessages(
- conversationId.current,
- newAbortController => conversationMessagesAbortControllerRef.current = newAbortController,
- )
- const newResponseItem = data.find((item: any) => item.id === responseItem.id)
- if (!newResponseItem)
- return
-
- updateChatTreeNode(responseItem.id, {
- content: newResponseItem.answer,
- log: [
- ...newResponseItem.message,
- ...(newResponseItem.message[newResponseItem.message.length - 1].role !== 'assistant'
- ? [
- {
- role: 'assistant',
- text: newResponseItem.answer,
- files: newResponseItem.message_files?.filter((file: any) => file.belongs_to === 'assistant') || [],
- },
- ]
- : []),
- ],
- more: {
- time: formatTime(newResponseItem.created_at, 'hh:mm A'),
- tokens: newResponseItem.answer_tokens + newResponseItem.message_tokens,
- latency: newResponseItem.provider_response_latency.toFixed(2),
- },
- // for agent log
- conversationId: conversationId.current,
- input: {
- inputs: newResponseItem.inputs,
- query: newResponseItem.query,
- },
- })
- }
- if (config?.suggested_questions_after_answer?.enabled && !hasStopResponded.current && onGetSuggestedQuestions) {
- try {
- const { data }: any = await onGetSuggestedQuestions(
- responseItem.id,
- newAbortController => suggestedQuestionsAbortControllerRef.current = newAbortController,
- )
- setSuggestQuestions(data)
- }
- // eslint-disable-next-line unused-imports/no-unused-vars
- catch (e) {
- setSuggestQuestions([])
- }
- }
- },
- onFile(file) {
- const lastThought = responseItem.agent_thoughts?.[responseItem.agent_thoughts?.length - 1]
- if (lastThought)
- responseItem.agent_thoughts![responseItem.agent_thoughts!.length - 1].message_files = [...(lastThought as any).message_files, file]
-
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onThought(thought) {
- isAgentMode = true
- const response = responseItem as any
- if (thought.message_id && !hasSetResponseId)
- response.id = thought.message_id
-
- if (response.agent_thoughts.length === 0) {
- response.agent_thoughts.push(thought)
- }
- else {
- const lastThought = response.agent_thoughts[response.agent_thoughts.length - 1]
- // thought changed but still the same thought, so update.
- if (lastThought.id === thought.id) {
- thought.thought = lastThought.thought
- thought.message_files = lastThought.message_files
- responseItem.agent_thoughts![response.agent_thoughts.length - 1] = thought
- }
- else {
- responseItem.agent_thoughts!.push(thought)
- }
- }
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onMessageEnd: (messageEnd) => {
- if (messageEnd.metadata?.annotation_reply) {
- responseItem.id = messageEnd.id
- responseItem.annotation = ({
- id: messageEnd.metadata.annotation_reply.id,
- authorName: messageEnd.metadata.annotation_reply.account.name,
- })
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- return
- }
- responseItem.citation = messageEnd.metadata?.retriever_resources || []
- const processedFilesFromResponse = getProcessedFilesFromResponse(messageEnd.files || [])
- responseItem.allFiles = uniqBy([...(responseItem.allFiles || []), ...(processedFilesFromResponse || [])], 'id')
-
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onMessageReplace: (messageReplace) => {
- responseItem.content = messageReplace.answer
- },
- onError() {
- handleResponding(false)
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onWorkflowStarted: ({ workflow_run_id, task_id }) => {
- taskIdRef.current = task_id
- responseItem.workflow_run_id = workflow_run_id
- responseItem.workflowProcess = {
- status: WorkflowRunningStatus.Running,
- tracing: [],
- }
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onWorkflowFinished: ({ data: workflowFinishedData }) => {
- responseItem.workflowProcess!.status = workflowFinishedData.status as WorkflowRunningStatus
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onIterationStart: ({ data: iterationStartedData }) => {
- responseItem.workflowProcess!.tracing!.push({
- ...iterationStartedData,
- status: WorkflowRunningStatus.Running,
- } as any)
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onIterationFinish: ({ data: iterationFinishedData }) => {
- const tracing = responseItem.workflowProcess!.tracing!
- const iterationIndex = tracing.findIndex(item => item.node_id === iterationFinishedData.node_id
- && (item.execution_metadata?.parallel_id === iterationFinishedData.execution_metadata?.parallel_id || item.parallel_id === iterationFinishedData.execution_metadata?.parallel_id))!
- tracing[iterationIndex] = {
- ...tracing[iterationIndex],
- ...iterationFinishedData,
- status: WorkflowRunningStatus.Succeeded,
- } as any
-
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onNodeStarted: ({ data: nodeStartedData }) => {
- if (nodeStartedData.iteration_id)
- return
-
- if (data.loop_id)
- return
-
- responseItem.workflowProcess!.tracing!.push({
- ...nodeStartedData,
- status: WorkflowRunningStatus.Running,
- } as any)
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onNodeFinished: ({ data: nodeFinishedData }) => {
- if (nodeFinishedData.iteration_id)
- return
-
- if (data.loop_id)
- return
-
- const currentIndex = responseItem.workflowProcess!.tracing!.findIndex((item) => {
- if (!item.execution_metadata?.parallel_id)
- return item.node_id === nodeFinishedData.node_id
-
- return item.node_id === nodeFinishedData.node_id && (item.execution_metadata?.parallel_id === nodeFinishedData.execution_metadata?.parallel_id)
- })
- responseItem.workflowProcess!.tracing[currentIndex] = nodeFinishedData as any
-
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onTTSChunk: (messageId: string, audio: string) => {
- if (!audio || audio === '')
- return
- player.playAudioWithAudio(audio, true)
- AudioPlayerManager.getInstance().resetMsgId(messageId)
- },
- onTTSEnd: (messageId: string, audio: string) => {
- player.playAudioWithAudio(audio, false)
- },
- onLoopStart: ({ data: loopStartedData }) => {
- responseItem.workflowProcess!.tracing!.push({
- ...loopStartedData,
- status: WorkflowRunningStatus.Running,
- } as any)
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- onLoopFinish: ({ data: loopFinishedData }) => {
- const tracing = responseItem.workflowProcess!.tracing!
- const loopIndex = tracing.findIndex(item => item.node_id === loopFinishedData.node_id
- && (item.execution_metadata?.parallel_id === loopFinishedData.execution_metadata?.parallel_id || item.parallel_id === loopFinishedData.execution_metadata?.parallel_id))!
- tracing[loopIndex] = {
- ...tracing[loopIndex],
- ...loopFinishedData,
- status: WorkflowRunningStatus.Succeeded,
- } as any
-
- updateCurrentQAOnTree({
- placeholderQuestionId,
- questionItem,
- responseItem,
- parentId: data.parent_message_id,
- })
- },
- })
- return true
- }, [
- t,
- chatTree.length,
- threadMessages,
- config?.suggested_questions_after_answer,
- updateCurrentQAOnTree,
- updateChatTreeNode,
- notify,
- handleResponding,
- formatTime,
- params.token,
- params.appId,
- pathname,
- formSettings,
- ])
-
- const handleAnnotationEdited = useCallback((query: string, answer: string, index: number) => {
- const targetQuestionId = chatList[index - 1].id
- const targetAnswerId = chatList[index].id
-
- updateChatTreeNode(targetQuestionId, {
- content: query,
- })
- updateChatTreeNode(targetAnswerId, {
- content: answer,
- annotation: {
- ...chatList[index].annotation,
- logAnnotation: undefined,
- } as any,
- })
- }, [chatList, updateChatTreeNode])
-
- const handleAnnotationAdded = useCallback((annotationId: string, authorName: string, query: string, answer: string, index: number) => {
- const targetQuestionId = chatList[index - 1].id
- const targetAnswerId = chatList[index].id
-
- updateChatTreeNode(targetQuestionId, {
- content: query,
- })
-
- updateChatTreeNode(targetAnswerId, {
- content: chatList[index].content,
- annotation: {
- id: annotationId,
- authorName,
- logAnnotation: {
- content: answer,
- account: {
- id: '',
- name: authorName,
- email: '',
- },
- },
- } as Annotation,
- })
- }, [chatList, updateChatTreeNode])
-
- const handleAnnotationRemoved = useCallback((index: number) => {
- const targetAnswerId = chatList[index].id
-
- updateChatTreeNode(targetAnswerId, {
- content: chatList[index].content,
- annotation: {
- ...(chatList[index].annotation || {}),
- id: '',
- } as Annotation,
- })
- }, [chatList, updateChatTreeNode])
-
- return {
- chatList,
- setTargetMessageId,
- conversationId: conversationId.current,
- isResponding,
- setIsResponding,
- handleSend,
- suggestedQuestions,
- handleRestart,
- handleStop,
- handleAnnotationEdited,
- handleAnnotationAdded,
- handleAnnotationRemoved,
- }
- }
|