chat-with-gpt/app/src/components/input.tsx

291 lines
11 KiB
TypeScript
Raw Normal View History

2023-03-06 13:30:58 +00:00
import styled from '@emotion/styled';
import { Button, ActionIcon, Textarea, Loader, Popover } from '@mantine/core';
2023-03-14 11:00:40 +00:00
import { useMediaQuery } from '@mantine/hooks';
import { useCallback, useEffect, useMemo, useState } from 'react';
2023-03-14 11:00:40 +00:00
import { FormattedMessage, useIntl } from 'react-intl';
2023-03-08 21:30:11 +00:00
import { useLocation } from 'react-router-dom';
2023-03-06 13:30:58 +00:00
import { useAppContext } from '../context';
2023-03-10 22:00:37 +00:00
import { useAppDispatch, useAppSelector } from '../store';
import { selectMessage, setMessage } from '../store/message';
import { selectTemperature } from '../store/parameters';
import { openOpenAIApiKeyPanel, openSystemPromptPanel, openTemperaturePanel } from '../store/settings-ui';
import { speechRecognition, supportsSpeechRecognition } from '../speech-recognition-types'
import { useWhisper } from '@chengsokdara/use-whisper';
2023-03-19 07:22:23 +00:00
import { selectUseOpenAIWhisper, selectOpenAIApiKey } from '../store/api-keys';
2023-03-06 13:30:58 +00:00
const Container = styled.div`
background: #292933;
border-top: thin solid #393933;
padding: 1rem 1rem 0 1rem;
.inner {
max-width: 50rem;
margin: auto;
text-align: right;
}
.settings-button {
margin: 0.5rem -0.4rem 0.5rem 1rem;
font-size: 0.7rem;
color: #999;
}
`;
export declare type OnSubmit = (name?: string) => Promise<boolean>;
export interface MessageInputProps {
disabled?: boolean;
}
export default function MessageInput(props: MessageInputProps) {
2023-03-10 22:00:37 +00:00
const temperature = useAppSelector(selectTemperature);
const message = useAppSelector(selectMessage);
2023-03-18 12:49:30 +00:00
const [recording, setRecording] = useState(false);
const [speechError, setSpeechError] = useState<string | null>(null);
2023-03-14 11:00:40 +00:00
const hasVerticalSpace = useMediaQuery('(min-height: 1000px)');
const useOpenAIWhisper = useAppSelector(selectUseOpenAIWhisper);
2023-03-19 07:22:23 +00:00
const openAIApiKey = useAppSelector(selectOpenAIApiKey);
2023-03-18 12:49:30 +00:00
const [initialMessage, setInitialMessage] = useState('');
const {
transcribing,
transcript,
startRecording,
stopRecording,
} = useWhisper({
apiKey: openAIApiKey || ' ',
streaming: false,
});
2023-03-06 13:30:58 +00:00
const context = useAppContext();
2023-03-10 22:00:37 +00:00
const dispatch = useAppDispatch();
2023-03-14 11:00:40 +00:00
const intl = useIntl();
2023-03-06 13:30:58 +00:00
2023-03-10 22:01:45 +00:00
const onCustomizeSystemPromptClick = useCallback(() => dispatch(openSystemPromptPanel()), [dispatch]);
const onTemperatureClick = useCallback(() => dispatch(openTemperaturePanel()), [dispatch]);
2023-03-06 13:30:58 +00:00
const onChange = useCallback((e: React.ChangeEvent<HTMLTextAreaElement>) => {
2023-03-10 22:00:37 +00:00
dispatch(setMessage(e.target.value));
2023-03-10 22:01:45 +00:00
}, [dispatch]);
2023-03-10 22:00:37 +00:00
const pathname = useLocation().pathname;
2023-03-06 13:30:58 +00:00
const onSubmit = useCallback(async () => {
setSpeechError(null);
2023-03-10 22:00:37 +00:00
if (await context.onNewMessage(message)) {
dispatch(setMessage(''));
2023-03-06 13:30:58 +00:00
}
2023-03-10 22:00:37 +00:00
}, [context, message, dispatch]);
2023-03-06 13:30:58 +00:00
2023-03-20 14:46:01 +00:00
const onSpeechError = useCallback((e: any) => {
console.error('speech recognition error', e);
setSpeechError(e.message);
2023-03-19 07:22:23 +00:00
2023-03-20 14:46:01 +00:00
try {
speechRecognition?.stop();
2023-03-20 14:46:01 +00:00
} catch (e) {
}
2023-03-18 12:49:30 +00:00
2023-03-20 14:46:01 +00:00
try {
stopRecording();
2023-03-20 14:46:01 +00:00
} catch (e) { }
2023-03-18 12:49:30 +00:00
2023-03-20 14:46:01 +00:00
setRecording(false);
}, [stopRecording]);
const onHideSpeechError = useCallback(() => setSpeechError(null), []);
const onSpeechStart = useCallback(async () => {
let granted = false;
let denied = false;
try {
const result = await navigator.permissions.query({ name: 'microphone' as any });
if (result.state == 'granted') {
granted = true;
} else if (result.state == 'denied') {
denied = true;
}
} catch (e) {}
if (!granted && !denied) {
try {
const stream = await navigator.mediaDevices.getUserMedia({ video: false, audio: true });
stream.getTracks().forEach(track => track.stop());
granted = true;
} catch (e) {
denied = true;
}
}
if (denied) {
onSpeechError(new Error('speech permission was not granted'));
return;
}
2023-03-20 14:46:01 +00:00
try {
if (!recording) {
setRecording(true);
if (useOpenAIWhisper || !supportsSpeechRecognition) {
if (!openAIApiKey) {
dispatch(openOpenAIApiKeyPanel());
return false;
}
// recorder.start().catch(onSpeechError);
setInitialMessage(message);
await startRecording();
} else if (speechRecognition) {
2023-03-20 14:46:01 +00:00
const initialMessage = message;
speechRecognition.continuous = true;
speechRecognition.interimResults = true;
speechRecognition.onresult = (event) => {
let transcript = '';
for (let i = 0; i < event.results.length; i++) {
if (event.results[i].isFinal && event.results[i][0].confidence) {
transcript += event.results[i][0].transcript;
}
2023-03-20 14:46:01 +00:00
}
dispatch(setMessage(initialMessage + ' ' + transcript));
};
2023-03-20 14:46:01 +00:00
speechRecognition.start();
} else {
onSpeechError(new Error('not supported'));
2023-03-20 14:46:01 +00:00
}
} else {
if (useOpenAIWhisper || !supportsSpeechRecognition) {
await stopRecording();
setTimeout(() => setRecording(false), 500);
} else if (speechRecognition) {
2023-03-20 14:46:01 +00:00
speechRecognition.stop();
setRecording(false);
} else {
onSpeechError(new Error('not supported'));
2023-03-20 14:46:01 +00:00
}
}
2023-03-20 14:46:01 +00:00
} catch (e) {
onSpeechError(e);
2023-03-18 12:49:30 +00:00
}
}, [recording, message, dispatch, onSpeechError, setInitialMessage, openAIApiKey]);
2023-03-18 12:49:30 +00:00
useEffect(() => {
if (useOpenAIWhisper || !supportsSpeechRecognition) {
if (!transcribing && !recording && transcript?.text) {
dispatch(setMessage(initialMessage + ' ' + transcript.text));
}
}
}, [initialMessage, transcript, recording, transcribing, useOpenAIWhisper, dispatch]);
2023-03-18 12:49:30 +00:00
2023-03-06 13:30:58 +00:00
const onKeyDown = useCallback((e: React.KeyboardEvent<HTMLTextAreaElement>) => {
2023-03-08 21:30:11 +00:00
if (e.key === 'Enter' && e.shiftKey === false && !props.disabled) {
2023-03-06 13:30:58 +00:00
e.preventDefault();
onSubmit();
}
}, [onSubmit, props.disabled]);
const rightSection = useMemo(() => {
return (
<div style={{
opacity: '0.8',
2023-03-14 11:00:40 +00:00
paddingRight: '0.5rem',
display: 'flex',
justifyContent: 'flex-end',
alignItems: 'center',
width: '100%',
2023-03-06 13:30:58 +00:00
}}>
2023-03-14 11:00:40 +00:00
{context.generating && (<>
<Button variant="subtle" size="xs" compact onClick={() => {
context.chat.cancelReply(context.currentChat.leaf!.id);
}}>
2023-03-16 20:05:45 +00:00
<FormattedMessage defaultMessage={"Cancel"} description="Label for the button that can be clicked while the AI is generating a response to cancel generation" />
2023-03-14 11:00:40 +00:00
</Button>
<Loader size="xs" style={{ padding: '0 0.8rem 0 0.5rem' }} />
</>)}
{!context.generating && (
2023-03-18 12:49:30 +00:00
<>
<Popover width={200} position="bottom" withArrow shadow="md" opened={speechError !== null}>
<Popover.Target>
<ActionIcon size="xl"
onClick={onSpeechStart}>
{transcribing && <Loader size="xs" />}
{!transcribing && <i className="fa fa-microphone" style={{ fontSize: '90%', color: recording ? 'red' : 'inherit' }} />}
</ActionIcon>
</Popover.Target>
<Popover.Dropdown>
<div style={{
display: 'flex',
flexDirection: 'column',
alignItems: 'flex-start',
}}>
<p style={{
fontFamily: `"Work Sans", sans-serif`,
fontSize: '0.9rem',
textAlign: 'center',
marginBottom: '0.5rem',
}}>
Sorry, an error occured trying to record audio.
</p>
<Button variant="light" size="xs" fullWidth onClick={onHideSpeechError}>
Close
</Button>
</div>
</Popover.Dropdown>
</Popover>
<ActionIcon size="xl"
onClick={onSubmit}>
<i className="fa fa-paper-plane" style={{ fontSize: '90%' }} />
</ActionIcon>
2023-03-18 12:49:30 +00:00
</>
2023-03-14 11:00:40 +00:00
)}
2023-03-06 13:30:58 +00:00
</div>
);
}, [recording, transcribing, onSubmit, onSpeechStart, props.disabled, context.generating, speechError, onHideSpeechError]);
2023-03-06 13:30:58 +00:00
2023-03-14 11:00:40 +00:00
const disabled = context.generating;
2023-03-08 21:30:11 +00:00
const isLandingPage = pathname === '/';
if (context.isShare || (!isLandingPage && !context.id)) {
return null;
}
2023-03-10 22:00:37 +00:00
2023-03-06 13:30:58 +00:00
return <Container>
<div className="inner">
2023-03-08 21:30:11 +00:00
<Textarea disabled={props.disabled || disabled}
2023-03-06 13:30:58 +00:00
autosize
2023-03-14 11:00:40 +00:00
minRows={(hasVerticalSpace || context.isHome) ? 3 : 2}
2023-03-06 13:30:58 +00:00
maxRows={12}
2023-03-14 11:00:40 +00:00
placeholder={intl.formatMessage({ defaultMessage: "Enter a message here..." })}
2023-03-10 22:00:37 +00:00
value={message}
2023-03-06 13:30:58 +00:00
onChange={onChange}
rightSection={rightSection}
2023-03-14 11:00:40 +00:00
rightSectionWidth={context.generating ? 100 : 55}
2023-03-06 13:30:58 +00:00
onKeyDown={onKeyDown} />
<div>
2023-03-08 21:30:11 +00:00
<Button variant="subtle"
className="settings-button"
size="xs"
compact
2023-03-10 22:00:37 +00:00
onClick={onCustomizeSystemPromptClick}>
2023-03-14 11:00:40 +00:00
<span>
2023-03-16 20:05:45 +00:00
<FormattedMessage defaultMessage={"Customize system prompt"} description="Label for the button that opens a modal for customizing the 'system prompt', a message used to customize and influence how the AI responds." />
2023-03-14 11:00:40 +00:00
</span>
2023-03-06 13:30:58 +00:00
</Button>
2023-03-08 21:30:11 +00:00
<Button variant="subtle"
className="settings-button"
size="xs"
compact
2023-03-10 22:00:37 +00:00
onClick={onTemperatureClick}>
2023-03-14 11:00:40 +00:00
<span>
<FormattedMessage defaultMessage="Temperature: {temperature, number, ::.0}"
2023-03-16 20:05:45 +00:00
description="Label for the button that opens a modal for setting the 'temperature' (randomness) of AI responses"
2023-03-14 11:00:40 +00:00
values={{ temperature }} />
</span>
2023-03-06 13:30:58 +00:00
</Button>
</div>
</div>
</Container>;
}