|
|
@@ -1,369 +0,0 @@
|
|
|
-import type { KeyboardEvent } from 'react';
|
|
|
-import React, { useCallback, useState } from 'react';
|
|
|
-
|
|
|
-import { useForm, Controller } from 'react-hook-form';
|
|
|
-import { useTranslation } from 'react-i18next';
|
|
|
-import {
|
|
|
- Collapse,
|
|
|
- Modal, ModalBody, ModalFooter, ModalHeader,
|
|
|
- UncontrolledTooltip, Input,
|
|
|
-} from 'reactstrap';
|
|
|
-
|
|
|
-import { apiv3Post } from '~/client/util/apiv3-client';
|
|
|
-import { toastError } from '~/client/util/toastr';
|
|
|
-import { useGrowiCloudUri } from '~/stores-universal/context';
|
|
|
-import loggerFactory from '~/utils/logger';
|
|
|
-
|
|
|
-import { SelectedPageList } from '../../../client/components/Common/SelectedPageList';
|
|
|
-import { useRagSearchModal } from '../../../client/stores/rag-search';
|
|
|
-import { MessageErrorCode, StreamErrorCode } from '../../../interfaces/message-error';
|
|
|
-
|
|
|
-import { MessageCard } from './MessageCard';
|
|
|
-import { ResizableTextarea } from './ResizableTextArea';
|
|
|
-
|
|
|
-import styles from './AiChatModal.module.scss';
|
|
|
-
|
|
|
-const moduleClass = styles['grw-aichat-modal'] ?? '';
|
|
|
-
|
|
|
-const logger = loggerFactory('growi:clinet:components:RagSearchModal');
|
|
|
-
|
|
|
-
|
|
|
-type Message = {
|
|
|
- id: string,
|
|
|
- content: string,
|
|
|
- isUserMessage?: boolean,
|
|
|
-}
|
|
|
-
|
|
|
-type FormData = {
|
|
|
- input: string;
|
|
|
- summaryMode?: boolean;
|
|
|
-};
|
|
|
-
|
|
|
-const AiChatModalSubstance = (): JSX.Element => {
|
|
|
-
|
|
|
- const { t } = useTranslation();
|
|
|
-
|
|
|
- const form = useForm<FormData>({
|
|
|
- defaultValues: {
|
|
|
- input: '',
|
|
|
- summaryMode: true,
|
|
|
- },
|
|
|
- });
|
|
|
-
|
|
|
- const [threadId, setThreadId] = useState<string | undefined>();
|
|
|
- const [messageLogs, setMessageLogs] = useState<Message[]>([]);
|
|
|
- const [generatingAnswerMessage, setGeneratingAnswerMessage] = useState<Message>();
|
|
|
- const [errorMessage, setErrorMessage] = useState<string | undefined>();
|
|
|
- const [isErrorDetailCollapsed, setIsErrorDetailCollapsed] = useState<boolean>(false);
|
|
|
-
|
|
|
- const { data: growiCloudUri } = useGrowiCloudUri();
|
|
|
-
|
|
|
- const isGenerating = generatingAnswerMessage != null;
|
|
|
-
|
|
|
- const submit = useCallback(async(data: FormData) => {
|
|
|
- // do nothing when the assistant is generating an answer
|
|
|
- if (isGenerating) {
|
|
|
- return;
|
|
|
- }
|
|
|
-
|
|
|
- // do nothing when the input is empty
|
|
|
- if (data.input.trim().length === 0) {
|
|
|
- return;
|
|
|
- }
|
|
|
-
|
|
|
- const { length: logLength } = messageLogs;
|
|
|
-
|
|
|
- // add user message to the logs
|
|
|
- const newUserMessage = { id: logLength.toString(), content: data.input, isUserMessage: true };
|
|
|
- setMessageLogs(msgs => [...msgs, newUserMessage]);
|
|
|
-
|
|
|
- // reset form
|
|
|
- form.reset({ input: '', summaryMode: data.summaryMode });
|
|
|
- setErrorMessage(undefined);
|
|
|
-
|
|
|
- // add an empty assistant message
|
|
|
- const newAnswerMessage = { id: (logLength + 1).toString(), content: '' };
|
|
|
- setGeneratingAnswerMessage(newAnswerMessage);
|
|
|
-
|
|
|
- // create thread
|
|
|
- let currentThreadId = threadId;
|
|
|
- if (threadId == null) {
|
|
|
- try {
|
|
|
- const res = await apiv3Post('/openai/thread');
|
|
|
- const thread = res.data.thread;
|
|
|
-
|
|
|
- setThreadId(thread.id);
|
|
|
- currentThreadId = thread.id;
|
|
|
- }
|
|
|
- catch (err) {
|
|
|
- logger.error(err.toString());
|
|
|
- toastError(t('modal_aichat.failed_to_create_or_retrieve_thread'));
|
|
|
- }
|
|
|
- }
|
|
|
-
|
|
|
- // post message
|
|
|
- try {
|
|
|
- const response = await fetch('/_api/v3/openai/message', {
|
|
|
- method: 'POST',
|
|
|
- headers: { 'Content-Type': 'application/json' },
|
|
|
- body: JSON.stringify({ userMessage: data.input, threadId: currentThreadId, summaryMode: data.summaryMode }),
|
|
|
- });
|
|
|
-
|
|
|
- if (!response.ok) {
|
|
|
- const resJson = await response.json();
|
|
|
- if ('errors' in resJson) {
|
|
|
- // eslint-disable-next-line @typescript-eslint/no-unused-vars
|
|
|
- const errors = resJson.errors.map(({ message }) => message).join(', ');
|
|
|
- form.setError('input', { type: 'manual', message: `[${response.status}] ${errors}` });
|
|
|
-
|
|
|
- const hasThreadIdNotSetError = resJson.errors.some(err => err.code === MessageErrorCode.THREAD_ID_IS_NOT_SET);
|
|
|
- if (hasThreadIdNotSetError) {
|
|
|
- toastError(t('modal_aichat.failed_to_create_or_retrieve_thread'));
|
|
|
- }
|
|
|
- }
|
|
|
- setGeneratingAnswerMessage(undefined);
|
|
|
- return;
|
|
|
- }
|
|
|
-
|
|
|
- const reader = response.body?.getReader();
|
|
|
- const decoder = new TextDecoder('utf-8');
|
|
|
-
|
|
|
- const read = async() => {
|
|
|
- if (reader == null) return;
|
|
|
-
|
|
|
- const { done, value } = await reader.read();
|
|
|
-
|
|
|
- // add assistant message to the logs
|
|
|
- if (done) {
|
|
|
- setGeneratingAnswerMessage((generatingAnswerMessage) => {
|
|
|
- if (generatingAnswerMessage == null) return;
|
|
|
- setMessageLogs(msgs => [...msgs, generatingAnswerMessage]);
|
|
|
- return undefined;
|
|
|
- });
|
|
|
- return;
|
|
|
- }
|
|
|
-
|
|
|
- const chunk = decoder.decode(value);
|
|
|
-
|
|
|
- const textValues: string[] = [];
|
|
|
- const lines = chunk.split('\n\n');
|
|
|
- lines.forEach((line) => {
|
|
|
- const trimedLine = line.trim();
|
|
|
- if (trimedLine.startsWith('data:')) {
|
|
|
- const data = JSON.parse(line.replace('data: ', ''));
|
|
|
- textValues.push(data.content[0].text.value);
|
|
|
- }
|
|
|
- else if (trimedLine.startsWith('error:')) {
|
|
|
- const error = JSON.parse(line.replace('error: ', ''));
|
|
|
- logger.error(error.errorMessage);
|
|
|
- form.setError('input', { type: 'manual', message: error.message });
|
|
|
-
|
|
|
- if (error.code === StreamErrorCode.BUDGET_EXCEEDED) {
|
|
|
- setErrorMessage(growiCloudUri != null ? 'modal_aichat.budget_exceeded_for_growi_cloud' : 'modal_aichat.budget_exceeded');
|
|
|
- }
|
|
|
- }
|
|
|
- });
|
|
|
-
|
|
|
-
|
|
|
- // append text values to the assistant message
|
|
|
- setGeneratingAnswerMessage((prevMessage) => {
|
|
|
- if (prevMessage == null) return;
|
|
|
- return {
|
|
|
- ...prevMessage,
|
|
|
- content: prevMessage.content + textValues.join(''),
|
|
|
- };
|
|
|
- });
|
|
|
-
|
|
|
- read();
|
|
|
- };
|
|
|
- read();
|
|
|
- }
|
|
|
- catch (err) {
|
|
|
- logger.error(err.toString());
|
|
|
- form.setError('input', { type: 'manual', message: err.toString() });
|
|
|
- }
|
|
|
-
|
|
|
- }, [form, growiCloudUri, isGenerating, messageLogs, t, threadId]);
|
|
|
-
|
|
|
- const keyDownHandler = (event: KeyboardEvent<HTMLTextAreaElement>) => {
|
|
|
- if (event.key === 'Enter' && (event.ctrlKey || event.metaKey)) {
|
|
|
- form.handleSubmit(submit)();
|
|
|
- }
|
|
|
- };
|
|
|
-
|
|
|
- return (
|
|
|
- <>
|
|
|
- <ModalBody className="pb-0 pt-3 pt-lg-4 px-3 px-lg-4">
|
|
|
- <div className="d-flex mb-4">
|
|
|
- <Input type="select" className="border rounded">
|
|
|
- <option>
|
|
|
- GROWI AI の機能について
|
|
|
- </option>
|
|
|
- </Input>
|
|
|
-
|
|
|
- <button type="button" className="btn btn-outline-secondary bg-transparent ms-2">
|
|
|
- <span className="fs-5 material-symbols-outlined">edit</span>
|
|
|
- </button>
|
|
|
-
|
|
|
- <button type="button" className="btn btn-outline-secondary bg-transparent ms-2">
|
|
|
- <span className="fs-5 material-symbols-outlined">add</span>
|
|
|
- </button>
|
|
|
- </div>
|
|
|
-
|
|
|
- <div className="text-muted mb-4">
|
|
|
- ここに設定したアシスタントの説明が入ります。ここに設定したアシスタントの説明が入ります。
|
|
|
- </div>
|
|
|
-
|
|
|
- <div className="mb-4">
|
|
|
- <p className="mb-2">アシスタントへの指示</p>
|
|
|
- <div className="p-3 alert alert-primary">
|
|
|
- <p className="mb-0 text-break">
|
|
|
- あなたは生成AIの専門家および、リサーチャーです。ナレッジベースのWikiツールである GROWIのAI機能に関する情報を提示したり、使われている技術に関する説明をしたりします。
|
|
|
- </p>
|
|
|
- </div>
|
|
|
- </div>
|
|
|
-
|
|
|
- <div className="d-flex align-items-center mb-2">
|
|
|
- <p className="mb-0">参照するページ</p>
|
|
|
- <span className="ms-1 fs-5 material-symbols-outlined text-secondary">help</span>
|
|
|
- </div>
|
|
|
- <SelectedPageList selectedPages={[
|
|
|
- { page: { _id: '1', path: '/Project/GROWI/新機能/GROWI AI' }, isIncludeSubPage: true },
|
|
|
- { page: { _id: '2', path: '/AI導入検討/調査' }, isIncludeSubPage: false },
|
|
|
- ]}
|
|
|
- />
|
|
|
-
|
|
|
- <div className="vstack gap-4 pb-2">
|
|
|
- { messageLogs.map(message => (
|
|
|
- <MessageCard key={message.id} role={message.isUserMessage ? 'user' : 'assistant'}>{message.content}</MessageCard>
|
|
|
- )) }
|
|
|
- { generatingAnswerMessage != null && (
|
|
|
- <MessageCard role="assistant">{generatingAnswerMessage.content}</MessageCard>
|
|
|
- )}
|
|
|
- { messageLogs.length > 0 && (
|
|
|
- <div className="d-flex justify-content-center">
|
|
|
- <span className="bg-body-tertiary text-body-secondary rounded-pill px-3 py-1" style={{ fontSize: 'smaller' }}>
|
|
|
- {t('modal_aichat.caution_against_hallucination')}
|
|
|
- </span>
|
|
|
- </div>
|
|
|
- )}
|
|
|
- </div>
|
|
|
- </ModalBody>
|
|
|
-
|
|
|
- <ModalFooter className="flex-column align-items-start pt-0 pb-3 pb-lg-4 px-3 px-lg-4">
|
|
|
- <form onSubmit={form.handleSubmit(submit)} className="flex-fill vstack gap-3">
|
|
|
- <div className="flex-fill hstack gap-2 align-items-end m-0">
|
|
|
- <Controller
|
|
|
- name="input"
|
|
|
- control={form.control}
|
|
|
- render={({ field }) => (
|
|
|
- <ResizableTextarea
|
|
|
- {...field}
|
|
|
- required
|
|
|
- className="form-control textarea-ask"
|
|
|
- style={{ resize: 'none' }}
|
|
|
- rows={1}
|
|
|
- placeholder={!form.formState.isSubmitting ? t('modal_aichat.placeholder') : ''}
|
|
|
- onKeyDown={keyDownHandler}
|
|
|
- disabled={form.formState.isSubmitting}
|
|
|
- />
|
|
|
- )}
|
|
|
- />
|
|
|
- <button
|
|
|
- type="submit"
|
|
|
- className="btn btn-submit no-border"
|
|
|
- disabled={form.formState.isSubmitting || isGenerating}
|
|
|
- >
|
|
|
- <span className="material-symbols-outlined">send</span>
|
|
|
- </button>
|
|
|
- </div>
|
|
|
- <div className="form-check form-switch">
|
|
|
- <input
|
|
|
- id="swSummaryMode"
|
|
|
- type="checkbox"
|
|
|
- role="switch"
|
|
|
- className="form-check-input"
|
|
|
- {...form.register('summaryMode')}
|
|
|
- disabled={form.formState.isSubmitting || isGenerating}
|
|
|
- />
|
|
|
- <label className="form-check-label" htmlFor="swSummaryMode">
|
|
|
- {t('modal_aichat.summary_mode_label')}
|
|
|
- </label>
|
|
|
-
|
|
|
- {/* Help */}
|
|
|
- <a
|
|
|
- id="tooltipForHelpOfSummaryMode"
|
|
|
- role="button"
|
|
|
- className="ms-1"
|
|
|
- >
|
|
|
- <span className="material-symbols-outlined fs-6" style={{ lineHeight: 'unset' }}>help</span>
|
|
|
- </a>
|
|
|
- <UncontrolledTooltip
|
|
|
- target="tooltipForHelpOfSummaryMode"
|
|
|
- >
|
|
|
- {t('modal_aichat.summary_mode_help')}
|
|
|
- </UncontrolledTooltip>
|
|
|
- </div>
|
|
|
- </form>
|
|
|
-
|
|
|
-
|
|
|
- {form.formState.errors.input != null && (
|
|
|
- <div className="mt-4 bg-danger bg-opacity-10 rounded-3 p-2 w-100">
|
|
|
- <div>
|
|
|
- <span className="material-symbols-outlined text-danger me-2">error</span>
|
|
|
- <span className="text-danger">{ errorMessage != null ? t(errorMessage) : t('modal_aichat.error_message') }</span>
|
|
|
- </div>
|
|
|
-
|
|
|
- <button
|
|
|
- type="button"
|
|
|
- className="btn btn-link text-secondary p-0"
|
|
|
- aria-expanded={isErrorDetailCollapsed}
|
|
|
- onClick={() => setIsErrorDetailCollapsed(!isErrorDetailCollapsed)}
|
|
|
- >
|
|
|
- <span className={`material-symbols-outlined mt-2 me-1 ${isErrorDetailCollapsed ? 'rotate-90' : ''}`}>
|
|
|
- chevron_right
|
|
|
- </span>
|
|
|
- <span className="small">{t('modal_aichat.show_error_detail')}</span>
|
|
|
- </button>
|
|
|
-
|
|
|
- <Collapse isOpen={isErrorDetailCollapsed}>
|
|
|
- <div className="ms-2">
|
|
|
- <div className="">
|
|
|
- <div className="text-secondary small">
|
|
|
- {form.formState.errors.input?.message}
|
|
|
- </div>
|
|
|
- </div>
|
|
|
- </div>
|
|
|
- </Collapse>
|
|
|
- </div>
|
|
|
- )}
|
|
|
- </ModalFooter>
|
|
|
- </>
|
|
|
- );
|
|
|
-};
|
|
|
-
|
|
|
-
|
|
|
-export const AiChatModal = (): JSX.Element => {
|
|
|
-
|
|
|
- const { t } = useTranslation();
|
|
|
-
|
|
|
- const { data: ragSearchModalData, close: closeRagSearchModal } = useRagSearchModal();
|
|
|
-
|
|
|
- const isOpened = ragSearchModalData?.isOpened ?? false;
|
|
|
-
|
|
|
- return (
|
|
|
- <Modal size="lg" isOpen={isOpened} toggle={closeRagSearchModal} className={moduleClass} scrollable>
|
|
|
-
|
|
|
- <ModalHeader tag="h4" toggle={closeRagSearchModal} className="pe-4">
|
|
|
- <span className="growi-custom-icons growi-ai-chat-icon me-3 fs-4">ai_assistant</span>
|
|
|
- <span className="fw-bold">{t('modal_aichat.title')}</span>
|
|
|
- <span className="fs-5 text-body-secondary ms-3">{t('modal_aichat.title_beta_label')}</span>
|
|
|
- </ModalHeader>
|
|
|
-
|
|
|
- { isOpened && (
|
|
|
- <AiChatModalSubstance />
|
|
|
- ) }
|
|
|
-
|
|
|
- </Modal>
|
|
|
- );
|
|
|
-};
|