server : (webui) migrate project to ReactJS with typescript (#11688)
* init version * fix auto scroll * bring back copy btn * bring back thought process * add lint and format check on CI * remove lang from html tag * allow multiple generations at the same time * lint and format combined * fix unused var * improve MarkdownDisplay * fix more latex * fix code block cannot be selected while generating
This commit is contained in:
		
							parent
							
								
									9ab42dc722
								
							
						
					
					
						commit
						2fb3c32a16
					
				
					 31 changed files with 7100 additions and 2883 deletions
				
			
		
							
								
								
									
										229
									
								
								examples/server/webui/src/components/ChatMessage.tsx
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										229
									
								
								examples/server/webui/src/components/ChatMessage.tsx
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,229 @@ | |||
| import { useMemo, useState } from 'react'; | ||||
| import { useAppContext } from '../utils/app.context'; | ||||
| import { Message, PendingMessage } from '../utils/types'; | ||||
| import { classNames } from '../utils/misc'; | ||||
| import MarkdownDisplay, { CopyButton } from './MarkdownDisplay'; | ||||
| 
 | ||||
| interface SplitMessage { | ||||
|   content: PendingMessage['content']; | ||||
|   thought?: string; | ||||
|   isThinking?: boolean; | ||||
| } | ||||
| 
 | ||||
| export default function ChatMessage({ | ||||
|   msg, | ||||
|   id, | ||||
|   scrollToBottom, | ||||
|   isPending, | ||||
| }: { | ||||
|   msg: Message | PendingMessage; | ||||
|   id?: string; | ||||
|   scrollToBottom: (requiresNearBottom: boolean) => void; | ||||
|   isPending?: boolean; | ||||
| }) { | ||||
|   const { viewingConversation, replaceMessageAndGenerate, config } = | ||||
|     useAppContext(); | ||||
|   const [editingContent, setEditingContent] = useState<string | null>(null); | ||||
|   const timings = useMemo( | ||||
|     () => | ||||
|       msg.timings | ||||
|         ? { | ||||
|             ...msg.timings, | ||||
|             prompt_per_second: | ||||
|               (msg.timings.prompt_n / msg.timings.prompt_ms) * 1000, | ||||
|             predicted_per_second: | ||||
|               (msg.timings.predicted_n / msg.timings.predicted_ms) * 1000, | ||||
|           } | ||||
|         : null, | ||||
|     [msg.timings] | ||||
|   ); | ||||
| 
 | ||||
|   // for reasoning model, we split the message into content and thought
 | ||||
|   // TODO: implement this as remark/rehype plugin in the future
 | ||||
|   const { content, thought, isThinking }: SplitMessage = useMemo(() => { | ||||
|     if (msg.content === null || msg.role !== 'assistant') { | ||||
|       return { content: msg.content }; | ||||
|     } | ||||
|     let actualContent = ''; | ||||
|     let thought = ''; | ||||
|     let isThinking = false; | ||||
|     let thinkSplit = msg.content.split('<think>', 2); | ||||
|     actualContent += thinkSplit[0]; | ||||
|     while (thinkSplit[1] !== undefined) { | ||||
|       // <think> tag found
 | ||||
|       thinkSplit = thinkSplit[1].split('</think>', 2); | ||||
|       thought += thinkSplit[0]; | ||||
|       isThinking = true; | ||||
|       if (thinkSplit[1] !== undefined) { | ||||
|         // </think> closing tag found
 | ||||
|         isThinking = false; | ||||
|         thinkSplit = thinkSplit[1].split('<think>', 2); | ||||
|         actualContent += thinkSplit[0]; | ||||
|       } | ||||
|     } | ||||
|     return { content: actualContent, thought, isThinking }; | ||||
|   }, [msg]); | ||||
| 
 | ||||
|   if (!viewingConversation) return null; | ||||
| 
 | ||||
|   const regenerate = async () => { | ||||
|     replaceMessageAndGenerate(viewingConversation.id, msg.id, undefined, () => | ||||
|       scrollToBottom(true) | ||||
|     ); | ||||
|   }; | ||||
| 
 | ||||
|   return ( | ||||
|     <div className="group" id={id}> | ||||
|       <div | ||||
|         className={classNames({ | ||||
|           chat: true, | ||||
|           'chat-start': msg.role !== 'user', | ||||
|           'chat-end': msg.role === 'user', | ||||
|         })} | ||||
|       > | ||||
|         <div | ||||
|           className={classNames({ | ||||
|             'chat-bubble markdown': true, | ||||
|             'chat-bubble-base-300': msg.role !== 'user', | ||||
|           })} | ||||
|         > | ||||
|           {/* textarea for editing message */} | ||||
|           {editingContent !== null && ( | ||||
|             <> | ||||
|               <textarea | ||||
|                 dir="auto" | ||||
|                 className="textarea textarea-bordered bg-base-100 text-base-content w-[calc(90vw-8em)] lg:w-96" | ||||
|                 value={editingContent} | ||||
|                 onChange={(e) => setEditingContent(e.target.value)} | ||||
|               ></textarea> | ||||
|               <br /> | ||||
|               <button | ||||
|                 className="btn btn-ghost mt-2 mr-2" | ||||
|                 onClick={() => setEditingContent(null)} | ||||
|               > | ||||
|                 Cancel | ||||
|               </button> | ||||
|               <button | ||||
|                 className="btn mt-2" | ||||
|                 onClick={() => | ||||
|                   replaceMessageAndGenerate( | ||||
|                     viewingConversation.id, | ||||
|                     msg.id, | ||||
|                     editingContent | ||||
|                   ) | ||||
|                 } | ||||
|               > | ||||
|                 Submit | ||||
|               </button> | ||||
|             </> | ||||
|           )} | ||||
|           {/* not editing content, render message */} | ||||
|           {editingContent === null && ( | ||||
|             <> | ||||
|               {content === null ? ( | ||||
|                 <> | ||||
|                   {/* show loading dots for pending message */} | ||||
|                   <span className="loading loading-dots loading-md"></span> | ||||
|                 </> | ||||
|               ) : ( | ||||
|                 <> | ||||
|                   {/* render message as markdown */} | ||||
|                   <div dir="auto"> | ||||
|                     {thought && ( | ||||
|                       <details | ||||
|                         className="collapse bg-base-200 collapse-arrow mb-4" | ||||
|                         open={isThinking && config.showThoughtInProgress} | ||||
|                       > | ||||
|                         <summary className="collapse-title"> | ||||
|                           {isPending && isThinking ? ( | ||||
|                             <span> | ||||
|                               <span | ||||
|                                 v-if="isGenerating" | ||||
|                                 className="loading loading-spinner loading-md mr-2" | ||||
|                                 style={{ verticalAlign: 'middle' }} | ||||
|                               ></span> | ||||
|                               <b>Thinking</b> | ||||
|                             </span> | ||||
|                           ) : ( | ||||
|                             <b>Thought Process</b> | ||||
|                           )} | ||||
|                         </summary> | ||||
|                         <div className="collapse-content"> | ||||
|                           <MarkdownDisplay content={thought} /> | ||||
|                         </div> | ||||
|                       </details> | ||||
|                     )} | ||||
|                     <MarkdownDisplay content={content} /> | ||||
|                   </div> | ||||
|                 </> | ||||
|               )} | ||||
|               {/* render timings if enabled */} | ||||
|               {timings && config.showTokensPerSecond && ( | ||||
|                 <div className="dropdown dropdown-hover dropdown-top mt-2"> | ||||
|                   <div | ||||
|                     tabIndex={0} | ||||
|                     role="button" | ||||
|                     className="cursor-pointer font-semibold text-sm opacity-60" | ||||
|                   > | ||||
|                     Speed: {timings.predicted_per_second.toFixed(1)} t/s | ||||
|                   </div> | ||||
|                   <div className="dropdown-content bg-base-100 z-10 w-64 p-2 shadow mt-4"> | ||||
|                     <b>Prompt</b> | ||||
|                     <br />- Tokens: {timings.prompt_n} | ||||
|                     <br />- Time: {timings.prompt_ms} ms | ||||
|                     <br />- Speed: {timings.prompt_per_second.toFixed(1)} t/s | ||||
|                     <br /> | ||||
|                     <b>Generation</b> | ||||
|                     <br />- Tokens: {timings.predicted_n} | ||||
|                     <br />- Time: {timings.predicted_ms} ms | ||||
|                     <br />- Speed: {timings.predicted_per_second.toFixed(1)} t/s | ||||
|                     <br /> | ||||
|                   </div> | ||||
|                 </div> | ||||
|               )} | ||||
|             </> | ||||
|           )} | ||||
|         </div> | ||||
|       </div> | ||||
| 
 | ||||
|       {/* actions for each message */} | ||||
|       {msg.content !== null && ( | ||||
|         <div | ||||
|           className={classNames({ | ||||
|             'mx-4 mt-2 mb-2': true, | ||||
|             'text-right': msg.role === 'user', | ||||
|           })} | ||||
|         > | ||||
|           {/* user message */} | ||||
|           {msg.role === 'user' && ( | ||||
|             <button | ||||
|               className="badge btn-mini show-on-hover" | ||||
|               onClick={() => setEditingContent(msg.content)} | ||||
|               disabled={msg.content === null} | ||||
|             > | ||||
|               ✍️ Edit | ||||
|             </button> | ||||
|           )} | ||||
|           {/* assistant message */} | ||||
|           {msg.role === 'assistant' && ( | ||||
|             <> | ||||
|               {!isPending && ( | ||||
|                 <button | ||||
|                   className="badge btn-mini show-on-hover mr-2" | ||||
|                   onClick={regenerate} | ||||
|                   disabled={msg.content === null} | ||||
|                 > | ||||
|                   🔄 Regenerate | ||||
|                 </button> | ||||
|               )} | ||||
|               <CopyButton | ||||
|                 className="badge btn-mini show-on-hover mr-2" | ||||
|                 content={msg.content} | ||||
|               /> | ||||
|             </> | ||||
|           )} | ||||
|         </div> | ||||
|       )} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
							
								
								
									
										123
									
								
								examples/server/webui/src/components/ChatScreen.tsx
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										123
									
								
								examples/server/webui/src/components/ChatScreen.tsx
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,123 @@ | |||
| import { useEffect, useRef, useState } from 'react'; | ||||
| import { useAppContext } from '../utils/app.context'; | ||||
| import StorageUtils from '../utils/storage'; | ||||
| import { useNavigate } from 'react-router'; | ||||
| import ChatMessage from './ChatMessage'; | ||||
| import { PendingMessage } from '../utils/types'; | ||||
| 
 | ||||
| export default function ChatScreen() { | ||||
|   const { | ||||
|     viewingConversation, | ||||
|     sendMessage, | ||||
|     isGenerating, | ||||
|     stopGenerating, | ||||
|     pendingMessages, | ||||
|   } = useAppContext(); | ||||
|   const [inputMsg, setInputMsg] = useState(''); | ||||
|   const containerRef = useRef<HTMLDivElement>(null); | ||||
|   const navigate = useNavigate(); | ||||
| 
 | ||||
|   const currConvId = viewingConversation?.id ?? ''; | ||||
|   const pendingMsg: PendingMessage | undefined = pendingMessages[currConvId]; | ||||
| 
 | ||||
|   const scrollToBottom = (requiresNearBottom: boolean) => { | ||||
|     if (!containerRef.current) return; | ||||
|     const msgListElem = containerRef.current; | ||||
|     const spaceToBottom = | ||||
|       msgListElem.scrollHeight - | ||||
|       msgListElem.scrollTop - | ||||
|       msgListElem.clientHeight; | ||||
|     if (!requiresNearBottom || spaceToBottom < 50) { | ||||
|       setTimeout( | ||||
|         () => msgListElem.scrollTo({ top: msgListElem.scrollHeight }), | ||||
|         1 | ||||
|       ); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   // scroll to bottom when conversation changes
 | ||||
|   useEffect(() => { | ||||
|     scrollToBottom(false); | ||||
|   }, [viewingConversation?.id]); | ||||
| 
 | ||||
|   const sendNewMessage = async () => { | ||||
|     if (inputMsg.trim().length === 0 || isGenerating(currConvId)) return; | ||||
|     const convId = viewingConversation?.id ?? StorageUtils.getNewConvId(); | ||||
|     const lastInpMsg = inputMsg; | ||||
|     setInputMsg(''); | ||||
|     if (!viewingConversation) { | ||||
|       // if user is creating a new conversation, redirect to the new conversation
 | ||||
|       navigate(`/chat/${convId}`); | ||||
|     } | ||||
|     scrollToBottom(false); | ||||
|     // auto scroll as message is being generated
 | ||||
|     const onChunk = () => scrollToBottom(true); | ||||
|     if (!(await sendMessage(convId, inputMsg, onChunk))) { | ||||
|       // restore the input message if failed
 | ||||
|       setInputMsg(lastInpMsg); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   return ( | ||||
|     <> | ||||
|       {/* chat messages */} | ||||
|       <div | ||||
|         id="messages-list" | ||||
|         className="flex flex-col grow overflow-y-auto" | ||||
|         ref={containerRef} | ||||
|       > | ||||
|         <div className="mt-auto flex justify-center"> | ||||
|           {/* placeholder to shift the message to the bottom */} | ||||
|           {viewingConversation ? '' : 'Send a message to start'} | ||||
|         </div> | ||||
|         {viewingConversation?.messages.map((msg) => ( | ||||
|           <ChatMessage key={msg.id} msg={msg} scrollToBottom={scrollToBottom} /> | ||||
|         ))} | ||||
| 
 | ||||
|         {pendingMsg && ( | ||||
|           <ChatMessage | ||||
|             msg={pendingMsg} | ||||
|             scrollToBottom={scrollToBottom} | ||||
|             isPending | ||||
|             id="pending-msg" | ||||
|           /> | ||||
|         )} | ||||
|       </div> | ||||
| 
 | ||||
|       {/* chat input */} | ||||
|       <div className="flex flex-row items-center mt-8 mb-6"> | ||||
|         <textarea | ||||
|           className="textarea textarea-bordered w-full" | ||||
|           placeholder="Type a message (Shift+Enter to add a new line)" | ||||
|           value={inputMsg} | ||||
|           onChange={(e) => setInputMsg(e.target.value)} | ||||
|           onKeyDown={(e) => { | ||||
|             if (e.key === 'Enter' && e.shiftKey) return; | ||||
|             if (e.key === 'Enter' && !e.shiftKey) { | ||||
|               e.preventDefault(); | ||||
|               sendNewMessage(); | ||||
|             } | ||||
|           }} | ||||
|           id="msg-input" | ||||
|           dir="auto" | ||||
|         ></textarea> | ||||
|         {isGenerating(currConvId) ? ( | ||||
|           <button | ||||
|             className="btn btn-neutral ml-2" | ||||
|             onClick={() => stopGenerating(currConvId)} | ||||
|           > | ||||
|             Stop | ||||
|           </button> | ||||
|         ) : ( | ||||
|           <button | ||||
|             className="btn btn-primary ml-2" | ||||
|             onClick={sendNewMessage} | ||||
|             disabled={inputMsg.trim().length === 0} | ||||
|           > | ||||
|             Send | ||||
|           </button> | ||||
|         )} | ||||
|       </div> | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
							
								
								
									
										182
									
								
								examples/server/webui/src/components/Header.tsx
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										182
									
								
								examples/server/webui/src/components/Header.tsx
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,182 @@ | |||
| import { useEffect, useState } from 'react'; | ||||
| import StorageUtils from '../utils/storage'; | ||||
| import { useAppContext } from '../utils/app.context'; | ||||
| import { classNames } from '../utils/misc'; | ||||
| import daisyuiThemes from 'daisyui/src/theming/themes'; | ||||
| import { THEMES } from '../Config'; | ||||
| import { useNavigate } from 'react-router'; | ||||
| import SettingDialog from './SettingDialog'; | ||||
| 
 | ||||
| export default function Header() { | ||||
|   const navigate = useNavigate(); | ||||
|   const [selectedTheme, setSelectedTheme] = useState(StorageUtils.getTheme()); | ||||
|   const [showSettingDialog, setShowSettingDialog] = useState(false); | ||||
| 
 | ||||
|   const setTheme = (theme: string) => { | ||||
|     StorageUtils.setTheme(theme); | ||||
|     setSelectedTheme(theme); | ||||
|   }; | ||||
| 
 | ||||
|   useEffect(() => { | ||||
|     document.body.setAttribute('data-theme', selectedTheme); | ||||
|     document.body.setAttribute( | ||||
|       'data-color-scheme', | ||||
|       // @ts-expect-error daisyuiThemes complains about index type, but it should work
 | ||||
|       daisyuiThemes[selectedTheme]?.['color-scheme'] ?? 'auto' | ||||
|     ); | ||||
|   }, [selectedTheme]); | ||||
| 
 | ||||
|   const { isGenerating, viewingConversation } = useAppContext(); | ||||
|   const isCurrConvGenerating = isGenerating(viewingConversation?.id ?? ''); | ||||
| 
 | ||||
|   const removeConversation = () => { | ||||
|     if (isCurrConvGenerating || !viewingConversation) return; | ||||
|     const convId = viewingConversation.id; | ||||
|     if (window.confirm('Are you sure to delete this conversation?')) { | ||||
|       StorageUtils.remove(convId); | ||||
|       navigate('/'); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   const downloadConversation = () => { | ||||
|     if (isCurrConvGenerating || !viewingConversation) return; | ||||
|     const convId = viewingConversation.id; | ||||
|     const conversationJson = JSON.stringify(viewingConversation, null, 2); | ||||
|     const blob = new Blob([conversationJson], { type: 'application/json' }); | ||||
|     const url = URL.createObjectURL(blob); | ||||
|     const a = document.createElement('a'); | ||||
|     a.href = url; | ||||
|     a.download = `conversation_${convId}.json`; | ||||
|     document.body.appendChild(a); | ||||
|     a.click(); | ||||
|     document.body.removeChild(a); | ||||
|     URL.revokeObjectURL(url); | ||||
|   }; | ||||
| 
 | ||||
|   return ( | ||||
|     <div className="flex flex-row items-center mt-6 mb-6"> | ||||
|       {/* open sidebar button */} | ||||
|       <label htmlFor="toggle-drawer" className="btn btn-ghost lg:hidden"> | ||||
|         <svg | ||||
|           xmlns="http://www.w3.org/2000/svg" | ||||
|           width="16" | ||||
|           height="16" | ||||
|           fill="currentColor" | ||||
|           className="bi bi-list" | ||||
|           viewBox="0 0 16 16" | ||||
|         > | ||||
|           <path | ||||
|             fillRule="evenodd" | ||||
|             d="M2.5 12a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5m0-4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5m0-4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5" | ||||
|           /> | ||||
|         </svg> | ||||
|       </label> | ||||
| 
 | ||||
|       <div className="grow text-2xl font-bold ml-2">llama.cpp</div> | ||||
| 
 | ||||
|       {/* action buttons (top right) */} | ||||
|       <div className="flex items-center"> | ||||
|         <div v-if="messages.length > 0" className="dropdown dropdown-end"> | ||||
|           {/* "..." button */} | ||||
|           <button | ||||
|             tabIndex={0} | ||||
|             role="button" | ||||
|             className="btn m-1" | ||||
|             disabled={isCurrConvGenerating} | ||||
|           > | ||||
|             <svg | ||||
|               xmlns="http://www.w3.org/2000/svg" | ||||
|               width="16" | ||||
|               height="16" | ||||
|               fill="currentColor" | ||||
|               className="bi bi-three-dots-vertical" | ||||
|               viewBox="0 0 16 16" | ||||
|             > | ||||
|               <path d="M9.5 13a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0m0-5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0m0-5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0" /> | ||||
|             </svg> | ||||
|           </button> | ||||
|           {/* dropdown menu */} | ||||
|           <ul | ||||
|             tabIndex={0} | ||||
|             className="dropdown-content menu bg-base-100 rounded-box z-[1] w-52 p-2 shadow" | ||||
|           > | ||||
|             <li onClick={downloadConversation}> | ||||
|               <a>Download</a> | ||||
|             </li> | ||||
|             <li className="text-error" onClick={removeConversation}> | ||||
|               <a>Delete</a> | ||||
|             </li> | ||||
|           </ul> | ||||
|         </div> | ||||
|         <div className="tooltip tooltip-bottom" data-tip="Settings"> | ||||
|           <button className="btn" onClick={() => setShowSettingDialog(true)}> | ||||
|             {/* settings button */} | ||||
|             <svg | ||||
|               xmlns="http://www.w3.org/2000/svg" | ||||
|               width="16" | ||||
|               height="16" | ||||
|               fill="currentColor" | ||||
|               className="bi bi-gear" | ||||
|               viewBox="0 0 16 16" | ||||
|             > | ||||
|               <path d="M8 4.754a3.246 3.246 0 1 0 0 6.492 3.246 3.246 0 0 0 0-6.492M5.754 8a2.246 2.246 0 1 1 4.492 0 2.246 2.246 0 0 1-4.492 0" /> | ||||
|               <path d="M9.796 1.343c-.527-1.79-3.065-1.79-3.592 0l-.094.319a.873.873 0 0 1-1.255.52l-.292-.16c-1.64-.892-3.433.902-2.54 2.541l.159.292a.873.873 0 0 1-.52 1.255l-.319.094c-1.79.527-1.79 3.065 0 3.592l.319.094a.873.873 0 0 1 .52 1.255l-.16.292c-.892 1.64.901 3.434 2.541 2.54l.292-.159a.873.873 0 0 1 1.255.52l.094.319c.527 1.79 3.065 1.79 3.592 0l.094-.319a.873.873 0 0 1 1.255-.52l.292.16c1.64.893 3.434-.902 2.54-2.541l-.159-.292a.873.873 0 0 1 .52-1.255l.319-.094c1.79-.527 1.79-3.065 0-3.592l-.319-.094a.873.873 0 0 1-.52-1.255l.16-.292c.893-1.64-.902-3.433-2.541-2.54l-.292.159a.873.873 0 0 1-1.255-.52zm-2.633.283c.246-.835 1.428-.835 1.674 0l.094.319a1.873 1.873 0 0 0 2.693 1.115l.291-.16c.764-.415 1.6.42 1.184 1.185l-.159.292a1.873 1.873 0 0 0 1.116 2.692l.318.094c.835.246.835 1.428 0 1.674l-.319.094a1.873 1.873 0 0 0-1.115 2.693l.16.291c.415.764-.42 1.6-1.185 1.184l-.291-.159a1.873 1.873 0 0 0-2.693 1.116l-.094.318c-.246.835-1.428.835-1.674 0l-.094-.319a1.873 1.873 0 0 0-2.692-1.115l-.292.16c-.764.415-1.6-.42-1.184-1.185l.159-.291A1.873 1.873 0 0 0 1.945 8.93l-.319-.094c-.835-.246-.835-1.428 0-1.674l.319-.094A1.873 1.873 0 0 0 3.06 4.377l-.16-.292c-.415-.764.42-1.6 1.185-1.184l.292.159a1.873 1.873 0 0 0 2.692-1.115z" /> | ||||
|             </svg> | ||||
|           </button> | ||||
|         </div> | ||||
| 
 | ||||
|         {/* theme controller is copied from https://daisyui.com/components/theme-controller/ */} | ||||
|         <div className="tooltip tooltip-bottom" data-tip="Themes"> | ||||
|           <div className="dropdown dropdown-end dropdown-bottom"> | ||||
|             <div tabIndex={0} role="button" className="btn m-1"> | ||||
|               <svg | ||||
|                 xmlns="http://www.w3.org/2000/svg" | ||||
|                 width="16" | ||||
|                 height="16" | ||||
|                 fill="currentColor" | ||||
|                 className="bi bi-palette2" | ||||
|                 viewBox="0 0 16 16" | ||||
|               > | ||||
|                 <path d="M0 .5A.5.5 0 0 1 .5 0h5a.5.5 0 0 1 .5.5v5.277l4.147-4.131a.5.5 0 0 1 .707 0l3.535 3.536a.5.5 0 0 1 0 .708L10.261 10H15.5a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5H3a3 3 0 0 1-2.121-.879A3 3 0 0 1 0 13.044m6-.21 7.328-7.3-2.829-2.828L6 7.188zM4.5 13a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0M15 15v-4H9.258l-4.015 4zM0 .5v12.495zm0 12.495V13z" /> | ||||
|               </svg> | ||||
|             </div> | ||||
|             <ul | ||||
|               tabIndex={0} | ||||
|               className="dropdown-content bg-base-300 rounded-box z-[1] w-52 p-2 shadow-2xl h-80 overflow-y-auto" | ||||
|             > | ||||
|               <li> | ||||
|                 <button | ||||
|                   className={classNames({ | ||||
|                     'btn btn-sm btn-block btn-ghost justify-start': true, | ||||
|                     'btn-active': selectedTheme === 'auto', | ||||
|                   })} | ||||
|                   onClick={() => setTheme('auto')} | ||||
|                 > | ||||
|                   auto | ||||
|                 </button> | ||||
|               </li> | ||||
|               {THEMES.map((theme) => ( | ||||
|                 <li key={theme}> | ||||
|                   <input | ||||
|                     type="radio" | ||||
|                     name="theme-dropdown" | ||||
|                     className="theme-controller btn btn-sm btn-block btn-ghost justify-start" | ||||
|                     aria-label={theme} | ||||
|                     value={theme} | ||||
|                     checked={selectedTheme === theme} | ||||
|                     onChange={(e) => e.target.checked && setTheme(theme)} | ||||
|                   /> | ||||
|                 </li> | ||||
|               ))} | ||||
|             </ul> | ||||
|           </div> | ||||
|         </div> | ||||
|       </div> | ||||
| 
 | ||||
|       <SettingDialog | ||||
|         show={showSettingDialog} | ||||
|         onClose={() => setShowSettingDialog(false)} | ||||
|       /> | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
							
								
								
									
										254
									
								
								examples/server/webui/src/components/MarkdownDisplay.tsx
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										254
									
								
								examples/server/webui/src/components/MarkdownDisplay.tsx
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,254 @@ | |||
| import React, { useMemo, useState } from 'react'; | ||||
| import Markdown, { ExtraProps } from 'react-markdown'; | ||||
| import remarkGfm from 'remark-gfm'; | ||||
| import rehypeHightlight from 'rehype-highlight'; | ||||
| import rehypeKatex from 'rehype-katex'; | ||||
| import remarkMath from 'remark-math'; | ||||
| import remarkBreaks from 'remark-breaks'; | ||||
| import 'katex/dist/katex.min.css'; | ||||
| import { classNames, copyStr } from '../utils/misc'; | ||||
| import { ElementContent, Root } from 'hast'; | ||||
| import { visit } from 'unist-util-visit'; | ||||
| 
 | ||||
| export default function MarkdownDisplay({ content }: { content: string }) { | ||||
|   const preprocessedContent = useMemo( | ||||
|     () => preprocessLaTeX(content), | ||||
|     [content] | ||||
|   ); | ||||
|   return ( | ||||
|     <Markdown | ||||
|       remarkPlugins={[remarkGfm, remarkMath, remarkBreaks]} | ||||
|       rehypePlugins={[rehypeHightlight, rehypeKatex, rehypeCustomCopyButton]} | ||||
|       components={{ | ||||
|         button: (props) => ( | ||||
|           <CopyCodeButton {...props} origContent={preprocessedContent} /> | ||||
|         ), | ||||
|       }} | ||||
|     > | ||||
|       {preprocessedContent} | ||||
|     </Markdown> | ||||
|   ); | ||||
| } | ||||
| 
 | ||||
| const CopyCodeButton: React.ElementType< | ||||
|   React.ClassAttributes<HTMLButtonElement> & | ||||
|     React.HTMLAttributes<HTMLButtonElement> & | ||||
|     ExtraProps & { origContent: string } | ||||
| > = ({ node, origContent }) => { | ||||
|   const startOffset = node?.position?.start.offset ?? 0; | ||||
|   const endOffset = node?.position?.end.offset ?? 0; | ||||
| 
 | ||||
|   const copiedContent = useMemo( | ||||
|     () => | ||||
|       origContent | ||||
|         .substring(startOffset, endOffset) | ||||
|         .replace(/^```[^\n]+\n/g, '') | ||||
|         .replace(/```$/g, ''), | ||||
|     [origContent, startOffset, endOffset] | ||||
|   ); | ||||
| 
 | ||||
|   return ( | ||||
|     <div | ||||
|       className={classNames({ | ||||
|         'text-right sticky top-4 mb-2 mr-2 h-0': true, | ||||
|         'display-none': !node?.position, | ||||
|       })} | ||||
|     > | ||||
|       <CopyButton className="badge btn-mini" content={copiedContent} /> | ||||
|     </div> | ||||
|   ); | ||||
| }; | ||||
| 
 | ||||
| export const CopyButton = ({ | ||||
|   content, | ||||
|   className, | ||||
| }: { | ||||
|   content: string; | ||||
|   className?: string; | ||||
| }) => { | ||||
|   const [copied, setCopied] = useState(false); | ||||
|   return ( | ||||
|     <button | ||||
|       className={className} | ||||
|       onClick={() => { | ||||
|         copyStr(content); | ||||
|         setCopied(true); | ||||
|       }} | ||||
|       onMouseLeave={() => setCopied(false)} | ||||
|     > | ||||
|       {copied ? 'Copied!' : '📋 Copy'} | ||||
|     </button> | ||||
|   ); | ||||
| }; | ||||
| 
 | ||||
| /** | ||||
|  * This injects the "button" element before each "pre" element. | ||||
|  * The actual button will be replaced with a react component in the MarkdownDisplay. | ||||
|  * We don't replace "pre" node directly because it will cause the node to re-render, which causes this bug: https://github.com/ggerganov/llama.cpp/issues/9608
 | ||||
|  */ | ||||
| function rehypeCustomCopyButton() { | ||||
|   return function (tree: Root) { | ||||
|     visit(tree, 'element', function (node) { | ||||
|       if (node.tagName === 'pre' && !node.properties.visited) { | ||||
|         const preNode = { ...node }; | ||||
|         // replace current node
 | ||||
|         preNode.properties.visited = 'true'; | ||||
|         node.tagName = 'div'; | ||||
|         node.properties = { | ||||
|           className: 'relative my-4', | ||||
|         }; | ||||
|         // add node for button
 | ||||
|         const btnNode: ElementContent = { | ||||
|           type: 'element', | ||||
|           tagName: 'button', | ||||
|           properties: {}, | ||||
|           children: [], | ||||
|           position: node.position, | ||||
|         }; | ||||
|         node.children = [btnNode, preNode]; | ||||
|       } | ||||
|     }); | ||||
|   }; | ||||
| } | ||||
| 
 | ||||
| /** | ||||
|  * The part below is copied and adapted from: | ||||
|  * https://github.com/danny-avila/LibreChat/blob/main/client/src/utils/latex.ts
 | ||||
|  * (MIT License) | ||||
|  */ | ||||
| 
 | ||||
| // Regex to check if the processed content contains any potential LaTeX patterns
 | ||||
| const containsLatexRegex = | ||||
|   /\\\(.*?\\\)|\\\[.*?\\\]|\$.*?\$|\\begin\{equation\}.*?\\end\{equation\}/; | ||||
| 
 | ||||
| // Regex for inline and block LaTeX expressions
 | ||||
| const inlineLatex = new RegExp(/\\\((.+?)\\\)/, 'g'); | ||||
| const blockLatex = new RegExp(/\\\[(.*?[^\\])\\\]/, 'gs'); | ||||
| 
 | ||||
| // Function to restore code blocks
 | ||||
| const restoreCodeBlocks = (content: string, codeBlocks: string[]) => { | ||||
|   return content.replace( | ||||
|     /<<CODE_BLOCK_(\d+)>>/g, | ||||
|     (_, index) => codeBlocks[index] | ||||
|   ); | ||||
| }; | ||||
| 
 | ||||
| // Regex to identify code blocks and inline code
 | ||||
| const codeBlockRegex = /(```[\s\S]*?```|`.*?`)/g; | ||||
| 
 | ||||
| export const processLaTeX = (_content: string) => { | ||||
|   let content = _content; | ||||
|   // Temporarily replace code blocks and inline code with placeholders
 | ||||
|   const codeBlocks: string[] = []; | ||||
|   let index = 0; | ||||
|   content = content.replace(codeBlockRegex, (match) => { | ||||
|     codeBlocks[index] = match; | ||||
|     return `<<CODE_BLOCK_${index++}>>`; | ||||
|   }); | ||||
| 
 | ||||
|   // Escape dollar signs followed by a digit or space and digit
 | ||||
|   let processedContent = content.replace(/(\$)(?=\s?\d)/g, '\\$'); | ||||
| 
 | ||||
|   // If no LaTeX patterns are found, restore code blocks and return the processed content
 | ||||
|   if (!containsLatexRegex.test(processedContent)) { | ||||
|     return restoreCodeBlocks(processedContent, codeBlocks); | ||||
|   } | ||||
| 
 | ||||
|   // Convert LaTeX expressions to a markdown compatible format
 | ||||
|   processedContent = processedContent | ||||
|     .replace(inlineLatex, (_: string, equation: string) => `$${equation}$`) // Convert inline LaTeX
 | ||||
|     .replace(blockLatex, (_: string, equation: string) => `$$${equation}$$`); // Convert block LaTeX
 | ||||
| 
 | ||||
|   // Restore code blocks
 | ||||
|   return restoreCodeBlocks(processedContent, codeBlocks); | ||||
| }; | ||||
| 
 | ||||
| /** | ||||
|  * Preprocesses LaTeX content by replacing delimiters and escaping certain characters. | ||||
|  * | ||||
|  * @param content The input string containing LaTeX expressions. | ||||
|  * @returns The processed string with replaced delimiters and escaped characters. | ||||
|  */ | ||||
| export function preprocessLaTeX(content: string): string { | ||||
|   // Step 1: Protect code blocks
 | ||||
|   const codeBlocks: string[] = []; | ||||
|   content = content.replace(/(```[\s\S]*?```|`[^`\n]+`)/g, (_, code) => { | ||||
|     codeBlocks.push(code); | ||||
|     return `<<CODE_BLOCK_${codeBlocks.length - 1}>>`; | ||||
|   }); | ||||
| 
 | ||||
|   // Step 2: Protect existing LaTeX expressions
 | ||||
|   const latexExpressions: string[] = []; | ||||
| 
 | ||||
|   // Protect block math ($$...$$), \[...\], and \(...\) as before.
 | ||||
|   content = content.replace( | ||||
|     /(\$\$[\s\S]*?\$\$|\\\[[\s\S]*?\\\]|\\\(.*?\\\))/g, | ||||
|     (match) => { | ||||
|       latexExpressions.push(match); | ||||
|       return `<<LATEX_${latexExpressions.length - 1}>>`; | ||||
|     } | ||||
|   ); | ||||
| 
 | ||||
|   // Protect inline math ($...$) only if it does NOT match a currency pattern.
 | ||||
|   // We assume a currency pattern is one where the inner content is purely numeric (with optional decimals).
 | ||||
|   content = content.replace(/\$([^$]+)\$/g, (match, inner) => { | ||||
|     if (/^\s*\d+(?:\.\d+)?\s*$/.test(inner)) { | ||||
|       // This looks like a currency value (e.g. "$123" or "$12.34"),
 | ||||
|       // so don't protect it.
 | ||||
|       return match; | ||||
|     } else { | ||||
|       // Otherwise, treat it as a LaTeX expression.
 | ||||
|       latexExpressions.push(match); | ||||
|       return `<<LATEX_${latexExpressions.length - 1}>>`; | ||||
|     } | ||||
|   }); | ||||
| 
 | ||||
|   // Step 3: Escape dollar signs that are likely currency indicators.
 | ||||
|   // (Now that inline math is protected, this will only escape dollars not already protected)
 | ||||
|   content = content.replace(/\$(?=\d)/g, '\\$'); | ||||
| 
 | ||||
|   // Step 4: Restore LaTeX expressions
 | ||||
|   content = content.replace( | ||||
|     /<<LATEX_(\d+)>>/g, | ||||
|     (_, index) => latexExpressions[parseInt(index)] | ||||
|   ); | ||||
| 
 | ||||
|   // Step 5: Restore code blocks
 | ||||
|   content = content.replace( | ||||
|     /<<CODE_BLOCK_(\d+)>>/g, | ||||
|     (_, index) => codeBlocks[parseInt(index)] | ||||
|   ); | ||||
| 
 | ||||
|   // Step 6: Apply additional escaping functions
 | ||||
|   content = escapeBrackets(content); | ||||
|   content = escapeMhchem(content); | ||||
| 
 | ||||
|   return content; | ||||
| } | ||||
| 
 | ||||
| export function escapeBrackets(text: string): string { | ||||
|   const pattern = | ||||
|     /(```[\S\s]*?```|`.*?`)|\\\[([\S\s]*?[^\\])\\]|\\\((.*?)\\\)/g; | ||||
|   return text.replace( | ||||
|     pattern, | ||||
|     ( | ||||
|       match: string, | ||||
|       codeBlock: string | undefined, | ||||
|       squareBracket: string | undefined, | ||||
|       roundBracket: string | undefined | ||||
|     ): string => { | ||||
|       if (codeBlock != null) { | ||||
|         return codeBlock; | ||||
|       } else if (squareBracket != null) { | ||||
|         return `$$${squareBracket}$$`; | ||||
|       } else if (roundBracket != null) { | ||||
|         return `$${roundBracket}$`; | ||||
|       } | ||||
|       return match; | ||||
|     } | ||||
|   ); | ||||
| } | ||||
| 
 | ||||
| export function escapeMhchem(text: string) { | ||||
|   return text.replaceAll('$\\ce{', '$\\\\ce{').replaceAll('$\\pu{', '$\\\\pu{'); | ||||
| } | ||||
							
								
								
									
										306
									
								
								examples/server/webui/src/components/SettingDialog.tsx
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										306
									
								
								examples/server/webui/src/components/SettingDialog.tsx
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,306 @@ | |||
| import { useState } from 'react'; | ||||
| import { useAppContext } from '../utils/app.context'; | ||||
| import { CONFIG_DEFAULT, CONFIG_INFO } from '../Config'; | ||||
| import { isDev } from '../Config'; | ||||
| import StorageUtils from '../utils/storage'; | ||||
| 
 | ||||
| type SettKey = keyof typeof CONFIG_DEFAULT; | ||||
| 
 | ||||
| const COMMON_SAMPLER_KEYS: SettKey[] = [ | ||||
|   'temperature', | ||||
|   'top_k', | ||||
|   'top_p', | ||||
|   'min_p', | ||||
|   'max_tokens', | ||||
| ]; | ||||
| const OTHER_SAMPLER_KEYS: SettKey[] = [ | ||||
|   'dynatemp_range', | ||||
|   'dynatemp_exponent', | ||||
|   'typical_p', | ||||
|   'xtc_probability', | ||||
|   'xtc_threshold', | ||||
| ]; | ||||
| const PENALTY_KEYS: SettKey[] = [ | ||||
|   'repeat_last_n', | ||||
|   'repeat_penalty', | ||||
|   'presence_penalty', | ||||
|   'frequency_penalty', | ||||
|   'dry_multiplier', | ||||
|   'dry_base', | ||||
|   'dry_allowed_length', | ||||
|   'dry_penalty_last_n', | ||||
| ]; | ||||
| 
 | ||||
| export default function SettingDialog({ | ||||
|   show, | ||||
|   onClose, | ||||
| }: { | ||||
|   show: boolean; | ||||
|   onClose: () => void; | ||||
| }) { | ||||
|   const { config, saveConfig } = useAppContext(); | ||||
| 
 | ||||
|   // clone the config object to prevent direct mutation
 | ||||
|   const [localConfig, setLocalConfig] = useState<typeof CONFIG_DEFAULT>( | ||||
|     JSON.parse(JSON.stringify(config)) | ||||
|   ); | ||||
| 
 | ||||
|   const resetConfig = () => { | ||||
|     if (window.confirm('Are you sure to reset all settings?')) { | ||||
|       setLocalConfig(CONFIG_DEFAULT); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   const handleSave = () => { | ||||
|     saveConfig(localConfig); | ||||
|     onClose(); | ||||
|   }; | ||||
| 
 | ||||
|   const debugImportDemoConv = async () => { | ||||
|     const res = await fetch('/demo-conversation.json'); | ||||
|     const demoConv = await res.json(); | ||||
|     StorageUtils.remove(demoConv.id); | ||||
|     for (const msg of demoConv.messages) { | ||||
|       StorageUtils.appendMsg(demoConv.id, msg); | ||||
|     } | ||||
|     onClose(); | ||||
|   }; | ||||
| 
 | ||||
|   return ( | ||||
|     <dialog className={`modal ${show ? 'modal-open' : ''}`}> | ||||
|       <div className="modal-box"> | ||||
|         <h3 className="text-lg font-bold mb-6">Settings</h3> | ||||
|         <div className="h-[calc(90vh-12rem)] overflow-y-auto"> | ||||
|           <p className="opacity-40 mb-6"> | ||||
|             Settings below are saved in browser's localStorage | ||||
|           </p> | ||||
| 
 | ||||
|           <SettingsModalShortInput | ||||
|             configKey="apiKey" | ||||
|             configDefault={CONFIG_DEFAULT} | ||||
|             value={localConfig.apiKey} | ||||
|             onChange={(value) => | ||||
|               setLocalConfig({ ...localConfig, apiKey: value }) | ||||
|             } | ||||
|           /> | ||||
| 
 | ||||
|           <label className="form-control mb-2"> | ||||
|             <div className="label"> | ||||
|               System Message (will be disabled if left empty) | ||||
|             </div> | ||||
|             <textarea | ||||
|               className="textarea textarea-bordered h-24" | ||||
|               placeholder={`Default: ${CONFIG_DEFAULT.systemMessage}`} | ||||
|               value={localConfig.systemMessage} | ||||
|               onChange={(e) => | ||||
|                 setLocalConfig({ | ||||
|                   ...localConfig, | ||||
|                   systemMessage: e.target.value, | ||||
|                 }) | ||||
|               } | ||||
|             /> | ||||
|           </label> | ||||
| 
 | ||||
|           {COMMON_SAMPLER_KEYS.map((key) => ( | ||||
|             <SettingsModalShortInput | ||||
|               key={key} | ||||
|               configKey={key} | ||||
|               configDefault={CONFIG_DEFAULT} | ||||
|               value={localConfig[key]} | ||||
|               onChange={(value) => | ||||
|                 setLocalConfig({ ...localConfig, [key]: value }) | ||||
|               } | ||||
|             /> | ||||
|           ))} | ||||
| 
 | ||||
|           <details className="collapse collapse-arrow bg-base-200 mb-2 overflow-visible"> | ||||
|             <summary className="collapse-title font-bold"> | ||||
|               Other sampler settings | ||||
|             </summary> | ||||
|             <div className="collapse-content"> | ||||
|               <SettingsModalShortInput | ||||
|                 label="Samplers queue" | ||||
|                 configKey="samplers" | ||||
|                 configDefault={CONFIG_DEFAULT} | ||||
|                 value={localConfig.samplers} | ||||
|                 onChange={(value) => | ||||
|                   setLocalConfig({ ...localConfig, samplers: value }) | ||||
|                 } | ||||
|               /> | ||||
|               {OTHER_SAMPLER_KEYS.map((key) => ( | ||||
|                 <SettingsModalShortInput | ||||
|                   key={key} | ||||
|                   configKey={key} | ||||
|                   configDefault={CONFIG_DEFAULT} | ||||
|                   value={localConfig[key]} | ||||
|                   onChange={(value) => | ||||
|                     setLocalConfig({ ...localConfig, [key]: value }) | ||||
|                   } | ||||
|                 /> | ||||
|               ))} | ||||
|             </div> | ||||
|           </details> | ||||
| 
 | ||||
|           <details className="collapse collapse-arrow bg-base-200 mb-2 overflow-visible"> | ||||
|             <summary className="collapse-title font-bold"> | ||||
|               Penalties settings | ||||
|             </summary> | ||||
|             <div className="collapse-content"> | ||||
|               {PENALTY_KEYS.map((key) => ( | ||||
|                 <SettingsModalShortInput | ||||
|                   key={key} | ||||
|                   configKey={key} | ||||
|                   configDefault={CONFIG_DEFAULT} | ||||
|                   value={localConfig[key]} | ||||
|                   onChange={(value) => | ||||
|                     setLocalConfig({ ...localConfig, [key]: value }) | ||||
|                   } | ||||
|                 /> | ||||
|               ))} | ||||
|             </div> | ||||
|           </details> | ||||
| 
 | ||||
|           <details className="collapse collapse-arrow bg-base-200 mb-2 overflow-visible"> | ||||
|             <summary className="collapse-title font-bold"> | ||||
|               Reasoning models | ||||
|             </summary> | ||||
|             <div className="collapse-content"> | ||||
|               <div className="flex flex-row items-center mb-2"> | ||||
|                 <input | ||||
|                   type="checkbox" | ||||
|                   className="checkbox" | ||||
|                   checked={localConfig.showThoughtInProgress} | ||||
|                   onChange={(e) => | ||||
|                     setLocalConfig({ | ||||
|                       ...localConfig, | ||||
|                       showThoughtInProgress: e.target.checked, | ||||
|                     }) | ||||
|                   } | ||||
|                 /> | ||||
|                 <span className="ml-4"> | ||||
|                   Expand though process by default for generating message | ||||
|                 </span> | ||||
|               </div> | ||||
|               <div className="flex flex-row items-center mb-2"> | ||||
|                 <input | ||||
|                   type="checkbox" | ||||
|                   className="checkbox" | ||||
|                   checked={localConfig.excludeThoughtOnReq} | ||||
|                   onChange={(e) => | ||||
|                     setLocalConfig({ | ||||
|                       ...localConfig, | ||||
|                       excludeThoughtOnReq: e.target.checked, | ||||
|                     }) | ||||
|                   } | ||||
|                 /> | ||||
|                 <span className="ml-4"> | ||||
|                   Exclude thought process when sending request to API | ||||
|                   (Recommended for DeepSeek-R1) | ||||
|                 </span> | ||||
|               </div> | ||||
|             </div> | ||||
|           </details> | ||||
| 
 | ||||
|           <details className="collapse collapse-arrow bg-base-200 mb-2 overflow-visible"> | ||||
|             <summary className="collapse-title font-bold"> | ||||
|               Advanced config | ||||
|             </summary> | ||||
|             <div className="collapse-content"> | ||||
|               {/* this button only shows in dev mode, used to import a demo conversation to test message rendering */} | ||||
|               {isDev && ( | ||||
|                 <div className="flex flex-row items-center mb-2"> | ||||
|                   <button className="btn" onClick={debugImportDemoConv}> | ||||
|                     (debug) Import demo conversation | ||||
|                   </button> | ||||
|                 </div> | ||||
|               )} | ||||
|               <div className="flex flex-row items-center mb-2"> | ||||
|                 <input | ||||
|                   type="checkbox" | ||||
|                   className="checkbox" | ||||
|                   checked={localConfig.showTokensPerSecond} | ||||
|                   onChange={(e) => | ||||
|                     setLocalConfig({ | ||||
|                       ...localConfig, | ||||
|                       showTokensPerSecond: e.target.checked, | ||||
|                     }) | ||||
|                   } | ||||
|                 /> | ||||
|                 <span className="ml-4">Show tokens per second</span> | ||||
|               </div> | ||||
|               <label className="form-control mb-2"> | ||||
|                 <div className="label inline"> | ||||
|                   Custom JSON config (For more info, refer to{' '} | ||||
|                   <a | ||||
|                     className="underline" | ||||
|                     href="https://github.com/ggerganov/llama.cpp/blob/master/examples/server/README.md" | ||||
|                     target="_blank" | ||||
|                     rel="noopener noreferrer" | ||||
|                   > | ||||
|                     server documentation | ||||
|                   </a> | ||||
|                   ) | ||||
|                 </div> | ||||
|                 <textarea | ||||
|                   className="textarea textarea-bordered h-24" | ||||
|                   placeholder='Example: { "mirostat": 1, "min_p": 0.1 }' | ||||
|                   value={localConfig.custom} | ||||
|                   onChange={(e) => | ||||
|                     setLocalConfig({ ...localConfig, custom: e.target.value }) | ||||
|                   } | ||||
|                 /> | ||||
|               </label> | ||||
|             </div> | ||||
|           </details> | ||||
|         </div> | ||||
| 
 | ||||
|         <div className="modal-action"> | ||||
|           <button className="btn" onClick={resetConfig}> | ||||
|             Reset to default | ||||
|           </button> | ||||
|           <button className="btn" onClick={onClose}> | ||||
|             Close | ||||
|           </button> | ||||
|           <button className="btn btn-primary" onClick={handleSave}> | ||||
|             Save | ||||
|           </button> | ||||
|         </div> | ||||
|       </div> | ||||
|     </dialog> | ||||
|   ); | ||||
| } | ||||
| 
 | ||||
| function SettingsModalShortInput({ | ||||
|   configKey, | ||||
|   configDefault, | ||||
|   value, | ||||
|   onChange, | ||||
|   label, | ||||
| }: { | ||||
|   configKey: SettKey; | ||||
|   configDefault: typeof CONFIG_DEFAULT; | ||||
|   // eslint-disable-next-line @typescript-eslint/no-explicit-any
 | ||||
|   value: any; | ||||
|   onChange: (value: string) => void; | ||||
|   label?: string; | ||||
| }) { | ||||
|   return ( | ||||
|     <label className="input input-bordered join-item grow flex items-center gap-2 mb-2"> | ||||
|       <div className="dropdown dropdown-hover"> | ||||
|         <div tabIndex={0} role="button" className="font-bold"> | ||||
|           {label || configKey} | ||||
|         </div> | ||||
|         <div className="dropdown-content menu bg-base-100 rounded-box z-10 w-64 p-2 shadow mt-4"> | ||||
|           {CONFIG_INFO[configKey] ?? '(no help message available)'} | ||||
|         </div> | ||||
|       </div> | ||||
|       <input | ||||
|         type="text" | ||||
|         className="grow" | ||||
|         placeholder={`Default: ${configDefault[configKey] || 'none'}`} | ||||
|         value={value} | ||||
|         onChange={(e) => onChange(e.target.value)} | ||||
|       /> | ||||
|     </label> | ||||
|   ); | ||||
| } | ||||
							
								
								
									
										95
									
								
								examples/server/webui/src/components/Sidebar.tsx
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										95
									
								
								examples/server/webui/src/components/Sidebar.tsx
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,95 @@ | |||
| import { useEffect, useMemo, useState } from 'react'; | ||||
| import { classNames } from '../utils/misc'; | ||||
| import { Conversation } from '../utils/types'; | ||||
| import StorageUtils from '../utils/storage'; | ||||
| import { useNavigate, useParams } from 'react-router'; | ||||
| 
 | ||||
| export default function Sidebar() { | ||||
|   const params = useParams(); | ||||
|   const navigate = useNavigate(); | ||||
|   const currConv = useMemo( | ||||
|     () => StorageUtils.getOneConversation(params.convId ?? ''), | ||||
|     [params.convId] | ||||
|   ); | ||||
| 
 | ||||
|   const [conversations, setConversations] = useState<Conversation[]>([]); | ||||
| 
 | ||||
|   useEffect(() => { | ||||
|     const handleConversationChange = () => { | ||||
|       setConversations(StorageUtils.getAllConversations()); | ||||
|     }; | ||||
|     StorageUtils.onConversationChanged(handleConversationChange); | ||||
|     handleConversationChange(); | ||||
|     return () => { | ||||
|       StorageUtils.offConversationChanged(handleConversationChange); | ||||
|     }; | ||||
|   }, []); | ||||
| 
 | ||||
|   return ( | ||||
|     <> | ||||
|       <input | ||||
|         id="toggle-drawer" | ||||
|         type="checkbox" | ||||
|         className="drawer-toggle" | ||||
|         defaultChecked | ||||
|       /> | ||||
| 
 | ||||
|       <div className="drawer-side h-screen lg:h-screen z-50 lg:max-w-64"> | ||||
|         <label | ||||
|           htmlFor="toggle-drawer" | ||||
|           aria-label="close sidebar" | ||||
|           className="drawer-overlay" | ||||
|         ></label> | ||||
|         <div className="flex flex-col bg-base-200 min-h-full max-w-64 py-4 px-4"> | ||||
|           <div className="flex flex-row items-center justify-between mb-4 mt-4"> | ||||
|             <h2 className="font-bold ml-4">Conversations</h2> | ||||
| 
 | ||||
|             {/* close sidebar button */} | ||||
|             <label htmlFor="toggle-drawer" className="btn btn-ghost lg:hidden"> | ||||
|               <svg | ||||
|                 xmlns="http://www.w3.org/2000/svg" | ||||
|                 width="16" | ||||
|                 height="16" | ||||
|                 fill="currentColor" | ||||
|                 className="bi bi-arrow-bar-left" | ||||
|                 viewBox="0 0 16 16" | ||||
|               > | ||||
|                 <path | ||||
|                   fillRule="evenodd" | ||||
|                   d="M12.5 15a.5.5 0 0 1-.5-.5v-13a.5.5 0 0 1 1 0v13a.5.5 0 0 1-.5.5M10 8a.5.5 0 0 1-.5.5H3.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L3.707 7.5H9.5a.5.5 0 0 1 .5.5" | ||||
|                 /> | ||||
|               </svg> | ||||
|             </label> | ||||
|           </div> | ||||
| 
 | ||||
|           {/* list of conversations */} | ||||
|           <div | ||||
|             className={classNames({ | ||||
|               'btn btn-ghost justify-start': true, | ||||
|               'btn-active': !currConv, | ||||
|             })} | ||||
|             onClick={() => navigate('/')} | ||||
|           > | ||||
|             + New conversation | ||||
|           </div> | ||||
|           {conversations.map((conv) => ( | ||||
|             <div | ||||
|               key={conv.id} | ||||
|               className={classNames({ | ||||
|                 'btn btn-ghost justify-start font-normal': true, | ||||
|                 'btn-active': conv.id === currConv?.id, | ||||
|               })} | ||||
|               onClick={() => navigate(`/chat/${conv.id}`)} | ||||
|               dir="auto" | ||||
|             > | ||||
|               <span className="truncate">{conv.messages[0].content}</span> | ||||
|             </div> | ||||
|           ))} | ||||
|           <div className="text-center text-xs opacity-40 mt-auto mx-4"> | ||||
|             Conversations are saved to browser's localStorage | ||||
|           </div> | ||||
|         </div> | ||||
|       </div> | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
		Loading…
	
	Add table
		Add a link
		
	
		Reference in a new issue