mirror of
				https://github.com/Yidadaa/ChatGPT-Next-Web.git
				synced 2025-10-25 09:50:40 +08:00 
			
		
		
		
	Merge remote-tracking branch 'origin/main' into website
This commit is contained in:
		
							
								
								
									
										2
									
								
								.gitignore
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.gitignore
									
									
									
									
										vendored
									
									
								
							| @@ -44,3 +44,5 @@ dev | ||||
|  | ||||
| *.key | ||||
| *.key.pub | ||||
|  | ||||
| masks.json | ||||
|   | ||||
| @@ -326,6 +326,14 @@ You can use this option if you want to increase the number of webdav service add | ||||
|  | ||||
| Customize the default template used to initialize the User Input Preprocessing configuration item in Settings. | ||||
|  | ||||
| ### `STABILITY_API_KEY` (optional) | ||||
|  | ||||
| Stability API key. | ||||
|  | ||||
| ### `STABILITY_URL` (optional) | ||||
|  | ||||
| Customize Stability API url. | ||||
|  | ||||
| ## Requirements | ||||
|  | ||||
| NodeJS >= 18, Docker >= 20 | ||||
|   | ||||
| @@ -218,6 +218,15 @@ ByteDance Api Url. | ||||
|  | ||||
| 自定义默认的 template,用于初始化『设置』中的『用户输入预处理』配置项 | ||||
|  | ||||
| ### `STABILITY_API_KEY` (optional) | ||||
|  | ||||
| Stability API密钥 | ||||
|  | ||||
| ### `STABILITY_URL` (optional) | ||||
|  | ||||
| 自定义的Stability API请求地址 | ||||
|  | ||||
|  | ||||
| ## 开发 | ||||
|  | ||||
| 点击下方按钮,开始二次开发: | ||||
|   | ||||
							
								
								
									
										73
									
								
								app/api/artifacts/route.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										73
									
								
								app/api/artifacts/route.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,73 @@ | ||||
| import md5 from "spark-md5"; | ||||
| import { NextRequest, NextResponse } from "next/server"; | ||||
| import { getServerSideConfig } from "@/app/config/server"; | ||||
|  | ||||
| async function handle(req: NextRequest, res: NextResponse) { | ||||
|   const serverConfig = getServerSideConfig(); | ||||
|   const storeUrl = () => | ||||
|     `https://api.cloudflare.com/client/v4/accounts/${serverConfig.cloudflareAccountId}/storage/kv/namespaces/${serverConfig.cloudflareKVNamespaceId}`; | ||||
|   const storeHeaders = () => ({ | ||||
|     Authorization: `Bearer ${serverConfig.cloudflareKVApiKey}`, | ||||
|   }); | ||||
|   if (req.method === "POST") { | ||||
|     const clonedBody = await req.text(); | ||||
|     const hashedCode = md5.hash(clonedBody).trim(); | ||||
|     const body: { | ||||
|       key: string; | ||||
|       value: string; | ||||
|       expiration_ttl?: number; | ||||
|     } = { | ||||
|       key: hashedCode, | ||||
|       value: clonedBody, | ||||
|     }; | ||||
|     try { | ||||
|       const ttl = parseInt(serverConfig.cloudflareKVTTL as string); | ||||
|       if (ttl > 60) { | ||||
|         body["expiration_ttl"] = ttl; | ||||
|       } | ||||
|     } catch (e) { | ||||
|       console.error(e); | ||||
|     } | ||||
|     const res = await fetch(`${storeUrl()}/bulk`, { | ||||
|       headers: { | ||||
|         ...storeHeaders(), | ||||
|         "Content-Type": "application/json", | ||||
|       }, | ||||
|       method: "PUT", | ||||
|       body: JSON.stringify([body]), | ||||
|     }); | ||||
|     const result = await res.json(); | ||||
|     console.log("save data", result); | ||||
|     if (result?.success) { | ||||
|       return NextResponse.json( | ||||
|         { code: 0, id: hashedCode, result }, | ||||
|         { status: res.status }, | ||||
|       ); | ||||
|     } | ||||
|     return NextResponse.json( | ||||
|       { error: true, msg: "Save data error" }, | ||||
|       { status: 400 }, | ||||
|     ); | ||||
|   } | ||||
|   if (req.method === "GET") { | ||||
|     const id = req?.nextUrl?.searchParams?.get("id"); | ||||
|     const res = await fetch(`${storeUrl()}/values/${id}`, { | ||||
|       headers: storeHeaders(), | ||||
|       method: "GET", | ||||
|     }); | ||||
|     return new Response(res.body, { | ||||
|       status: res.status, | ||||
|       statusText: res.statusText, | ||||
|       headers: res.headers, | ||||
|     }); | ||||
|   } | ||||
|   return NextResponse.json( | ||||
|     { error: true, msg: "Invalid request" }, | ||||
|     { status: 400 }, | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export const POST = handle; | ||||
| export const GET = handle; | ||||
|  | ||||
| export const runtime = "edge"; | ||||
| @@ -67,6 +67,9 @@ export function auth(req: NextRequest, modelProvider: ModelProvider) { | ||||
|     let systemApiKey: string | undefined; | ||||
|  | ||||
|     switch (modelProvider) { | ||||
|       case ModelProvider.Stability: | ||||
|         systemApiKey = serverConfig.stabilityApiKey; | ||||
|         break; | ||||
|       case ModelProvider.GeminiPro: | ||||
|         systemApiKey = serverConfig.googleApiKey; | ||||
|         break; | ||||
|   | ||||
							
								
								
									
										104
									
								
								app/api/stability/[...path]/route.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										104
									
								
								app/api/stability/[...path]/route.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,104 @@ | ||||
| import { NextRequest, NextResponse } from "next/server"; | ||||
| import { getServerSideConfig } from "@/app/config/server"; | ||||
| import { ModelProvider, STABILITY_BASE_URL } from "@/app/constant"; | ||||
| import { auth } from "@/app/api/auth"; | ||||
|  | ||||
| async function handle( | ||||
|   req: NextRequest, | ||||
|   { params }: { params: { path: string[] } }, | ||||
| ) { | ||||
|   console.log("[Stability] params ", params); | ||||
|  | ||||
|   if (req.method === "OPTIONS") { | ||||
|     return NextResponse.json({ body: "OK" }, { status: 200 }); | ||||
|   } | ||||
|  | ||||
|   const controller = new AbortController(); | ||||
|  | ||||
|   const serverConfig = getServerSideConfig(); | ||||
|  | ||||
|   let baseUrl = serverConfig.stabilityUrl || STABILITY_BASE_URL; | ||||
|  | ||||
|   if (!baseUrl.startsWith("http")) { | ||||
|     baseUrl = `https://${baseUrl}`; | ||||
|   } | ||||
|  | ||||
|   if (baseUrl.endsWith("/")) { | ||||
|     baseUrl = baseUrl.slice(0, -1); | ||||
|   } | ||||
|  | ||||
|   let path = `${req.nextUrl.pathname}`.replaceAll("/api/stability/", ""); | ||||
|  | ||||
|   console.log("[Stability Proxy] ", path); | ||||
|   console.log("[Stability Base Url]", baseUrl); | ||||
|  | ||||
|   const timeoutId = setTimeout( | ||||
|     () => { | ||||
|       controller.abort(); | ||||
|     }, | ||||
|     10 * 60 * 1000, | ||||
|   ); | ||||
|  | ||||
|   const authResult = auth(req, ModelProvider.Stability); | ||||
|  | ||||
|   if (authResult.error) { | ||||
|     return NextResponse.json(authResult, { | ||||
|       status: 401, | ||||
|     }); | ||||
|   } | ||||
|  | ||||
|   const bearToken = req.headers.get("Authorization") ?? ""; | ||||
|   const token = bearToken.trim().replaceAll("Bearer ", "").trim(); | ||||
|  | ||||
|   const key = token ? token : serverConfig.stabilityApiKey; | ||||
|  | ||||
|   if (!key) { | ||||
|     return NextResponse.json( | ||||
|       { | ||||
|         error: true, | ||||
|         message: `missing STABILITY_API_KEY in server env vars`, | ||||
|       }, | ||||
|       { | ||||
|         status: 401, | ||||
|       }, | ||||
|     ); | ||||
|   } | ||||
|  | ||||
|   const fetchUrl = `${baseUrl}/${path}`; | ||||
|   console.log("[Stability Url] ", fetchUrl); | ||||
|   const fetchOptions: RequestInit = { | ||||
|     headers: { | ||||
|       "Content-Type": req.headers.get("Content-Type") || "multipart/form-data", | ||||
|       Accept: req.headers.get("Accept") || "application/json", | ||||
|       Authorization: `Bearer ${key}`, | ||||
|     }, | ||||
|     method: req.method, | ||||
|     body: req.body, | ||||
|     // to fix #2485: https://stackoverflow.com/questions/55920957/cloudflare-worker-typeerror-one-time-use-body | ||||
|     redirect: "manual", | ||||
|     // @ts-ignore | ||||
|     duplex: "half", | ||||
|     signal: controller.signal, | ||||
|   }; | ||||
|  | ||||
|   try { | ||||
|     const res = await fetch(fetchUrl, fetchOptions); | ||||
|     // to prevent browser prompt for credentials | ||||
|     const newHeaders = new Headers(res.headers); | ||||
|     newHeaders.delete("www-authenticate"); | ||||
|     // to disable nginx buffering | ||||
|     newHeaders.set("X-Accel-Buffering", "no"); | ||||
|     return new Response(res.body, { | ||||
|       status: res.status, | ||||
|       statusText: res.statusText, | ||||
|       headers: newHeaders, | ||||
|     }); | ||||
|   } finally { | ||||
|     clearTimeout(timeoutId); | ||||
|   } | ||||
| } | ||||
|  | ||||
| export const GET = handle; | ||||
| export const POST = handle; | ||||
|  | ||||
| export const runtime = "edge"; | ||||
| @@ -37,9 +37,13 @@ async function handle( | ||||
|       const normalizedAllowedEndpoint = normalizeUrl(allowedEndpoint); | ||||
|       const normalizedEndpoint = normalizeUrl(endpoint as string); | ||||
|  | ||||
|       return normalizedEndpoint && | ||||
|       return ( | ||||
|         normalizedEndpoint && | ||||
|         normalizedEndpoint.hostname === normalizedAllowedEndpoint?.hostname && | ||||
|         normalizedEndpoint.pathname.startsWith(normalizedAllowedEndpoint.pathname); | ||||
|         normalizedEndpoint.pathname.startsWith( | ||||
|           normalizedAllowedEndpoint.pathname, | ||||
|         ) | ||||
|       ); | ||||
|     }) | ||||
|   ) { | ||||
|     return NextResponse.json( | ||||
|   | ||||
| @@ -168,6 +168,19 @@ export class ClientApi { | ||||
|   } | ||||
| } | ||||
|  | ||||
| export function getBearerToken( | ||||
|   apiKey: string, | ||||
|   noBearer: boolean = false, | ||||
| ): string { | ||||
|   return validString(apiKey) | ||||
|     ? `${noBearer ? "" : "Bearer "}${apiKey.trim()}` | ||||
|     : ""; | ||||
| } | ||||
|  | ||||
| export function validString(x: string): boolean { | ||||
|   return x?.length > 0; | ||||
| } | ||||
|  | ||||
| export function getHeaders() { | ||||
|   const accessStore = useAccessStore.getState(); | ||||
|   const chatStore = useChatStore.getState(); | ||||
| @@ -214,15 +227,6 @@ export function getHeaders() { | ||||
|     return isAzure ? "api-key" : isAnthropic ? "x-api-key" : "Authorization"; | ||||
|   } | ||||
|  | ||||
|   function getBearerToken(apiKey: string, noBearer: boolean = false): string { | ||||
|     return validString(apiKey) | ||||
|       ? `${noBearer ? "" : "Bearer "}${apiKey.trim()}` | ||||
|       : ""; | ||||
|   } | ||||
|  | ||||
|   function validString(x: string): boolean { | ||||
|     return x?.length > 0; | ||||
|   } | ||||
|   const { | ||||
|     isGoogle, | ||||
|     isAzure, | ||||
|   | ||||
| @@ -106,6 +106,9 @@ export class GeminiProApi implements LLMApi { | ||||
|     // if (visionModel && messages.length > 1) { | ||||
|     //   options.onError?.(new Error("Multiturn chat is not enabled for models/gemini-pro-vision")); | ||||
|     // } | ||||
|  | ||||
|     const accessStore = useAccessStore.getState(); | ||||
|  | ||||
|     const modelConfig = { | ||||
|       ...useAppConfig.getState().modelConfig, | ||||
|       ...useChatStore.getState().currentSession().mask.modelConfig, | ||||
| @@ -127,19 +130,19 @@ export class GeminiProApi implements LLMApi { | ||||
|       safetySettings: [ | ||||
|         { | ||||
|           category: "HARM_CATEGORY_HARASSMENT", | ||||
|           threshold: "BLOCK_ONLY_HIGH", | ||||
|           threshold: accessStore.googleSafetySettings, | ||||
|         }, | ||||
|         { | ||||
|           category: "HARM_CATEGORY_HATE_SPEECH", | ||||
|           threshold: "BLOCK_ONLY_HIGH", | ||||
|           threshold: accessStore.googleSafetySettings, | ||||
|         }, | ||||
|         { | ||||
|           category: "HARM_CATEGORY_SEXUALLY_EXPLICIT", | ||||
|           threshold: "BLOCK_ONLY_HIGH", | ||||
|           threshold: accessStore.googleSafetySettings, | ||||
|         }, | ||||
|         { | ||||
|           category: "HARM_CATEGORY_DANGEROUS_CONTENT", | ||||
|           threshold: "BLOCK_ONLY_HIGH", | ||||
|           threshold: accessStore.googleSafetySettings, | ||||
|         }, | ||||
|       ], | ||||
|     }; | ||||
|   | ||||
							
								
								
									
										31
									
								
								app/components/artifacts.module.scss
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										31
									
								
								app/components/artifacts.module.scss
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,31 @@ | ||||
| .artifacts { | ||||
|   display: flex; | ||||
|   width: 100%; | ||||
|   height: 100%; | ||||
|   flex-direction: column; | ||||
|   &-header { | ||||
|     display: flex; | ||||
|     align-items: center; | ||||
|     height: 36px; | ||||
|     padding: 20px; | ||||
|     background: var(--second); | ||||
|   } | ||||
|   &-title { | ||||
|     flex: 1; | ||||
|     text-align: center; | ||||
|     font-weight: bold; | ||||
|     font-size: 24px; | ||||
|   } | ||||
|   &-content { | ||||
|     flex-grow: 1; | ||||
|     padding: 0 20px 20px 20px; | ||||
|     background-color: var(--second); | ||||
|   } | ||||
| } | ||||
|  | ||||
| .artifacts-iframe { | ||||
|   width: 100%; | ||||
|   border: var(--border-in-light); | ||||
|   border-radius: 6px; | ||||
|   background-color: var(--gray); | ||||
| } | ||||
							
								
								
									
										234
									
								
								app/components/artifacts.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										234
									
								
								app/components/artifacts.tsx
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,234 @@ | ||||
| import { useEffect, useState, useRef, useMemo } from "react"; | ||||
| import { useParams } from "react-router"; | ||||
| import { useWindowSize } from "@/app/utils"; | ||||
| import { IconButton } from "./button"; | ||||
| import { nanoid } from "nanoid"; | ||||
| import ExportIcon from "../icons/share.svg"; | ||||
| import CopyIcon from "../icons/copy.svg"; | ||||
| import DownloadIcon from "../icons/download.svg"; | ||||
| import GithubIcon from "../icons/github.svg"; | ||||
| import LoadingButtonIcon from "../icons/loading.svg"; | ||||
| import Locale from "../locales"; | ||||
| import { Modal, showToast } from "./ui-lib"; | ||||
| import { copyToClipboard, downloadAs } from "../utils"; | ||||
| import { Path, ApiPath, REPO_URL } from "@/app/constant"; | ||||
| import { Loading } from "./home"; | ||||
| import styles from "./artifacts.module.scss"; | ||||
|  | ||||
| export function HTMLPreview(props: { | ||||
|   code: string; | ||||
|   autoHeight?: boolean; | ||||
|   height?: number | string; | ||||
|   onLoad?: (title?: string) => void; | ||||
| }) { | ||||
|   const ref = useRef<HTMLIFrameElement>(null); | ||||
|   const frameId = useRef<string>(nanoid()); | ||||
|   const [iframeHeight, setIframeHeight] = useState(600); | ||||
|   const [title, setTitle] = useState(""); | ||||
|   /* | ||||
|    * https://stackoverflow.com/questions/19739001/what-is-the-difference-between-srcdoc-and-src-datatext-html-in-an | ||||
|    * 1. using srcdoc | ||||
|    * 2. using src with dataurl: | ||||
|    *    easy to share | ||||
|    *    length limit (Data URIs cannot be larger than 32,768 characters.) | ||||
|    */ | ||||
|  | ||||
|   useEffect(() => { | ||||
|     const handleMessage = (e: any) => { | ||||
|       const { id, height, title } = e.data; | ||||
|       setTitle(title); | ||||
|       if (id == frameId.current) { | ||||
|         setIframeHeight(height); | ||||
|       } | ||||
|     }; | ||||
|     window.addEventListener("message", handleMessage); | ||||
|     return () => { | ||||
|       window.removeEventListener("message", handleMessage); | ||||
|     }; | ||||
|   }, []); | ||||
|  | ||||
|   const height = useMemo(() => { | ||||
|     if (!props.autoHeight) return props.height || 600; | ||||
|     if (typeof props.height === "string") { | ||||
|       return props.height; | ||||
|     } | ||||
|     const parentHeight = props.height || 600; | ||||
|     return iframeHeight + 40 > parentHeight ? parentHeight : iframeHeight + 40; | ||||
|   }, [props.autoHeight, props.height, iframeHeight]); | ||||
|  | ||||
|   const srcDoc = useMemo(() => { | ||||
|     const script = `<script>new ResizeObserver((entries) => parent.postMessage({id: '${frameId.current}', height: entries[0].target.clientHeight}, '*')).observe(document.body)</script>`; | ||||
|     if (props.code.includes("</head>")) { | ||||
|       props.code.replace("</head>", "</head>" + script); | ||||
|     } | ||||
|     return props.code + script; | ||||
|   }, [props.code]); | ||||
|  | ||||
|   const handleOnLoad = () => { | ||||
|     if (props?.onLoad) { | ||||
|       props.onLoad(title); | ||||
|     } | ||||
|   }; | ||||
|  | ||||
|   return ( | ||||
|     <iframe | ||||
|       className={styles["artifacts-iframe"]} | ||||
|       id={frameId.current} | ||||
|       ref={ref} | ||||
|       sandbox="allow-forms allow-modals allow-scripts" | ||||
|       style={{ height }} | ||||
|       srcDoc={srcDoc} | ||||
|       onLoad={handleOnLoad} | ||||
|     /> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export function ArtifactsShareButton({ | ||||
|   getCode, | ||||
|   id, | ||||
|   style, | ||||
|   fileName, | ||||
| }: { | ||||
|   getCode: () => string; | ||||
|   id?: string; | ||||
|   style?: any; | ||||
|   fileName?: string; | ||||
| }) { | ||||
|   const [loading, setLoading] = useState(false); | ||||
|   const [name, setName] = useState(id); | ||||
|   const [show, setShow] = useState(false); | ||||
|   const shareUrl = useMemo( | ||||
|     () => [location.origin, "#", Path.Artifacts, "/", name].join(""), | ||||
|     [name], | ||||
|   ); | ||||
|   const upload = (code: string) => | ||||
|     id | ||||
|       ? Promise.resolve({ id }) | ||||
|       : fetch(ApiPath.Artifacts, { | ||||
|           method: "POST", | ||||
|           body: code, | ||||
|         }) | ||||
|           .then((res) => res.json()) | ||||
|           .then(({ id }) => { | ||||
|             if (id) { | ||||
|               return { id }; | ||||
|             } | ||||
|             throw Error(); | ||||
|           }) | ||||
|           .catch((e) => { | ||||
|             showToast(Locale.Export.Artifacts.Error); | ||||
|           }); | ||||
|   return ( | ||||
|     <> | ||||
|       <div className="window-action-button" style={style}> | ||||
|         <IconButton | ||||
|           icon={loading ? <LoadingButtonIcon /> : <ExportIcon />} | ||||
|           bordered | ||||
|           title={Locale.Export.Artifacts.Title} | ||||
|           onClick={() => { | ||||
|             if (loading) return; | ||||
|             setLoading(true); | ||||
|             upload(getCode()) | ||||
|               .then((res) => { | ||||
|                 if (res?.id) { | ||||
|                   setShow(true); | ||||
|                   setName(res?.id); | ||||
|                 } | ||||
|               }) | ||||
|               .finally(() => setLoading(false)); | ||||
|           }} | ||||
|         /> | ||||
|       </div> | ||||
|       {show && ( | ||||
|         <div className="modal-mask"> | ||||
|           <Modal | ||||
|             title={Locale.Export.Artifacts.Title} | ||||
|             onClose={() => setShow(false)} | ||||
|             actions={[ | ||||
|               <IconButton | ||||
|                 key="download" | ||||
|                 icon={<DownloadIcon />} | ||||
|                 bordered | ||||
|                 text={Locale.Export.Download} | ||||
|                 onClick={() => { | ||||
|                   downloadAs(getCode(), `${fileName || name}.html`).then(() => | ||||
|                     setShow(false), | ||||
|                   ); | ||||
|                 }} | ||||
|               />, | ||||
|               <IconButton | ||||
|                 key="copy" | ||||
|                 icon={<CopyIcon />} | ||||
|                 bordered | ||||
|                 text={Locale.Chat.Actions.Copy} | ||||
|                 onClick={() => { | ||||
|                   copyToClipboard(shareUrl).then(() => setShow(false)); | ||||
|                 }} | ||||
|               />, | ||||
|             ]} | ||||
|           > | ||||
|             <div> | ||||
|               <a target="_blank" href={shareUrl}> | ||||
|                 {shareUrl} | ||||
|               </a> | ||||
|             </div> | ||||
|           </Modal> | ||||
|         </div> | ||||
|       )} | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export function Artifacts() { | ||||
|   const { id } = useParams(); | ||||
|   const [code, setCode] = useState(""); | ||||
|   const [loading, setLoading] = useState(true); | ||||
|   const [fileName, setFileName] = useState(""); | ||||
|  | ||||
|   useEffect(() => { | ||||
|     if (id) { | ||||
|       fetch(`${ApiPath.Artifacts}?id=${id}`) | ||||
|         .then((res) => { | ||||
|           if (res.status > 300) { | ||||
|             throw Error("can not get content"); | ||||
|           } | ||||
|           return res; | ||||
|         }) | ||||
|         .then((res) => res.text()) | ||||
|         .then(setCode) | ||||
|         .catch((e) => { | ||||
|           showToast(Locale.Export.Artifacts.Error); | ||||
|         }); | ||||
|     } | ||||
|   }, [id]); | ||||
|  | ||||
|   return ( | ||||
|     <div className={styles["artifacts"]}> | ||||
|       <div className={styles["artifacts-header"]}> | ||||
|         <a href={REPO_URL} target="_blank" rel="noopener noreferrer"> | ||||
|           <IconButton bordered icon={<GithubIcon />} shadow /> | ||||
|         </a> | ||||
|         <div className={styles["artifacts-title"]}>NextChat Artifacts</div> | ||||
|         <ArtifactsShareButton | ||||
|           id={id} | ||||
|           getCode={() => code} | ||||
|           fileName={fileName} | ||||
|         /> | ||||
|       </div> | ||||
|       <div className={styles["artifacts-content"]}> | ||||
|         {loading && <Loading />} | ||||
|         {code && ( | ||||
|           <HTMLPreview | ||||
|             code={code} | ||||
|             autoHeight={false} | ||||
|             height={"100%"} | ||||
|             onLoad={(title) => { | ||||
|               setFileName(title as string); | ||||
|               setLoading(false); | ||||
|             }} | ||||
|           /> | ||||
|         )} | ||||
|       </div> | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
| @@ -1,6 +1,7 @@ | ||||
| import * as React from "react"; | ||||
|  | ||||
| import styles from "./button.module.scss"; | ||||
| import { CSSProperties } from "react"; | ||||
|  | ||||
| export type ButtonType = "primary" | "danger" | null; | ||||
|  | ||||
| @@ -16,6 +17,7 @@ export function IconButton(props: { | ||||
|   disabled?: boolean; | ||||
|   tabIndex?: number; | ||||
|   autoFocus?: boolean; | ||||
|   style?: CSSProperties; | ||||
| }) { | ||||
|   return ( | ||||
|     <button | ||||
| @@ -31,6 +33,7 @@ export function IconButton(props: { | ||||
|       role="button" | ||||
|       tabIndex={props.tabIndex} | ||||
|       autoFocus={props.autoFocus} | ||||
|       style={props.style} | ||||
|     > | ||||
|       {props.icon && ( | ||||
|         <div | ||||
|   | ||||
| @@ -37,6 +37,7 @@ import AutoIcon from "../icons/auto.svg"; | ||||
| import BottomIcon from "../icons/bottom.svg"; | ||||
| import StopIcon from "../icons/pause.svg"; | ||||
| import RobotIcon from "../icons/robot.svg"; | ||||
| import PluginIcon from "../icons/plugin.svg"; | ||||
|  | ||||
| import { | ||||
|   ChatMessage, | ||||
| @@ -89,6 +90,7 @@ import { | ||||
|   REQUEST_TIMEOUT_MS, | ||||
|   UNFINISHED_INPUT, | ||||
|   ServiceProvider, | ||||
|   Plugin, | ||||
| } from "../constant"; | ||||
| import { Avatar } from "./emoji"; | ||||
| import { ContextPrompts, MaskAvatar, MaskConfig } from "./mask"; | ||||
| @@ -338,7 +340,7 @@ function ClearContextDivider() { | ||||
|   ); | ||||
| } | ||||
|  | ||||
| function ChatAction(props: { | ||||
| export function ChatAction(props: { | ||||
|   text: string; | ||||
|   icon: JSX.Element; | ||||
|   onClick: () => void; | ||||
| @@ -476,6 +478,7 @@ export function ChatActions(props: { | ||||
|     return model?.displayName ?? ""; | ||||
|   }, [models, currentModel, currentProviderName]); | ||||
|   const [showModelSelector, setShowModelSelector] = useState(false); | ||||
|   const [showPluginSelector, setShowPluginSelector] = useState(false); | ||||
|   const [showUploadImage, setShowUploadImage] = useState(false); | ||||
|  | ||||
|   useEffect(() => { | ||||
| @@ -620,6 +623,34 @@ export function ChatActions(props: { | ||||
|           }} | ||||
|         /> | ||||
|       )} | ||||
|  | ||||
|       <ChatAction | ||||
|         onClick={() => setShowPluginSelector(true)} | ||||
|         text={Locale.Plugin.Name} | ||||
|         icon={<PluginIcon />} | ||||
|       /> | ||||
|       {showPluginSelector && ( | ||||
|         <Selector | ||||
|           multiple | ||||
|           defaultSelectedValue={chatStore.currentSession().mask?.plugin} | ||||
|           items={[ | ||||
|             { | ||||
|               title: Locale.Plugin.Artifacts, | ||||
|               value: Plugin.Artifacts, | ||||
|             }, | ||||
|           ]} | ||||
|           onClose={() => setShowPluginSelector(false)} | ||||
|           onSelection={(s) => { | ||||
|             const plugin = s[0]; | ||||
|             chatStore.updateCurrentSession((session) => { | ||||
|               session.mask.plugin = s; | ||||
|             }); | ||||
|             if (plugin) { | ||||
|               showToast(plugin); | ||||
|             } | ||||
|           }} | ||||
|         /> | ||||
|       )} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|   | ||||
| @@ -1,3 +1,5 @@ | ||||
| "use client"; | ||||
|  | ||||
| import React from "react"; | ||||
| import { IconButton } from "./button"; | ||||
| import GithubIcon from "../icons/github.svg"; | ||||
|   | ||||
| @@ -541,7 +541,7 @@ export function ImagePreviewer(props: { | ||||
|           <div> | ||||
|             <div className={styles["main-title"]}>NextChat</div> | ||||
|             <div className={styles["sub-title"]}> | ||||
|               github.com/Yidadaa/ChatGPT-Next-Web | ||||
|               github.com/ChatGPTNextWeb/ChatGPT-Next-Web | ||||
|             </div> | ||||
|             <div className={styles["icons"]}> | ||||
|               <ExportAvatar avatar={config.avatar} /> | ||||
|   | ||||
| @@ -39,6 +39,10 @@ export function Loading(props: { noLogo?: boolean }) { | ||||
|   ); | ||||
| } | ||||
|  | ||||
| const Artifacts = dynamic(async () => (await import("./artifacts")).Artifacts, { | ||||
|   loading: () => <Loading noLogo />, | ||||
| }); | ||||
|  | ||||
| const Settings = dynamic(async () => (await import("./settings")).Settings, { | ||||
|   loading: () => <Loading noLogo />, | ||||
| }); | ||||
| @@ -55,6 +59,10 @@ const MaskPage = dynamic(async () => (await import("./mask")).MaskPage, { | ||||
|   loading: () => <Loading noLogo />, | ||||
| }); | ||||
|  | ||||
| const Sd = dynamic(async () => (await import("./sd")).Sd, { | ||||
|   loading: () => <Loading noLogo />, | ||||
| }); | ||||
|  | ||||
| export function useSwitchTheme() { | ||||
|   const config = useAppConfig(); | ||||
|  | ||||
| @@ -122,11 +130,23 @@ const loadAsyncGoogleFont = () => { | ||||
|   document.head.appendChild(linkEl); | ||||
| }; | ||||
|  | ||||
| export function WindowContent(props: { children: React.ReactNode }) { | ||||
|   return ( | ||||
|     <div className={styles["window-content"]} id={SlotID.AppBody}> | ||||
|       {props?.children} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| function Screen() { | ||||
|   const config = useAppConfig(); | ||||
|   const location = useLocation(); | ||||
|   const isArtifact = location.pathname.includes(Path.Artifacts); | ||||
|   const isHome = location.pathname === Path.Home; | ||||
|   const isAuth = location.pathname === Path.Auth; | ||||
|   const isSd = location.pathname === Path.Sd; | ||||
|   const isSdNew = location.pathname === Path.SdNew; | ||||
|  | ||||
|   const isMobileScreen = useMobileScreen(); | ||||
|   const shouldTightBorder = | ||||
|     getClientConfig()?.isApp || (config.tightBorder && !isMobileScreen); | ||||
| @@ -135,34 +155,40 @@ function Screen() { | ||||
|     loadAsyncGoogleFont(); | ||||
|   }, []); | ||||
|  | ||||
|   if (isArtifact) { | ||||
|     return ( | ||||
|       <Routes> | ||||
|         <Route path="/artifacts/:id" element={<Artifacts />} /> | ||||
|       </Routes> | ||||
|     ); | ||||
|   } | ||||
|   const renderContent = () => { | ||||
|     if (isAuth) return <AuthPage />; | ||||
|     if (isSd) return <Sd />; | ||||
|     if (isSdNew) return <Sd />; | ||||
|     return ( | ||||
|       <> | ||||
|         <SideBar className={isHome ? styles["sidebar-show"] : ""} /> | ||||
|         <WindowContent> | ||||
|           <Routes> | ||||
|             <Route path={Path.Home} element={<Chat />} /> | ||||
|             <Route path={Path.NewChat} element={<NewChat />} /> | ||||
|             <Route path={Path.Masks} element={<MaskPage />} /> | ||||
|             <Route path={Path.Chat} element={<Chat />} /> | ||||
|             <Route path={Path.Settings} element={<Settings />} /> | ||||
|           </Routes> | ||||
|         </WindowContent> | ||||
|       </> | ||||
|     ); | ||||
|   }; | ||||
|  | ||||
|   return ( | ||||
|     <div | ||||
|       className={ | ||||
|         styles.container + | ||||
|         ` ${shouldTightBorder ? styles["tight-container"] : styles.container} ${ | ||||
|           getLang() === "ar" ? styles["rtl-screen"] : "" | ||||
|         }` | ||||
|       } | ||||
|       className={`${styles.container} ${ | ||||
|         shouldTightBorder ? styles["tight-container"] : styles.container | ||||
|       } ${getLang() === "ar" ? styles["rtl-screen"] : ""}`} | ||||
|     > | ||||
|       {isAuth ? ( | ||||
|         <> | ||||
|           <AuthPage /> | ||||
|         </> | ||||
|       ) : ( | ||||
|         <> | ||||
|           <SideBar className={isHome ? styles["sidebar-show"] : ""} /> | ||||
|  | ||||
|           <div className={styles["window-content"]} id={SlotID.AppBody}> | ||||
|             <Routes> | ||||
|               <Route path={Path.Home} element={<Chat />} /> | ||||
|               <Route path={Path.NewChat} element={<NewChat />} /> | ||||
|               <Route path={Path.Masks} element={<MaskPage />} /> | ||||
|               <Route path={Path.Chat} element={<Chat />} /> | ||||
|               <Route path={Path.Settings} element={<Settings />} /> | ||||
|             </Routes> | ||||
|           </div> | ||||
|         </> | ||||
|       )} | ||||
|       {renderContent()} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|   | ||||
| @@ -6,14 +6,16 @@ import RehypeKatex from "rehype-katex"; | ||||
| import RemarkGfm from "remark-gfm"; | ||||
| import RehypeHighlight from "rehype-highlight"; | ||||
| import { useRef, useState, RefObject, useEffect, useMemo } from "react"; | ||||
| import { copyToClipboard } from "../utils"; | ||||
| import { copyToClipboard, useWindowSize } from "../utils"; | ||||
| import mermaid from "mermaid"; | ||||
|  | ||||
| import LoadingIcon from "../icons/three-dots.svg"; | ||||
| import React from "react"; | ||||
| import { useDebouncedCallback } from "use-debounce"; | ||||
| import { showImageModal } from "./ui-lib"; | ||||
|  | ||||
| import { showImageModal, FullScreen } from "./ui-lib"; | ||||
| import { ArtifactsShareButton, HTMLPreview } from "./artifacts"; | ||||
| import { Plugin } from "../constant"; | ||||
| import { useChatStore } from "../store"; | ||||
| export function Mermaid(props: { code: string }) { | ||||
|   const ref = useRef<HTMLDivElement>(null); | ||||
|   const [hasError, setHasError] = useState(false); | ||||
| @@ -64,25 +66,38 @@ export function PreCode(props: { children: any }) { | ||||
|   const ref = useRef<HTMLPreElement>(null); | ||||
|   const refText = ref.current?.innerText; | ||||
|   const [mermaidCode, setMermaidCode] = useState(""); | ||||
|   const [htmlCode, setHtmlCode] = useState(""); | ||||
|   const { height } = useWindowSize(); | ||||
|   const chatStore = useChatStore(); | ||||
|   const session = chatStore.currentSession(); | ||||
|   const plugins = session.mask?.plugin; | ||||
|  | ||||
|   const renderMermaid = useDebouncedCallback(() => { | ||||
|   const renderArtifacts = useDebouncedCallback(() => { | ||||
|     if (!ref.current) return; | ||||
|     const mermaidDom = ref.current.querySelector("code.language-mermaid"); | ||||
|     if (mermaidDom) { | ||||
|       setMermaidCode((mermaidDom as HTMLElement).innerText); | ||||
|     } | ||||
|     const htmlDom = ref.current.querySelector("code.language-html"); | ||||
|     if (htmlDom) { | ||||
|       setHtmlCode((htmlDom as HTMLElement).innerText); | ||||
|     } else if (refText?.startsWith("<!DOCTYPE")) { | ||||
|       setHtmlCode(refText); | ||||
|     } | ||||
|   }, 600); | ||||
|  | ||||
|   useEffect(() => { | ||||
|     setTimeout(renderMermaid, 1); | ||||
|     setTimeout(renderArtifacts, 1); | ||||
|     // eslint-disable-next-line react-hooks/exhaustive-deps | ||||
|   }, [refText]); | ||||
|  | ||||
|   const enableArtifacts = useMemo( | ||||
|     () => plugins?.includes(Plugin.Artifacts), | ||||
|     [plugins], | ||||
|   ); | ||||
|  | ||||
|   return ( | ||||
|     <> | ||||
|       {mermaidCode.length > 0 && ( | ||||
|         <Mermaid code={mermaidCode} key={mermaidCode} /> | ||||
|       )} | ||||
|       <pre ref={ref}> | ||||
|         <span | ||||
|           className="copy-code-button" | ||||
| @@ -95,6 +110,22 @@ export function PreCode(props: { children: any }) { | ||||
|         ></span> | ||||
|         {props.children} | ||||
|       </pre> | ||||
|       {mermaidCode.length > 0 && ( | ||||
|         <Mermaid code={mermaidCode} key={mermaidCode} /> | ||||
|       )} | ||||
|       {htmlCode.length > 0 && enableArtifacts && ( | ||||
|         <FullScreen className="no-dark html" right={70}> | ||||
|           <ArtifactsShareButton | ||||
|             style={{ position: "absolute", right: 20, top: 10 }} | ||||
|             getCode={() => htmlCode} | ||||
|           /> | ||||
|           <HTMLPreview | ||||
|             code={htmlCode} | ||||
|             autoHeight={!document.fullscreenElement} | ||||
|             height={!document.fullscreenElement ? 600 : height} | ||||
|           /> | ||||
|         </FullScreen> | ||||
|       )} | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
|   | ||||
							
								
								
									
										2
									
								
								app/components/sd/index.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										2
									
								
								app/components/sd/index.tsx
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,2 @@ | ||||
| export * from "./sd"; | ||||
| export * from "./sd-panel"; | ||||
							
								
								
									
										45
									
								
								app/components/sd/sd-panel.module.scss
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										45
									
								
								app/components/sd/sd-panel.module.scss
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,45 @@ | ||||
| .ctrl-param-item { | ||||
|   display: flex; | ||||
|   justify-content: space-between; | ||||
|   min-height: 40px; | ||||
|   padding: 10px 0; | ||||
|   animation: slide-in ease 0.6s; | ||||
|   flex-direction: column; | ||||
|  | ||||
|   .ctrl-param-item-header { | ||||
|     display: flex; | ||||
|     align-items: center; | ||||
|  | ||||
|     .ctrl-param-item-title { | ||||
|       font-size: 14px; | ||||
|       font-weight: bolder; | ||||
|       margin-bottom: 5px; | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   .ctrl-param-item-sub-title { | ||||
|     font-size: 12px; | ||||
|     font-weight: normal; | ||||
|     margin-top: 3px; | ||||
|   } | ||||
|   textarea { | ||||
|     appearance: none; | ||||
|     border-radius: 10px; | ||||
|     border: var(--border-in-light); | ||||
|     min-height: 36px; | ||||
|     box-sizing: border-box; | ||||
|     background: var(--white); | ||||
|     color: var(--black); | ||||
|     padding: 0 10px; | ||||
|     max-width: 50%; | ||||
|     font-family: inherit; | ||||
|   } | ||||
| } | ||||
|  | ||||
| .ai-models { | ||||
|   button { | ||||
|     margin-bottom: 10px; | ||||
|     padding: 10px; | ||||
|     width: 100%; | ||||
|   } | ||||
| } | ||||
							
								
								
									
										317
									
								
								app/components/sd/sd-panel.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										317
									
								
								app/components/sd/sd-panel.tsx
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,317 @@ | ||||
| import styles from "./sd-panel.module.scss"; | ||||
| import React from "react"; | ||||
| import { Select } from "@/app/components/ui-lib"; | ||||
| import { IconButton } from "@/app/components/button"; | ||||
| import Locale from "@/app/locales"; | ||||
| import { useSdStore } from "@/app/store/sd"; | ||||
|  | ||||
| export const params = [ | ||||
|   { | ||||
|     name: Locale.SdPanel.Prompt, | ||||
|     value: "prompt", | ||||
|     type: "textarea", | ||||
|     placeholder: Locale.SdPanel.PleaseInput(Locale.SdPanel.Prompt), | ||||
|     required: true, | ||||
|   }, | ||||
|   { | ||||
|     name: Locale.SdPanel.ModelVersion, | ||||
|     value: "model", | ||||
|     type: "select", | ||||
|     default: "sd3-medium", | ||||
|     support: ["sd3"], | ||||
|     options: [ | ||||
|       { name: "SD3 Medium", value: "sd3-medium" }, | ||||
|       { name: "SD3 Large", value: "sd3-large" }, | ||||
|       { name: "SD3 Large Turbo", value: "sd3-large-turbo" }, | ||||
|     ], | ||||
|   }, | ||||
|   { | ||||
|     name: Locale.SdPanel.NegativePrompt, | ||||
|     value: "negative_prompt", | ||||
|     type: "textarea", | ||||
|     placeholder: Locale.SdPanel.PleaseInput(Locale.SdPanel.NegativePrompt), | ||||
|   }, | ||||
|   { | ||||
|     name: Locale.SdPanel.AspectRatio, | ||||
|     value: "aspect_ratio", | ||||
|     type: "select", | ||||
|     default: "1:1", | ||||
|     options: [ | ||||
|       { name: "1:1", value: "1:1" }, | ||||
|       { name: "16:9", value: "16:9" }, | ||||
|       { name: "21:9", value: "21:9" }, | ||||
|       { name: "2:3", value: "2:3" }, | ||||
|       { name: "3:2", value: "3:2" }, | ||||
|       { name: "4:5", value: "4:5" }, | ||||
|       { name: "5:4", value: "5:4" }, | ||||
|       { name: "9:16", value: "9:16" }, | ||||
|       { name: "9:21", value: "9:21" }, | ||||
|     ], | ||||
|   }, | ||||
|   { | ||||
|     name: Locale.SdPanel.ImageStyle, | ||||
|     value: "style", | ||||
|     type: "select", | ||||
|     default: "3d-model", | ||||
|     support: ["core"], | ||||
|     options: [ | ||||
|       { name: Locale.SdPanel.Styles.D3Model, value: "3d-model" }, | ||||
|       { name: Locale.SdPanel.Styles.AnalogFilm, value: "analog-film" }, | ||||
|       { name: Locale.SdPanel.Styles.Anime, value: "anime" }, | ||||
|       { name: Locale.SdPanel.Styles.Cinematic, value: "cinematic" }, | ||||
|       { name: Locale.SdPanel.Styles.ComicBook, value: "comic-book" }, | ||||
|       { name: Locale.SdPanel.Styles.DigitalArt, value: "digital-art" }, | ||||
|       { name: Locale.SdPanel.Styles.Enhance, value: "enhance" }, | ||||
|       { name: Locale.SdPanel.Styles.FantasyArt, value: "fantasy-art" }, | ||||
|       { name: Locale.SdPanel.Styles.Isometric, value: "isometric" }, | ||||
|       { name: Locale.SdPanel.Styles.LineArt, value: "line-art" }, | ||||
|       { name: Locale.SdPanel.Styles.LowPoly, value: "low-poly" }, | ||||
|       { | ||||
|         name: Locale.SdPanel.Styles.ModelingCompound, | ||||
|         value: "modeling-compound", | ||||
|       }, | ||||
|       { name: Locale.SdPanel.Styles.NeonPunk, value: "neon-punk" }, | ||||
|       { name: Locale.SdPanel.Styles.Origami, value: "origami" }, | ||||
|       { name: Locale.SdPanel.Styles.Photographic, value: "photographic" }, | ||||
|       { name: Locale.SdPanel.Styles.PixelArt, value: "pixel-art" }, | ||||
|       { name: Locale.SdPanel.Styles.TileTexture, value: "tile-texture" }, | ||||
|     ], | ||||
|   }, | ||||
|   { | ||||
|     name: "Seed", | ||||
|     value: "seed", | ||||
|     type: "number", | ||||
|     default: 0, | ||||
|     min: 0, | ||||
|     max: 4294967294, | ||||
|   }, | ||||
|   { | ||||
|     name: Locale.SdPanel.OutFormat, | ||||
|     value: "output_format", | ||||
|     type: "select", | ||||
|     default: "png", | ||||
|     options: [ | ||||
|       { name: "PNG", value: "png" }, | ||||
|       { name: "JPEG", value: "jpeg" }, | ||||
|       { name: "WebP", value: "webp" }, | ||||
|     ], | ||||
|   }, | ||||
| ]; | ||||
|  | ||||
| const sdCommonParams = (model: string, data: any) => { | ||||
|   return params.filter((item) => { | ||||
|     return !(item.support && !item.support.includes(model)); | ||||
|   }); | ||||
| }; | ||||
|  | ||||
| export const models = [ | ||||
|   { | ||||
|     name: "Stable Image Ultra", | ||||
|     value: "ultra", | ||||
|     params: (data: any) => sdCommonParams("ultra", data), | ||||
|   }, | ||||
|   { | ||||
|     name: "Stable Image Core", | ||||
|     value: "core", | ||||
|     params: (data: any) => sdCommonParams("core", data), | ||||
|   }, | ||||
|   { | ||||
|     name: "Stable Diffusion 3", | ||||
|     value: "sd3", | ||||
|     params: (data: any) => { | ||||
|       return sdCommonParams("sd3", data).filter((item) => { | ||||
|         return !( | ||||
|           data.model === "sd3-large-turbo" && item.value == "negative_prompt" | ||||
|         ); | ||||
|       }); | ||||
|     }, | ||||
|   }, | ||||
| ]; | ||||
|  | ||||
| export function ControlParamItem(props: { | ||||
|   title: string; | ||||
|   subTitle?: string; | ||||
|   required?: boolean; | ||||
|   children?: JSX.Element | JSX.Element[]; | ||||
|   className?: string; | ||||
| }) { | ||||
|   return ( | ||||
|     <div className={styles["ctrl-param-item"] + ` ${props.className || ""}`}> | ||||
|       <div className={styles["ctrl-param-item-header"]}> | ||||
|         <div className={styles["ctrl-param-item-title"]}> | ||||
|           <div> | ||||
|             {props.title} | ||||
|             {props.required && <span style={{ color: "red" }}>*</span>} | ||||
|           </div> | ||||
|         </div> | ||||
|       </div> | ||||
|       {props.children} | ||||
|       {props.subTitle && ( | ||||
|         <div className={styles["ctrl-param-item-sub-title"]}> | ||||
|           {props.subTitle} | ||||
|         </div> | ||||
|       )} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export function ControlParam(props: { | ||||
|   columns: any[]; | ||||
|   data: any; | ||||
|   onChange: (field: string, val: any) => void; | ||||
| }) { | ||||
|   return ( | ||||
|     <> | ||||
|       {props.columns?.map((item) => { | ||||
|         let element: null | JSX.Element; | ||||
|         switch (item.type) { | ||||
|           case "textarea": | ||||
|             element = ( | ||||
|               <ControlParamItem | ||||
|                 title={item.name} | ||||
|                 subTitle={item.sub} | ||||
|                 required={item.required} | ||||
|               > | ||||
|                 <textarea | ||||
|                   rows={item.rows || 3} | ||||
|                   style={{ maxWidth: "100%", width: "100%", padding: "10px" }} | ||||
|                   placeholder={item.placeholder} | ||||
|                   onChange={(e) => { | ||||
|                     props.onChange(item.value, e.currentTarget.value); | ||||
|                   }} | ||||
|                   value={props.data[item.value]} | ||||
|                 ></textarea> | ||||
|               </ControlParamItem> | ||||
|             ); | ||||
|             break; | ||||
|           case "select": | ||||
|             element = ( | ||||
|               <ControlParamItem | ||||
|                 title={item.name} | ||||
|                 subTitle={item.sub} | ||||
|                 required={item.required} | ||||
|               > | ||||
|                 <Select | ||||
|                   value={props.data[item.value]} | ||||
|                   onChange={(e) => { | ||||
|                     props.onChange(item.value, e.currentTarget.value); | ||||
|                   }} | ||||
|                 > | ||||
|                   {item.options.map((opt: any) => { | ||||
|                     return ( | ||||
|                       <option value={opt.value} key={opt.value}> | ||||
|                         {opt.name} | ||||
|                       </option> | ||||
|                     ); | ||||
|                   })} | ||||
|                 </Select> | ||||
|               </ControlParamItem> | ||||
|             ); | ||||
|             break; | ||||
|           case "number": | ||||
|             element = ( | ||||
|               <ControlParamItem | ||||
|                 title={item.name} | ||||
|                 subTitle={item.sub} | ||||
|                 required={item.required} | ||||
|               > | ||||
|                 <input | ||||
|                   type="number" | ||||
|                   min={item.min} | ||||
|                   max={item.max} | ||||
|                   value={props.data[item.value] || 0} | ||||
|                   onChange={(e) => { | ||||
|                     props.onChange(item.value, parseInt(e.currentTarget.value)); | ||||
|                   }} | ||||
|                 /> | ||||
|               </ControlParamItem> | ||||
|             ); | ||||
|             break; | ||||
|           default: | ||||
|             element = ( | ||||
|               <ControlParamItem | ||||
|                 title={item.name} | ||||
|                 subTitle={item.sub} | ||||
|                 required={item.required} | ||||
|               > | ||||
|                 <input | ||||
|                   type="text" | ||||
|                   value={props.data[item.value]} | ||||
|                   style={{ maxWidth: "100%", width: "100%" }} | ||||
|                   onChange={(e) => { | ||||
|                     props.onChange(item.value, e.currentTarget.value); | ||||
|                   }} | ||||
|                 /> | ||||
|               </ControlParamItem> | ||||
|             ); | ||||
|         } | ||||
|         return <div key={item.value}>{element}</div>; | ||||
|       })} | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export const getModelParamBasicData = ( | ||||
|   columns: any[], | ||||
|   data: any, | ||||
|   clearText?: boolean, | ||||
| ) => { | ||||
|   const newParams: any = {}; | ||||
|   columns.forEach((item: any) => { | ||||
|     if (clearText && ["text", "textarea", "number"].includes(item.type)) { | ||||
|       newParams[item.value] = item.default || ""; | ||||
|     } else { | ||||
|       // @ts-ignore | ||||
|       newParams[item.value] = data[item.value] || item.default || ""; | ||||
|     } | ||||
|   }); | ||||
|   return newParams; | ||||
| }; | ||||
|  | ||||
| export const getParams = (model: any, params: any) => { | ||||
|   return models.find((m) => m.value === model.value)?.params(params) || []; | ||||
| }; | ||||
|  | ||||
| export function SdPanel() { | ||||
|   const sdStore = useSdStore(); | ||||
|   const currentModel = sdStore.currentModel; | ||||
|   const setCurrentModel = sdStore.setCurrentModel; | ||||
|   const params = sdStore.currentParams; | ||||
|   const setParams = sdStore.setCurrentParams; | ||||
|  | ||||
|   const handleValueChange = (field: string, val: any) => { | ||||
|     setParams({ | ||||
|       ...params, | ||||
|       [field]: val, | ||||
|     }); | ||||
|   }; | ||||
|   const handleModelChange = (model: any) => { | ||||
|     setCurrentModel(model); | ||||
|     setParams(getModelParamBasicData(model.params({}), params)); | ||||
|   }; | ||||
|  | ||||
|   return ( | ||||
|     <> | ||||
|       <ControlParamItem title={Locale.SdPanel.AIModel}> | ||||
|         <div className={styles["ai-models"]}> | ||||
|           {models.map((item) => { | ||||
|             return ( | ||||
|               <IconButton | ||||
|                 text={item.name} | ||||
|                 key={item.value} | ||||
|                 type={currentModel.value == item.value ? "primary" : null} | ||||
|                 shadow | ||||
|                 onClick={() => handleModelChange(item)} | ||||
|               /> | ||||
|             ); | ||||
|           })} | ||||
|         </div> | ||||
|       </ControlParamItem> | ||||
|       <ControlParam | ||||
|         columns={getParams?.(currentModel, params) as any[]} | ||||
|         data={params} | ||||
|         onChange={handleValueChange} | ||||
|       ></ControlParam> | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
							
								
								
									
										140
									
								
								app/components/sd/sd-sidebar.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										140
									
								
								app/components/sd/sd-sidebar.tsx
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,140 @@ | ||||
| import { IconButton } from "@/app/components/button"; | ||||
| import GithubIcon from "@/app/icons/github.svg"; | ||||
| import SDIcon from "@/app/icons/sd.svg"; | ||||
| import ReturnIcon from "@/app/icons/return.svg"; | ||||
| import HistoryIcon from "@/app/icons/history.svg"; | ||||
| import Locale from "@/app/locales"; | ||||
|  | ||||
| import { Path, REPO_URL } from "@/app/constant"; | ||||
|  | ||||
| import { useNavigate } from "react-router-dom"; | ||||
| import dynamic from "next/dynamic"; | ||||
| import { | ||||
|   SideBarContainer, | ||||
|   SideBarBody, | ||||
|   SideBarHeader, | ||||
|   SideBarTail, | ||||
|   useDragSideBar, | ||||
|   useHotKey, | ||||
| } from "@/app/components/sidebar"; | ||||
|  | ||||
| import { getParams, getModelParamBasicData } from "./sd-panel"; | ||||
| import { useSdStore } from "@/app/store/sd"; | ||||
| import { showToast } from "@/app/components/ui-lib"; | ||||
| import { useMobileScreen } from "@/app/utils"; | ||||
|  | ||||
| const SdPanel = dynamic( | ||||
|   async () => (await import("@/app/components/sd")).SdPanel, | ||||
|   { | ||||
|     loading: () => null, | ||||
|   }, | ||||
| ); | ||||
|  | ||||
| export function SideBar(props: { className?: string }) { | ||||
|   useHotKey(); | ||||
|   const isMobileScreen = useMobileScreen(); | ||||
|   const { onDragStart, shouldNarrow } = useDragSideBar(); | ||||
|   const navigate = useNavigate(); | ||||
|   const sdStore = useSdStore(); | ||||
|   const currentModel = sdStore.currentModel; | ||||
|   const params = sdStore.currentParams; | ||||
|   const setParams = sdStore.setCurrentParams; | ||||
|  | ||||
|   const handleSubmit = () => { | ||||
|     const columns = getParams?.(currentModel, params); | ||||
|     const reqParams: any = {}; | ||||
|     for (let i = 0; i < columns.length; i++) { | ||||
|       const item = columns[i]; | ||||
|       reqParams[item.value] = params[item.value] ?? null; | ||||
|       if (item.required) { | ||||
|         if (!reqParams[item.value]) { | ||||
|           showToast(Locale.SdPanel.ParamIsRequired(item.name)); | ||||
|           return; | ||||
|         } | ||||
|       } | ||||
|     } | ||||
|     let data: any = { | ||||
|       model: currentModel.value, | ||||
|       model_name: currentModel.name, | ||||
|       status: "wait", | ||||
|       params: reqParams, | ||||
|       created_at: new Date().toLocaleString(), | ||||
|       img_data: "", | ||||
|     }; | ||||
|     sdStore.sendTask(data, () => { | ||||
|       setParams(getModelParamBasicData(columns, params, true)); | ||||
|       navigate(Path.SdNew); | ||||
|     }); | ||||
|   }; | ||||
|  | ||||
|   return ( | ||||
|     <SideBarContainer | ||||
|       onDragStart={onDragStart} | ||||
|       shouldNarrow={shouldNarrow} | ||||
|       {...props} | ||||
|     > | ||||
|       {isMobileScreen ? ( | ||||
|         <div | ||||
|           className="window-header" | ||||
|           data-tauri-drag-region | ||||
|           style={{ | ||||
|             paddingLeft: 0, | ||||
|             paddingRight: 0, | ||||
|           }} | ||||
|         > | ||||
|           <div className="window-actions"> | ||||
|             <div className="window-action-button"> | ||||
|               <IconButton | ||||
|                 icon={<ReturnIcon />} | ||||
|                 bordered | ||||
|                 title={Locale.Sd.Actions.ReturnHome} | ||||
|                 onClick={() => navigate(Path.Home)} | ||||
|               /> | ||||
|             </div> | ||||
|           </div> | ||||
|           <SDIcon width={50} height={50} /> | ||||
|           <div className="window-actions"> | ||||
|             <div className="window-action-button"> | ||||
|               <IconButton | ||||
|                 icon={<HistoryIcon />} | ||||
|                 bordered | ||||
|                 title={Locale.Sd.Actions.History} | ||||
|                 onClick={() => navigate(Path.SdNew)} | ||||
|               /> | ||||
|             </div> | ||||
|           </div> | ||||
|         </div> | ||||
|       ) : ( | ||||
|         <SideBarHeader | ||||
|           title={ | ||||
|             <IconButton | ||||
|               icon={<ReturnIcon />} | ||||
|               bordered | ||||
|               title={Locale.Sd.Actions.ReturnHome} | ||||
|               onClick={() => navigate(Path.Home)} | ||||
|             /> | ||||
|           } | ||||
|           logo={<SDIcon width={38} height={"100%"} />} | ||||
|         ></SideBarHeader> | ||||
|       )} | ||||
|       <SideBarBody> | ||||
|         <SdPanel /> | ||||
|       </SideBarBody> | ||||
|       <SideBarTail | ||||
|         primaryAction={ | ||||
|           <a href={REPO_URL} target="_blank" rel="noopener noreferrer"> | ||||
|             <IconButton icon={<GithubIcon />} shadow /> | ||||
|           </a> | ||||
|         } | ||||
|         secondaryAction={ | ||||
|           <IconButton | ||||
|             text={Locale.SdPanel.Submit} | ||||
|             type="primary" | ||||
|             shadow | ||||
|             onClick={handleSubmit} | ||||
|           ></IconButton> | ||||
|         } | ||||
|       /> | ||||
|     </SideBarContainer> | ||||
|   ); | ||||
| } | ||||
							
								
								
									
										53
									
								
								app/components/sd/sd.module.scss
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										53
									
								
								app/components/sd/sd.module.scss
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,53 @@ | ||||
| .sd-img-list{ | ||||
|   display: flex; | ||||
|   flex-wrap: wrap; | ||||
|   justify-content: space-between; | ||||
|   .sd-img-item{ | ||||
|     width: 48%; | ||||
|     .sd-img-item-info{ | ||||
|       flex:1; | ||||
|       width: 100%; | ||||
|       overflow: hidden; | ||||
|       user-select: text; | ||||
|       p{ | ||||
|         margin: 6px; | ||||
|         font-size: 12px; | ||||
|       } | ||||
|       .line-1{ | ||||
|         overflow: hidden; | ||||
|         white-space: nowrap; | ||||
|         text-overflow: ellipsis; | ||||
|       } | ||||
|     } | ||||
|     .pre-img{ | ||||
|       display: flex; | ||||
|       width: 130px; | ||||
|       justify-content: center; | ||||
|       align-items: center; | ||||
|       background-color: var(--second); | ||||
|       border-radius: 10px; | ||||
|     } | ||||
|     .img{ | ||||
|       width: 130px; | ||||
|       height: 130px; | ||||
|       border-radius: 10px; | ||||
|       overflow: hidden; | ||||
|       cursor: pointer; | ||||
|       transition: all .3s; | ||||
|       &:hover{ | ||||
|         opacity: .7; | ||||
|       } | ||||
|     } | ||||
|     &:not(:last-child){ | ||||
|       margin-bottom: 20px; | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | ||||
| @media only screen and (max-width: 600px) { | ||||
|   .sd-img-list{ | ||||
|     .sd-img-item{ | ||||
|       width: 100%; | ||||
|     } | ||||
|   } | ||||
| } | ||||
							
								
								
									
										336
									
								
								app/components/sd/sd.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										336
									
								
								app/components/sd/sd.tsx
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,336 @@ | ||||
| import chatStyles from "@/app/components/chat.module.scss"; | ||||
| import styles from "@/app/components/sd/sd.module.scss"; | ||||
| import homeStyles from "@/app/components/home.module.scss"; | ||||
|  | ||||
| import { IconButton } from "@/app/components/button"; | ||||
| import ReturnIcon from "@/app/icons/return.svg"; | ||||
| import Locale from "@/app/locales"; | ||||
| import { Path } from "@/app/constant"; | ||||
| import React, { useEffect, useMemo, useRef, useState } from "react"; | ||||
| import { | ||||
|   copyToClipboard, | ||||
|   getMessageTextContent, | ||||
|   useMobileScreen, | ||||
| } from "@/app/utils"; | ||||
| import { useNavigate, useLocation } from "react-router-dom"; | ||||
| import { useAppConfig } from "@/app/store"; | ||||
| import MinIcon from "@/app/icons/min.svg"; | ||||
| import MaxIcon from "@/app/icons/max.svg"; | ||||
| import { getClientConfig } from "@/app/config/client"; | ||||
| import { ChatAction } from "@/app/components/chat"; | ||||
| import DeleteIcon from "@/app/icons/clear.svg"; | ||||
| import CopyIcon from "@/app/icons/copy.svg"; | ||||
| import PromptIcon from "@/app/icons/prompt.svg"; | ||||
| import ResetIcon from "@/app/icons/reload.svg"; | ||||
| import { useSdStore } from "@/app/store/sd"; | ||||
| import locales from "@/app/locales"; | ||||
| import LoadingIcon from "@/app/icons/three-dots.svg"; | ||||
| import ErrorIcon from "@/app/icons/delete.svg"; | ||||
| import SDIcon from "@/app/icons/sd.svg"; | ||||
| import { Property } from "csstype"; | ||||
| import { | ||||
|   showConfirm, | ||||
|   showImageModal, | ||||
|   showModal, | ||||
| } from "@/app/components/ui-lib"; | ||||
| import { removeImage } from "@/app/utils/chat"; | ||||
| import { SideBar } from "./sd-sidebar"; | ||||
| import { WindowContent } from "@/app/components/home"; | ||||
| import { params } from "./sd-panel"; | ||||
|  | ||||
| function getSdTaskStatus(item: any) { | ||||
|   let s: string; | ||||
|   let color: Property.Color | undefined = undefined; | ||||
|   switch (item.status) { | ||||
|     case "success": | ||||
|       s = Locale.Sd.Status.Success; | ||||
|       color = "green"; | ||||
|       break; | ||||
|     case "error": | ||||
|       s = Locale.Sd.Status.Error; | ||||
|       color = "red"; | ||||
|       break; | ||||
|     case "wait": | ||||
|       s = Locale.Sd.Status.Wait; | ||||
|       color = "yellow"; | ||||
|       break; | ||||
|     case "running": | ||||
|       s = Locale.Sd.Status.Running; | ||||
|       color = "blue"; | ||||
|       break; | ||||
|     default: | ||||
|       s = item.status.toUpperCase(); | ||||
|   } | ||||
|   return ( | ||||
|     <p className={styles["line-1"]} title={item.error} style={{ color: color }}> | ||||
|       <span> | ||||
|         {locales.Sd.Status.Name}: {s} | ||||
|       </span> | ||||
|       {item.status === "error" && ( | ||||
|         <span | ||||
|           className="clickable" | ||||
|           onClick={() => { | ||||
|             showModal({ | ||||
|               title: locales.Sd.Detail, | ||||
|               children: ( | ||||
|                 <div style={{ color: color, userSelect: "text" }}> | ||||
|                   {item.error} | ||||
|                 </div> | ||||
|               ), | ||||
|             }); | ||||
|           }} | ||||
|         > | ||||
|           - {item.error} | ||||
|         </span> | ||||
|       )} | ||||
|     </p> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export function Sd() { | ||||
|   const isMobileScreen = useMobileScreen(); | ||||
|   const navigate = useNavigate(); | ||||
|   const location = useLocation(); | ||||
|   const clientConfig = useMemo(() => getClientConfig(), []); | ||||
|   const showMaxIcon = !isMobileScreen && !clientConfig?.isApp; | ||||
|   const config = useAppConfig(); | ||||
|   const scrollRef = useRef<HTMLDivElement>(null); | ||||
|   const sdStore = useSdStore(); | ||||
|   const [sdImages, setSdImages] = useState(sdStore.draw); | ||||
|   const isSd = location.pathname === Path.Sd; | ||||
|  | ||||
|   useEffect(() => { | ||||
|     setSdImages(sdStore.draw); | ||||
|   }, [sdStore.currentId]); | ||||
|  | ||||
|   return ( | ||||
|     <> | ||||
|       <SideBar className={isSd ? homeStyles["sidebar-show"] : ""} /> | ||||
|       <WindowContent> | ||||
|         <div className={chatStyles.chat} key={"1"}> | ||||
|           <div className="window-header" data-tauri-drag-region> | ||||
|             {isMobileScreen && ( | ||||
|               <div className="window-actions"> | ||||
|                 <div className={"window-action-button"}> | ||||
|                   <IconButton | ||||
|                     icon={<ReturnIcon />} | ||||
|                     bordered | ||||
|                     title={Locale.Chat.Actions.ChatList} | ||||
|                     onClick={() => navigate(Path.Sd)} | ||||
|                   /> | ||||
|                 </div> | ||||
|               </div> | ||||
|             )} | ||||
|             <div | ||||
|               className={`window-header-title ${chatStyles["chat-body-title"]}`} | ||||
|             > | ||||
|               <div className={`window-header-main-title`}>Stability AI</div> | ||||
|               <div className="window-header-sub-title"> | ||||
|                 {Locale.Sd.SubTitle(sdImages.length || 0)} | ||||
|               </div> | ||||
|             </div> | ||||
|  | ||||
|             <div className="window-actions"> | ||||
|               {showMaxIcon && ( | ||||
|                 <div className="window-action-button"> | ||||
|                   <IconButton | ||||
|                     icon={config.tightBorder ? <MinIcon /> : <MaxIcon />} | ||||
|                     bordered | ||||
|                     onClick={() => { | ||||
|                       config.update( | ||||
|                         (config) => (config.tightBorder = !config.tightBorder), | ||||
|                       ); | ||||
|                     }} | ||||
|                   /> | ||||
|                 </div> | ||||
|               )} | ||||
|               {isMobileScreen && <SDIcon width={50} height={50} />} | ||||
|             </div> | ||||
|           </div> | ||||
|           <div className={chatStyles["chat-body"]} ref={scrollRef}> | ||||
|             <div className={styles["sd-img-list"]}> | ||||
|               {sdImages.length > 0 ? ( | ||||
|                 sdImages.map((item: any) => { | ||||
|                   return ( | ||||
|                     <div | ||||
|                       key={item.id} | ||||
|                       style={{ display: "flex" }} | ||||
|                       className={styles["sd-img-item"]} | ||||
|                     > | ||||
|                       {item.status === "success" ? ( | ||||
|                         <img | ||||
|                           className={styles["img"]} | ||||
|                           src={item.img_data} | ||||
|                           alt={item.id} | ||||
|                           onClick={(e) => | ||||
|                             showImageModal( | ||||
|                               item.img_data, | ||||
|                               true, | ||||
|                               isMobileScreen | ||||
|                                 ? { width: "100%", height: "fit-content" } | ||||
|                                 : { maxWidth: "100%", maxHeight: "100%" }, | ||||
|                               isMobileScreen | ||||
|                                 ? { width: "100%", height: "fit-content" } | ||||
|                                 : { width: "100%", height: "100%" }, | ||||
|                             ) | ||||
|                           } | ||||
|                         /> | ||||
|                       ) : item.status === "error" ? ( | ||||
|                         <div className={styles["pre-img"]}> | ||||
|                           <ErrorIcon /> | ||||
|                         </div> | ||||
|                       ) : ( | ||||
|                         <div className={styles["pre-img"]}> | ||||
|                           <LoadingIcon /> | ||||
|                         </div> | ||||
|                       )} | ||||
|                       <div | ||||
|                         style={{ marginLeft: "10px" }} | ||||
|                         className={styles["sd-img-item-info"]} | ||||
|                       > | ||||
|                         <p className={styles["line-1"]}> | ||||
|                           {locales.SdPanel.Prompt}:{" "} | ||||
|                           <span | ||||
|                             className="clickable" | ||||
|                             title={item.params.prompt} | ||||
|                             onClick={() => { | ||||
|                               showModal({ | ||||
|                                 title: locales.Sd.Detail, | ||||
|                                 children: ( | ||||
|                                   <div style={{ userSelect: "text" }}> | ||||
|                                     {item.params.prompt} | ||||
|                                   </div> | ||||
|                                 ), | ||||
|                               }); | ||||
|                             }} | ||||
|                           > | ||||
|                             {item.params.prompt} | ||||
|                           </span> | ||||
|                         </p> | ||||
|                         <p> | ||||
|                           {locales.SdPanel.AIModel}: {item.model_name} | ||||
|                         </p> | ||||
|                         {getSdTaskStatus(item)} | ||||
|                         <p>{item.created_at}</p> | ||||
|                         <div className={chatStyles["chat-message-actions"]}> | ||||
|                           <div className={chatStyles["chat-input-actions"]}> | ||||
|                             <ChatAction | ||||
|                               text={Locale.Sd.Actions.Params} | ||||
|                               icon={<PromptIcon />} | ||||
|                               onClick={() => { | ||||
|                                 showModal({ | ||||
|                                   title: locales.Sd.GenerateParams, | ||||
|                                   children: ( | ||||
|                                     <div style={{ userSelect: "text" }}> | ||||
|                                       {Object.keys(item.params).map((key) => { | ||||
|                                         let label = key; | ||||
|                                         let value = item.params[key]; | ||||
|                                         switch (label) { | ||||
|                                           case "prompt": | ||||
|                                             label = Locale.SdPanel.Prompt; | ||||
|                                             break; | ||||
|                                           case "negative_prompt": | ||||
|                                             label = | ||||
|                                               Locale.SdPanel.NegativePrompt; | ||||
|                                             break; | ||||
|                                           case "aspect_ratio": | ||||
|                                             label = Locale.SdPanel.AspectRatio; | ||||
|                                             break; | ||||
|                                           case "seed": | ||||
|                                             label = "Seed"; | ||||
|                                             value = value || 0; | ||||
|                                             break; | ||||
|                                           case "output_format": | ||||
|                                             label = Locale.SdPanel.OutFormat; | ||||
|                                             value = value?.toUpperCase(); | ||||
|                                             break; | ||||
|                                           case "style": | ||||
|                                             label = Locale.SdPanel.ImageStyle; | ||||
|                                             value = params | ||||
|                                               .find( | ||||
|                                                 (item) => | ||||
|                                                   item.value === "style", | ||||
|                                               ) | ||||
|                                               ?.options?.find( | ||||
|                                                 (item) => item.value === value, | ||||
|                                               )?.name; | ||||
|                                             break; | ||||
|                                           default: | ||||
|                                             break; | ||||
|                                         } | ||||
|  | ||||
|                                         return ( | ||||
|                                           <div | ||||
|                                             key={key} | ||||
|                                             style={{ margin: "10px" }} | ||||
|                                           > | ||||
|                                             <strong>{label}: </strong> | ||||
|                                             {value} | ||||
|                                           </div> | ||||
|                                         ); | ||||
|                                       })} | ||||
|                                     </div> | ||||
|                                   ), | ||||
|                                 }); | ||||
|                               }} | ||||
|                             /> | ||||
|                             <ChatAction | ||||
|                               text={Locale.Sd.Actions.Copy} | ||||
|                               icon={<CopyIcon />} | ||||
|                               onClick={() => | ||||
|                                 copyToClipboard( | ||||
|                                   getMessageTextContent({ | ||||
|                                     role: "user", | ||||
|                                     content: item.params.prompt, | ||||
|                                   }), | ||||
|                                 ) | ||||
|                               } | ||||
|                             /> | ||||
|                             <ChatAction | ||||
|                               text={Locale.Sd.Actions.Retry} | ||||
|                               icon={<ResetIcon />} | ||||
|                               onClick={() => { | ||||
|                                 const reqData = { | ||||
|                                   model: item.model, | ||||
|                                   model_name: item.model_name, | ||||
|                                   status: "wait", | ||||
|                                   params: { ...item.params }, | ||||
|                                   created_at: new Date().toLocaleString(), | ||||
|                                   img_data: "", | ||||
|                                 }; | ||||
|                                 sdStore.sendTask(reqData); | ||||
|                               }} | ||||
|                             /> | ||||
|                             <ChatAction | ||||
|                               text={Locale.Sd.Actions.Delete} | ||||
|                               icon={<DeleteIcon />} | ||||
|                               onClick={async () => { | ||||
|                                 if ( | ||||
|                                   await showConfirm(Locale.Sd.Danger.Delete) | ||||
|                                 ) { | ||||
|                                   // remove img_data + remove item in list | ||||
|                                   removeImage(item.img_data).finally(() => { | ||||
|                                     sdStore.draw = sdImages.filter( | ||||
|                                       (i: any) => i.id !== item.id, | ||||
|                                     ); | ||||
|                                     sdStore.getNextId(); | ||||
|                                   }); | ||||
|                                 } | ||||
|                               }} | ||||
|                             /> | ||||
|                           </div> | ||||
|                         </div> | ||||
|                       </div> | ||||
|                     </div> | ||||
|                   ); | ||||
|                 }) | ||||
|               ) : ( | ||||
|                 <div>{locales.Sd.EmptyRecord}</div> | ||||
|               )} | ||||
|             </div> | ||||
|           </div> | ||||
|         </div> | ||||
|       </WindowContent> | ||||
|     </> | ||||
|   ); | ||||
| } | ||||
| @@ -57,6 +57,7 @@ import { | ||||
|   ByteDance, | ||||
|   Alibaba, | ||||
|   Google, | ||||
|   GoogleSafetySettingsThreshold, | ||||
|   OPENAI_BASE_URL, | ||||
|   Path, | ||||
|   RELEASE_URL, | ||||
| @@ -64,6 +65,7 @@ import { | ||||
|   ServiceProvider, | ||||
|   SlotID, | ||||
|   UPDATE_URL, | ||||
|   Stability, | ||||
| } from "../constant"; | ||||
| import { Prompt, SearchService, usePromptStore } from "../store/prompt"; | ||||
| import { ErrorBoundary } from "./error"; | ||||
| @@ -657,6 +659,428 @@ export function Settings() { | ||||
|   const clientConfig = useMemo(() => getClientConfig(), []); | ||||
|   const showAccessCode = enabledAccessControl && !clientConfig?.isApp; | ||||
|  | ||||
|   const accessCodeComponent = showAccessCode && ( | ||||
|     <ListItem | ||||
|       title={Locale.Settings.Access.AccessCode.Title} | ||||
|       subTitle={Locale.Settings.Access.AccessCode.SubTitle} | ||||
|     > | ||||
|       <PasswordInput | ||||
|         value={accessStore.accessCode} | ||||
|         type="text" | ||||
|         placeholder={Locale.Settings.Access.AccessCode.Placeholder} | ||||
|         onChange={(e) => { | ||||
|           accessStore.update( | ||||
|             (access) => (access.accessCode = e.currentTarget.value), | ||||
|           ); | ||||
|         }} | ||||
|       /> | ||||
|     </ListItem> | ||||
|   ); | ||||
|  | ||||
|   const useCustomConfigComponent = // Conditionally render the following ListItem based on clientConfig.isApp | ||||
|     !clientConfig?.isApp && ( // only show if isApp is false | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.CustomEndpoint.Title} | ||||
|         subTitle={Locale.Settings.Access.CustomEndpoint.SubTitle} | ||||
|       > | ||||
|         <input | ||||
|           type="checkbox" | ||||
|           checked={accessStore.useCustomConfig} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.useCustomConfig = e.currentTarget.checked), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|     ); | ||||
|  | ||||
|   const openAIConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.OpenAI && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.OpenAI.Endpoint.Title} | ||||
|         subTitle={Locale.Settings.Access.OpenAI.Endpoint.SubTitle} | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.openaiUrl} | ||||
|           placeholder={OPENAI_BASE_URL} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.openaiUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.OpenAI.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.OpenAI.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.openaiApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.OpenAI.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.openaiApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const azureConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.Azure && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Azure.Endpoint.Title} | ||||
|         subTitle={ | ||||
|           Locale.Settings.Access.Azure.Endpoint.SubTitle + Azure.ExampleEndpoint | ||||
|         } | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.azureUrl} | ||||
|           placeholder={Azure.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.azureUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Azure.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Azure.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.azureApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Azure.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.azureApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Azure.ApiVerion.Title} | ||||
|         subTitle={Locale.Settings.Access.Azure.ApiVerion.SubTitle} | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.azureApiVersion} | ||||
|           placeholder="2023-08-01-preview" | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.azureApiVersion = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const googleConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.Google && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Google.Endpoint.Title} | ||||
|         subTitle={ | ||||
|           Locale.Settings.Access.Google.Endpoint.SubTitle + | ||||
|           Google.ExampleEndpoint | ||||
|         } | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.googleUrl} | ||||
|           placeholder={Google.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.googleUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Google.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Google.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.googleApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Google.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.googleApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Google.ApiVersion.Title} | ||||
|         subTitle={Locale.Settings.Access.Google.ApiVersion.SubTitle} | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.googleApiVersion} | ||||
|           placeholder="2023-08-01-preview" | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.googleApiVersion = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Google.GoogleSafetySettings.Title} | ||||
|         subTitle={Locale.Settings.Access.Google.GoogleSafetySettings.SubTitle} | ||||
|       > | ||||
|         <Select | ||||
|           value={accessStore.googleSafetySettings} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => | ||||
|                 (access.googleSafetySettings = e.target | ||||
|                   .value as GoogleSafetySettingsThreshold), | ||||
|             ); | ||||
|           }} | ||||
|         > | ||||
|           {Object.entries(GoogleSafetySettingsThreshold).map(([k, v]) => ( | ||||
|             <option value={v} key={k}> | ||||
|               {k} | ||||
|             </option> | ||||
|           ))} | ||||
|         </Select> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const anthropicConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.Anthropic && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Anthropic.Endpoint.Title} | ||||
|         subTitle={ | ||||
|           Locale.Settings.Access.Anthropic.Endpoint.SubTitle + | ||||
|           Anthropic.ExampleEndpoint | ||||
|         } | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.anthropicUrl} | ||||
|           placeholder={Anthropic.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.anthropicUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Anthropic.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Anthropic.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.anthropicApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Anthropic.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.anthropicApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Anthropic.ApiVerion.Title} | ||||
|         subTitle={Locale.Settings.Access.Anthropic.ApiVerion.SubTitle} | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.anthropicApiVersion} | ||||
|           placeholder={Anthropic.Vision} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.anthropicApiVersion = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const baiduConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.Baidu && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Baidu.Endpoint.Title} | ||||
|         subTitle={Locale.Settings.Access.Baidu.Endpoint.SubTitle} | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.baiduUrl} | ||||
|           placeholder={Baidu.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.baiduUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Baidu.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Baidu.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.baiduApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Baidu.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.baiduApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Baidu.SecretKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Baidu.SecretKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.baiduSecretKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Baidu.SecretKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.baiduSecretKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const byteDanceConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.ByteDance && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.ByteDance.Endpoint.Title} | ||||
|         subTitle={ | ||||
|           Locale.Settings.Access.ByteDance.Endpoint.SubTitle + | ||||
|           ByteDance.ExampleEndpoint | ||||
|         } | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.bytedanceUrl} | ||||
|           placeholder={ByteDance.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.bytedanceUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.ByteDance.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.ByteDance.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.bytedanceApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.ByteDance.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.bytedanceApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const alibabaConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.Alibaba && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Alibaba.Endpoint.Title} | ||||
|         subTitle={ | ||||
|           Locale.Settings.Access.Alibaba.Endpoint.SubTitle + | ||||
|           Alibaba.ExampleEndpoint | ||||
|         } | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.alibabaUrl} | ||||
|           placeholder={Alibaba.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.alibabaUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Alibaba.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Alibaba.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.alibabaApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Alibaba.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.alibabaApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   const stabilityConfigComponent = accessStore.provider === | ||||
|     ServiceProvider.Stability && ( | ||||
|     <> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Stability.Endpoint.Title} | ||||
|         subTitle={ | ||||
|           Locale.Settings.Access.Stability.Endpoint.SubTitle + | ||||
|           Stability.ExampleEndpoint | ||||
|         } | ||||
|       > | ||||
|         <input | ||||
|           type="text" | ||||
|           value={accessStore.stabilityUrl} | ||||
|           placeholder={Stability.ExampleEndpoint} | ||||
|           onChange={(e) => | ||||
|             accessStore.update( | ||||
|               (access) => (access.stabilityUrl = e.currentTarget.value), | ||||
|             ) | ||||
|           } | ||||
|         ></input> | ||||
|       </ListItem> | ||||
|       <ListItem | ||||
|         title={Locale.Settings.Access.Stability.ApiKey.Title} | ||||
|         subTitle={Locale.Settings.Access.Stability.ApiKey.SubTitle} | ||||
|       > | ||||
|         <PasswordInput | ||||
|           value={accessStore.stabilityApiKey} | ||||
|           type="text" | ||||
|           placeholder={Locale.Settings.Access.Stability.ApiKey.Placeholder} | ||||
|           onChange={(e) => { | ||||
|             accessStore.update( | ||||
|               (access) => (access.stabilityApiKey = e.currentTarget.value), | ||||
|             ); | ||||
|           }} | ||||
|         /> | ||||
|       </ListItem> | ||||
|     </> | ||||
|   ); | ||||
|  | ||||
|   return ( | ||||
|     <ErrorBoundary> | ||||
|       <div className="window-header" data-tauri-drag-region> | ||||
| @@ -903,46 +1327,12 @@ export function Settings() { | ||||
|         </List> | ||||
|  | ||||
|         <List id={SlotID.CustomModel}> | ||||
|           {showAccessCode && ( | ||||
|             <ListItem | ||||
|               title={Locale.Settings.Access.AccessCode.Title} | ||||
|               subTitle={Locale.Settings.Access.AccessCode.SubTitle} | ||||
|             > | ||||
|               <PasswordInput | ||||
|                 value={accessStore.accessCode} | ||||
|                 type="text" | ||||
|                 placeholder={Locale.Settings.Access.AccessCode.Placeholder} | ||||
|                 onChange={(e) => { | ||||
|                   accessStore.update( | ||||
|                     (access) => (access.accessCode = e.currentTarget.value), | ||||
|                   ); | ||||
|                 }} | ||||
|               /> | ||||
|             </ListItem> | ||||
|           )} | ||||
|           {accessCodeComponent} | ||||
|  | ||||
|           {!accessStore.hideUserApiKey && ( | ||||
|             <> | ||||
|               { | ||||
|                 // Conditionally render the following ListItem based on clientConfig.isApp | ||||
|                 !clientConfig?.isApp && ( // only show if isApp is false | ||||
|                   <ListItem | ||||
|                     title={Locale.Settings.Access.CustomEndpoint.Title} | ||||
|                     subTitle={Locale.Settings.Access.CustomEndpoint.SubTitle} | ||||
|                   > | ||||
|                     <input | ||||
|                       type="checkbox" | ||||
|                       checked={accessStore.useCustomConfig} | ||||
|                       onChange={(e) => | ||||
|                         accessStore.update( | ||||
|                           (access) => | ||||
|                             (access.useCustomConfig = e.currentTarget.checked), | ||||
|                         ) | ||||
|                       } | ||||
|                     ></input> | ||||
|                   </ListItem> | ||||
|                 ) | ||||
|               } | ||||
|               {useCustomConfigComponent} | ||||
|  | ||||
|               {accessStore.useCustomConfig && ( | ||||
|                 <> | ||||
|                   <ListItem | ||||
| @@ -967,378 +1357,14 @@ export function Settings() { | ||||
|                     </Select> | ||||
|                   </ListItem> | ||||
|  | ||||
|                   {accessStore.provider === ServiceProvider.OpenAI && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.OpenAI.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.OpenAI.Endpoint.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.openaiUrl} | ||||
|                           placeholder={OPENAI_BASE_URL} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.openaiUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.OpenAI.ApiKey.Title} | ||||
|                         subTitle={Locale.Settings.Access.OpenAI.ApiKey.SubTitle} | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.openaiApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.OpenAI.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.openaiApiKey = e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|                   {accessStore.provider === ServiceProvider.Azure && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Azure.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Azure.Endpoint.SubTitle + | ||||
|                           Azure.ExampleEndpoint | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.azureUrl} | ||||
|                           placeholder={Azure.ExampleEndpoint} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.azureUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Azure.ApiKey.Title} | ||||
|                         subTitle={Locale.Settings.Access.Azure.ApiKey.SubTitle} | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.azureApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.Azure.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.azureApiKey = e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Azure.ApiVerion.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Azure.ApiVerion.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.azureApiVersion} | ||||
|                           placeholder="2023-08-01-preview" | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.azureApiVersion = | ||||
|                                   e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|                   {accessStore.provider === ServiceProvider.Google && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Google.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Google.Endpoint.SubTitle + | ||||
|                           Google.ExampleEndpoint | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.googleUrl} | ||||
|                           placeholder={Google.ExampleEndpoint} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.googleUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Google.ApiKey.Title} | ||||
|                         subTitle={Locale.Settings.Access.Google.ApiKey.SubTitle} | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.googleApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.Google.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.googleApiKey = e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Google.ApiVersion.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Google.ApiVersion.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.googleApiVersion} | ||||
|                           placeholder="2023-08-01-preview" | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.googleApiVersion = | ||||
|                                   e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|                   {accessStore.provider === ServiceProvider.Anthropic && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Anthropic.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Anthropic.Endpoint.SubTitle + | ||||
|                           Anthropic.ExampleEndpoint | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.anthropicUrl} | ||||
|                           placeholder={Anthropic.ExampleEndpoint} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.anthropicUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Anthropic.ApiKey.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Anthropic.ApiKey.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.anthropicApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.Anthropic.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.anthropicApiKey = | ||||
|                                   e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Anthropic.ApiVerion.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Anthropic.ApiVerion.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.anthropicApiVersion} | ||||
|                           placeholder={Anthropic.Vision} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.anthropicApiVersion = | ||||
|                                   e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|                   {accessStore.provider === ServiceProvider.Baidu && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Baidu.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Baidu.Endpoint.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.baiduUrl} | ||||
|                           placeholder={Baidu.ExampleEndpoint} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.baiduUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Baidu.ApiKey.Title} | ||||
|                         subTitle={Locale.Settings.Access.Baidu.ApiKey.SubTitle} | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.baiduApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.Baidu.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.baiduApiKey = e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Baidu.SecretKey.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Baidu.SecretKey.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.baiduSecretKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.Baidu.SecretKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.baiduSecretKey = e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|  | ||||
|                   {accessStore.provider === ServiceProvider.ByteDance && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.ByteDance.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.ByteDance.Endpoint.SubTitle + | ||||
|                           ByteDance.ExampleEndpoint | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.bytedanceUrl} | ||||
|                           placeholder={ByteDance.ExampleEndpoint} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.bytedanceUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.ByteDance.ApiKey.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.ByteDance.ApiKey.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.bytedanceApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.ByteDance.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.bytedanceApiKey = | ||||
|                                   e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|  | ||||
|                   {accessStore.provider === ServiceProvider.Alibaba && ( | ||||
|                     <> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Alibaba.Endpoint.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Alibaba.Endpoint.SubTitle + | ||||
|                           Alibaba.ExampleEndpoint | ||||
|                         } | ||||
|                       > | ||||
|                         <input | ||||
|                           type="text" | ||||
|                           value={accessStore.alibabaUrl} | ||||
|                           placeholder={Alibaba.ExampleEndpoint} | ||||
|                           onChange={(e) => | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.alibabaUrl = e.currentTarget.value), | ||||
|                             ) | ||||
|                           } | ||||
|                         ></input> | ||||
|                       </ListItem> | ||||
|                       <ListItem | ||||
|                         title={Locale.Settings.Access.Alibaba.ApiKey.Title} | ||||
|                         subTitle={ | ||||
|                           Locale.Settings.Access.Alibaba.ApiKey.SubTitle | ||||
|                         } | ||||
|                       > | ||||
|                         <PasswordInput | ||||
|                           value={accessStore.alibabaApiKey} | ||||
|                           type="text" | ||||
|                           placeholder={ | ||||
|                             Locale.Settings.Access.Alibaba.ApiKey.Placeholder | ||||
|                           } | ||||
|                           onChange={(e) => { | ||||
|                             accessStore.update( | ||||
|                               (access) => | ||||
|                                 (access.alibabaApiKey = e.currentTarget.value), | ||||
|                             ); | ||||
|                           }} | ||||
|                         /> | ||||
|                       </ListItem> | ||||
|                     </> | ||||
|                   )} | ||||
|                   {openAIConfigComponent} | ||||
|                   {azureConfigComponent} | ||||
|                   {googleConfigComponent} | ||||
|                   {anthropicConfigComponent} | ||||
|                   {baiduConfigComponent} | ||||
|                   {byteDanceConfigComponent} | ||||
|                   {alibabaConfigComponent} | ||||
|                   {stabilityConfigComponent} | ||||
|                 </> | ||||
|               )} | ||||
|             </> | ||||
|   | ||||
| @@ -1,4 +1,4 @@ | ||||
| import { useEffect, useRef, useMemo } from "react"; | ||||
| import React, { useEffect, useRef, useMemo, useState, Fragment } from "react"; | ||||
|  | ||||
| import styles from "./home.module.scss"; | ||||
|  | ||||
| @@ -10,8 +10,8 @@ import AddIcon from "../icons/add.svg"; | ||||
| import CloseIcon from "../icons/close.svg"; | ||||
| import DeleteIcon from "../icons/delete.svg"; | ||||
| import MaskIcon from "../icons/mask.svg"; | ||||
| import PluginIcon from "../icons/plugin.svg"; | ||||
| import DragIcon from "../icons/drag.svg"; | ||||
| import DiscoveryIcon from "../icons/discovery.svg"; | ||||
|  | ||||
| import Locale from "../locales"; | ||||
|  | ||||
| @@ -23,19 +23,20 @@ import { | ||||
|   MIN_SIDEBAR_WIDTH, | ||||
|   NARROW_SIDEBAR_WIDTH, | ||||
|   Path, | ||||
|   PLUGINS, | ||||
|   REPO_URL, | ||||
| } from "../constant"; | ||||
|  | ||||
| import { Link, useNavigate } from "react-router-dom"; | ||||
| import { isIOS, useMobileScreen } from "../utils"; | ||||
| import dynamic from "next/dynamic"; | ||||
| import { showConfirm, showToast } from "./ui-lib"; | ||||
| import { showConfirm, Selector } from "./ui-lib"; | ||||
|  | ||||
| const ChatList = dynamic(async () => (await import("./chat-list")).ChatList, { | ||||
|   loading: () => null, | ||||
| }); | ||||
|  | ||||
| function useHotKey() { | ||||
| export function useHotKey() { | ||||
|   const chatStore = useChatStore(); | ||||
|  | ||||
|   useEffect(() => { | ||||
| @@ -54,7 +55,7 @@ function useHotKey() { | ||||
|   }); | ||||
| } | ||||
|  | ||||
| function useDragSideBar() { | ||||
| export function useDragSideBar() { | ||||
|   const limit = (x: number) => Math.min(MAX_SIDEBAR_WIDTH, x); | ||||
|  | ||||
|   const config = useAppConfig(); | ||||
| @@ -127,25 +128,21 @@ function useDragSideBar() { | ||||
|     shouldNarrow, | ||||
|   }; | ||||
| } | ||||
|  | ||||
| export function SideBar(props: { className?: string }) { | ||||
|   const chatStore = useChatStore(); | ||||
|  | ||||
|   // drag side bar | ||||
|   const { onDragStart, shouldNarrow } = useDragSideBar(); | ||||
|   const navigate = useNavigate(); | ||||
|   const config = useAppConfig(); | ||||
| export function SideBarContainer(props: { | ||||
|   children: React.ReactNode; | ||||
|   onDragStart: (e: MouseEvent) => void; | ||||
|   shouldNarrow: boolean; | ||||
|   className?: string; | ||||
| }) { | ||||
|   const isMobileScreen = useMobileScreen(); | ||||
|   const isIOSMobile = useMemo( | ||||
|     () => isIOS() && isMobileScreen, | ||||
|     [isMobileScreen], | ||||
|   ); | ||||
|  | ||||
|   useHotKey(); | ||||
|  | ||||
|   const { children, className, onDragStart, shouldNarrow } = props; | ||||
|   return ( | ||||
|     <div | ||||
|       className={`${styles.sidebar} ${props.className} ${ | ||||
|       className={`${styles.sidebar} ${className} ${ | ||||
|         shouldNarrow && styles["narrow-sidebar"] | ||||
|       }`} | ||||
|       style={{ | ||||
| @@ -153,43 +150,128 @@ export function SideBar(props: { className?: string }) { | ||||
|         transition: isMobileScreen && isIOSMobile ? "none" : undefined, | ||||
|       }} | ||||
|     > | ||||
|       {children} | ||||
|       <div | ||||
|         className={styles["sidebar-drag"]} | ||||
|         onPointerDown={(e) => onDragStart(e as any)} | ||||
|       > | ||||
|         <DragIcon /> | ||||
|       </div> | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export function SideBarHeader(props: { | ||||
|   title?: string | React.ReactNode; | ||||
|   subTitle?: string | React.ReactNode; | ||||
|   logo?: React.ReactNode; | ||||
|   children?: React.ReactNode; | ||||
| }) { | ||||
|   const { title, subTitle, logo, children } = props; | ||||
|   return ( | ||||
|     <Fragment> | ||||
|       <div className={styles["sidebar-header"]} data-tauri-drag-region> | ||||
|         <div className={styles["sidebar-title"]} data-tauri-drag-region> | ||||
|           NextChat | ||||
|         </div> | ||||
|         <div className={styles["sidebar-sub-title"]}> | ||||
|           Build your own AI assistant. | ||||
|         </div> | ||||
|         <div className={styles["sidebar-logo"] + " no-dark"}> | ||||
|           <ChatGptIcon /> | ||||
|           {title} | ||||
|         </div> | ||||
|         <div className={styles["sidebar-sub-title"]}>{subTitle}</div> | ||||
|         <div className={styles["sidebar-logo"] + " no-dark"}>{logo}</div> | ||||
|       </div> | ||||
|       {children} | ||||
|     </Fragment> | ||||
|   ); | ||||
| } | ||||
|  | ||||
|       <div className={styles["sidebar-header-bar"]}> | ||||
|         <IconButton | ||||
|           icon={<MaskIcon />} | ||||
|           text={shouldNarrow ? undefined : Locale.Mask.Name} | ||||
|           className={styles["sidebar-bar-button"]} | ||||
|           onClick={() => { | ||||
|             if (config.dontShowMaskSplashScreen !== true) { | ||||
|               navigate(Path.NewChat, { state: { fromHome: true } }); | ||||
|             } else { | ||||
|               navigate(Path.Masks, { state: { fromHome: true } }); | ||||
|             } | ||||
|           }} | ||||
|           shadow | ||||
|         /> | ||||
|         <IconButton | ||||
|           icon={<PluginIcon />} | ||||
|           text={shouldNarrow ? undefined : Locale.Plugin.Name} | ||||
|           className={styles["sidebar-bar-button"]} | ||||
|           onClick={() => showToast(Locale.WIP)} | ||||
|           shadow | ||||
|         /> | ||||
|       </div> | ||||
| export function SideBarBody(props: { | ||||
|   children: React.ReactNode; | ||||
|   onClick?: (e: React.MouseEvent<HTMLDivElement, MouseEvent>) => void; | ||||
| }) { | ||||
|   const { onClick, children } = props; | ||||
|   return ( | ||||
|     <div className={styles["sidebar-body"]} onClick={onClick}> | ||||
|       {children} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|  | ||||
|       <div | ||||
|         className={styles["sidebar-body"]} | ||||
| export function SideBarTail(props: { | ||||
|   primaryAction?: React.ReactNode; | ||||
|   secondaryAction?: React.ReactNode; | ||||
| }) { | ||||
|   const { primaryAction, secondaryAction } = props; | ||||
|  | ||||
|   return ( | ||||
|     <div className={styles["sidebar-tail"]}> | ||||
|       <div className={styles["sidebar-actions"]}>{primaryAction}</div> | ||||
|       <div className={styles["sidebar-actions"]}>{secondaryAction}</div> | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| export function SideBar(props: { className?: string }) { | ||||
|   useHotKey(); | ||||
|   const { onDragStart, shouldNarrow } = useDragSideBar(); | ||||
|   const [showPluginSelector, setShowPluginSelector] = useState(false); | ||||
|   const navigate = useNavigate(); | ||||
|   const config = useAppConfig(); | ||||
|   const chatStore = useChatStore(); | ||||
|  | ||||
|   return ( | ||||
|     <SideBarContainer | ||||
|       onDragStart={onDragStart} | ||||
|       shouldNarrow={shouldNarrow} | ||||
|       {...props} | ||||
|     > | ||||
|       <SideBarHeader | ||||
|         title="NextChat" | ||||
|         subTitle="Build your own AI assistant." | ||||
|         logo={<ChatGptIcon />} | ||||
|       > | ||||
|         <div className={styles["sidebar-header-bar"]}> | ||||
|           <IconButton | ||||
|             icon={<MaskIcon />} | ||||
|             text={shouldNarrow ? undefined : Locale.Mask.Name} | ||||
|             className={styles["sidebar-bar-button"]} | ||||
|             onClick={() => { | ||||
|               if (config.dontShowMaskSplashScreen !== true) { | ||||
|                 navigate(Path.NewChat, { state: { fromHome: true } }); | ||||
|               } else { | ||||
|                 navigate(Path.Masks, { state: { fromHome: true } }); | ||||
|               } | ||||
|             }} | ||||
|             shadow | ||||
|           /> | ||||
|           <IconButton | ||||
|             icon={<DiscoveryIcon />} | ||||
|             text={shouldNarrow ? undefined : Locale.Discovery.Name} | ||||
|             className={styles["sidebar-bar-button"]} | ||||
|             onClick={() => setShowPluginSelector(true)} | ||||
|             shadow | ||||
|           /> | ||||
|         </div> | ||||
|         {showPluginSelector && ( | ||||
|           <Selector | ||||
|             items={[ | ||||
|               { | ||||
|                 title: "👇 Please select the plugin you need to use", | ||||
|                 value: "-", | ||||
|                 disable: true, | ||||
|               }, | ||||
|               ...PLUGINS.map((item) => { | ||||
|                 return { | ||||
|                   title: item.name, | ||||
|                   value: item.path, | ||||
|                 }; | ||||
|               }), | ||||
|             ]} | ||||
|             onClose={() => setShowPluginSelector(false)} | ||||
|             onSelection={(s) => { | ||||
|               navigate(s[0], { state: { fromHome: true } }); | ||||
|             }} | ||||
|           /> | ||||
|         )} | ||||
|       </SideBarHeader> | ||||
|       <SideBarBody | ||||
|         onClick={(e) => { | ||||
|           if (e.target === e.currentTarget) { | ||||
|             navigate(Path.Home); | ||||
| @@ -197,32 +279,33 @@ export function SideBar(props: { className?: string }) { | ||||
|         }} | ||||
|       > | ||||
|         <ChatList narrow={shouldNarrow} /> | ||||
|       </div> | ||||
|  | ||||
|       <div className={styles["sidebar-tail"]}> | ||||
|         <div className={styles["sidebar-actions"]}> | ||||
|           <div className={styles["sidebar-action"] + " " + styles.mobile}> | ||||
|             <IconButton | ||||
|               icon={<DeleteIcon />} | ||||
|               onClick={async () => { | ||||
|                 if (await showConfirm(Locale.Home.DeleteChat)) { | ||||
|                   chatStore.deleteSession(chatStore.currentSessionIndex); | ||||
|                 } | ||||
|               }} | ||||
|             /> | ||||
|           </div> | ||||
|           <div className={styles["sidebar-action"]}> | ||||
|             <Link to={Path.Settings}> | ||||
|               <IconButton icon={<SettingsIcon />} shadow /> | ||||
|             </Link> | ||||
|           </div> | ||||
|           <div className={styles["sidebar-action"]}> | ||||
|             <a href={REPO_URL} target="_blank" rel="noopener noreferrer"> | ||||
|               <IconButton icon={<GithubIcon />} shadow /> | ||||
|             </a> | ||||
|           </div> | ||||
|         </div> | ||||
|         <div> | ||||
|       </SideBarBody> | ||||
|       <SideBarTail | ||||
|         primaryAction={ | ||||
|           <> | ||||
|             <div className={styles["sidebar-action"] + " " + styles.mobile}> | ||||
|               <IconButton | ||||
|                 icon={<DeleteIcon />} | ||||
|                 onClick={async () => { | ||||
|                   if (await showConfirm(Locale.Home.DeleteChat)) { | ||||
|                     chatStore.deleteSession(chatStore.currentSessionIndex); | ||||
|                   } | ||||
|                 }} | ||||
|               /> | ||||
|             </div> | ||||
|             <div className={styles["sidebar-action"]}> | ||||
|               <Link to={Path.Settings}> | ||||
|                 <IconButton icon={<SettingsIcon />} shadow /> | ||||
|               </Link> | ||||
|             </div> | ||||
|             <div className={styles["sidebar-action"]}> | ||||
|               <a href={REPO_URL} target="_blank" rel="noopener noreferrer"> | ||||
|                 <IconButton icon={<GithubIcon />} shadow /> | ||||
|               </a> | ||||
|             </div> | ||||
|           </> | ||||
|         } | ||||
|         secondaryAction={ | ||||
|           <IconButton | ||||
|             icon={<AddIcon />} | ||||
|             text={shouldNarrow ? undefined : Locale.Home.NewChat} | ||||
| @@ -236,15 +319,8 @@ export function SideBar(props: { className?: string }) { | ||||
|             }} | ||||
|             shadow | ||||
|           /> | ||||
|         </div> | ||||
|       </div> | ||||
|  | ||||
|       <div | ||||
|         className={styles["sidebar-drag"]} | ||||
|         onPointerDown={(e) => onDragStart(e as any)} | ||||
|       > | ||||
|         <DragIcon /> | ||||
|       </div> | ||||
|     </div> | ||||
|         } | ||||
|       /> | ||||
|     </SideBarContainer> | ||||
|   ); | ||||
| } | ||||
|   | ||||
| @@ -61,6 +61,19 @@ | ||||
|       font-weight: normal; | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   &.vertical{ | ||||
|     flex-direction: column; | ||||
|     align-items: start; | ||||
|     .list-header{ | ||||
|       .list-item-title{ | ||||
|         margin-bottom: 5px; | ||||
|       } | ||||
|       .list-item-sub-title{ | ||||
|         margin-bottom: 2px; | ||||
|       } | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | ||||
| .list { | ||||
| @@ -291,7 +304,12 @@ | ||||
|   justify-content: center; | ||||
|   z-index: 999; | ||||
|  | ||||
|   .selector-item-disabled{ | ||||
|     opacity: 0.6; | ||||
|   } | ||||
|  | ||||
|   &-content { | ||||
|     min-width: 300px; | ||||
|     .list { | ||||
|       max-height: 90vh; | ||||
|       overflow-x: hidden; | ||||
|   | ||||
| @@ -13,7 +13,15 @@ import MinIcon from "../icons/min.svg"; | ||||
| import Locale from "../locales"; | ||||
|  | ||||
| import { createRoot } from "react-dom/client"; | ||||
| import React, { HTMLProps, useEffect, useState } from "react"; | ||||
| import React, { | ||||
|   CSSProperties, | ||||
|   HTMLProps, | ||||
|   MouseEvent, | ||||
|   useEffect, | ||||
|   useState, | ||||
|   useCallback, | ||||
|   useRef, | ||||
| } from "react"; | ||||
| import { IconButton } from "./button"; | ||||
|  | ||||
| export function Popover(props: { | ||||
| @@ -47,11 +55,16 @@ export function ListItem(props: { | ||||
|   children?: JSX.Element | JSX.Element[]; | ||||
|   icon?: JSX.Element; | ||||
|   className?: string; | ||||
|   onClick?: () => void; | ||||
|   onClick?: (e: MouseEvent) => void; | ||||
|   vertical?: boolean; | ||||
| }) { | ||||
|   return ( | ||||
|     <div | ||||
|       className={styles["list-item"] + ` ${props.className || ""}`} | ||||
|       className={ | ||||
|         styles["list-item"] + | ||||
|         ` ${props.vertical ? styles["vertical"] : ""} ` + | ||||
|         ` ${props.className || ""}` | ||||
|       } | ||||
|       onClick={props.onClick} | ||||
|     > | ||||
|       <div className={styles["list-header"]}> | ||||
| @@ -420,17 +433,25 @@ export function showPrompt(content: any, value = "", rows = 3) { | ||||
|   }); | ||||
| } | ||||
|  | ||||
| export function showImageModal(img: string) { | ||||
| export function showImageModal( | ||||
|   img: string, | ||||
|   defaultMax?: boolean, | ||||
|   style?: CSSProperties, | ||||
|   boxStyle?: CSSProperties, | ||||
| ) { | ||||
|   showModal({ | ||||
|     title: Locale.Export.Image.Modal, | ||||
|     defaultMax: defaultMax, | ||||
|     children: ( | ||||
|       <div> | ||||
|       <div style={{ display: "flex", justifyContent: "center", ...boxStyle }}> | ||||
|         <img | ||||
|           src={img} | ||||
|           alt="preview" | ||||
|           style={{ | ||||
|             maxWidth: "100%", | ||||
|           }} | ||||
|           style={ | ||||
|             style ?? { | ||||
|               maxWidth: "100%", | ||||
|             } | ||||
|           } | ||||
|         ></img> | ||||
|       </div> | ||||
|     ), | ||||
| @@ -442,27 +463,56 @@ export function Selector<T>(props: { | ||||
|     title: string; | ||||
|     subTitle?: string; | ||||
|     value: T; | ||||
|     disable?: boolean; | ||||
|   }>; | ||||
|   defaultSelectedValue?: T; | ||||
|   defaultSelectedValue?: T[] | T; | ||||
|   onSelection?: (selection: T[]) => void; | ||||
|   onClose?: () => void; | ||||
|   multiple?: boolean; | ||||
| }) { | ||||
|   const [selectedValues, setSelectedValues] = useState<T[]>( | ||||
|     Array.isArray(props.defaultSelectedValue) | ||||
|       ? props.defaultSelectedValue | ||||
|       : props.defaultSelectedValue !== undefined | ||||
|       ? [props.defaultSelectedValue] | ||||
|       : [], | ||||
|   ); | ||||
|  | ||||
|   const handleSelection = (e: MouseEvent, value: T) => { | ||||
|     if (props.multiple) { | ||||
|       e.stopPropagation(); | ||||
|       const newSelectedValues = selectedValues.includes(value) | ||||
|         ? selectedValues.filter((v) => v !== value) | ||||
|         : [...selectedValues, value]; | ||||
|       setSelectedValues(newSelectedValues); | ||||
|       props.onSelection?.(newSelectedValues); | ||||
|     } else { | ||||
|       setSelectedValues([value]); | ||||
|       props.onSelection?.([value]); | ||||
|       props.onClose?.(); | ||||
|     } | ||||
|   }; | ||||
|  | ||||
|   return ( | ||||
|     <div className={styles["selector"]} onClick={() => props.onClose?.()}> | ||||
|       <div className={styles["selector-content"]}> | ||||
|         <List> | ||||
|           {props.items.map((item, i) => { | ||||
|             const selected = props.defaultSelectedValue === item.value; | ||||
|             const selected = selectedValues.includes(item.value); | ||||
|             return ( | ||||
|               <ListItem | ||||
|                 className={styles["selector-item"]} | ||||
|                 className={`${styles["selector-item"]} ${ | ||||
|                   item.disable && styles["selector-item-disabled"] | ||||
|                 }`} | ||||
|                 key={i} | ||||
|                 title={item.title} | ||||
|                 subTitle={item.subTitle} | ||||
|                 onClick={() => { | ||||
|                   props.onSelection?.([item.value]); | ||||
|                   props.onClose?.(); | ||||
|                 onClick={(e) => { | ||||
|                   if (item.disable) { | ||||
|                     e.stopPropagation(); | ||||
|                   } else { | ||||
|                     handleSelection(e, item.value); | ||||
|                   } | ||||
|                 }} | ||||
|               > | ||||
|                 {selected ? ( | ||||
| @@ -485,3 +535,38 @@ export function Selector<T>(props: { | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
| export function FullScreen(props: any) { | ||||
|   const { children, right = 10, top = 10, ...rest } = props; | ||||
|   const ref = useRef<HTMLDivElement>(); | ||||
|   const [fullScreen, setFullScreen] = useState(false); | ||||
|   const toggleFullscreen = useCallback(() => { | ||||
|     if (!document.fullscreenElement) { | ||||
|       ref.current?.requestFullscreen(); | ||||
|     } else { | ||||
|       document.exitFullscreen(); | ||||
|     } | ||||
|   }, []); | ||||
|   useEffect(() => { | ||||
|     const handleScreenChange = (e: any) => { | ||||
|       if (e.target === ref.current) { | ||||
|         setFullScreen(!!document.fullscreenElement); | ||||
|       } | ||||
|     }; | ||||
|     document.addEventListener("fullscreenchange", handleScreenChange); | ||||
|     return () => { | ||||
|       document.removeEventListener("fullscreenchange", handleScreenChange); | ||||
|     }; | ||||
|   }, []); | ||||
|   return ( | ||||
|     <div ref={ref} style={{ position: "relative" }} {...rest}> | ||||
|       <div style={{ position: "absolute", right, top }}> | ||||
|         <IconButton | ||||
|           icon={fullScreen ? <MinIcon /> : <MaxIcon />} | ||||
|           onClick={toggleFullscreen} | ||||
|           bordered | ||||
|         /> | ||||
|       </div> | ||||
|       {children} | ||||
|     </div> | ||||
|   ); | ||||
| } | ||||
|   | ||||
| @@ -3,7 +3,7 @@ import { BuildConfig, getBuildConfig } from "./build"; | ||||
| export function getClientConfig() { | ||||
|   if (typeof document !== "undefined") { | ||||
|     // client side | ||||
|     return JSON.parse(queryMeta("config")) as BuildConfig; | ||||
|     return JSON.parse(queryMeta("config") || "{}") as BuildConfig; | ||||
|   } | ||||
|  | ||||
|   if (typeof process !== "undefined") { | ||||
|   | ||||
| @@ -23,6 +23,10 @@ declare global { | ||||
|       CUSTOM_MODELS?: string; // to control custom models | ||||
|       DEFAULT_MODEL?: string; // to control default model in every new chat window | ||||
|  | ||||
|       // stability only | ||||
|       STABILITY_URL?: string; | ||||
|       STABILITY_API_KEY?: string; | ||||
|  | ||||
|       // azure only | ||||
|       AZURE_URL?: string; // https://{azure-url}/openai/deployments/{deploy-name} | ||||
|       AZURE_API_KEY?: string; | ||||
| @@ -107,6 +111,8 @@ export const getServerSideConfig = () => { | ||||
|     if (defaultModel.startsWith("gpt-4")) defaultModel = ""; | ||||
|   } | ||||
|  | ||||
|   const isStability = !!process.env.STABILITY_API_KEY; | ||||
|  | ||||
|   const isAzure = !!process.env.AZURE_URL; | ||||
|   const isGoogle = !!process.env.GOOGLE_API_KEY; | ||||
|   const isAnthropic = !!process.env.ANTHROPIC_API_KEY; | ||||
| @@ -131,6 +137,10 @@ export const getServerSideConfig = () => { | ||||
|     apiKey: getApiKey(process.env.OPENAI_API_KEY), | ||||
|     openaiOrgId: process.env.OPENAI_ORG_ID, | ||||
|  | ||||
|     isStability, | ||||
|     stabilityUrl: process.env.STABILITY_URL, | ||||
|     stabilityApiKey: getApiKey(process.env.STABILITY_API_KEY), | ||||
|  | ||||
|     isAzure, | ||||
|     azureUrl: process.env.AZURE_URL, | ||||
|     azureApiKey: getApiKey(process.env.AZURE_API_KEY), | ||||
| @@ -158,6 +168,11 @@ export const getServerSideConfig = () => { | ||||
|     alibabaUrl: process.env.ALIBABA_URL, | ||||
|     alibabaApiKey: getApiKey(process.env.ALIBABA_API_KEY), | ||||
|  | ||||
|     cloudflareAccountId: process.env.CLOUDFLARE_ACCOUNT_ID, | ||||
|     cloudflareKVNamespaceId: process.env.CLOUDFLARE_KV_NAMESPACE_ID, | ||||
|     cloudflareKVApiKey: getApiKey(process.env.CLOUDFLARE_KV_API_KEY), | ||||
|     cloudflareKVTTL: process.env.CLOUDFLARE_KV_TTL, | ||||
|  | ||||
|     gtmId: process.env.GTM_ID, | ||||
|  | ||||
|     needCode: ACCESS_CODES.size > 0, | ||||
|   | ||||
| @@ -1,4 +1,4 @@ | ||||
| export const OWNER = "Yidadaa"; | ||||
| export const OWNER = "ChatGPTNextWeb"; | ||||
| export const REPO = "ChatGPT-Next-Web"; | ||||
| export const REPO_URL = `https://github.com/${OWNER}/${REPO}`; | ||||
| export const ISSUE_URL = `https://github.com/${OWNER}/${REPO}/issues`; | ||||
| @@ -8,6 +8,8 @@ export const FETCH_COMMIT_URL = `https://api.github.com/repos/${OWNER}/${REPO}/c | ||||
| export const FETCH_TAG_URL = `https://api.github.com/repos/${OWNER}/${REPO}/tags?per_page=1`; | ||||
| export const RUNTIME_CONFIG_DOM = "danger-runtime-config"; | ||||
|  | ||||
| export const STABILITY_BASE_URL = "https://api.stability.ai"; | ||||
|  | ||||
| export const DEFAULT_API_HOST = "https://api.nextchat.dev"; | ||||
| export const OPENAI_BASE_URL = "https://api.openai.com"; | ||||
| export const ANTHROPIC_BASE_URL = "https://api.anthropic.com"; | ||||
| @@ -31,6 +33,9 @@ export enum Path { | ||||
|   NewChat = "/new-chat", | ||||
|   Masks = "/masks", | ||||
|   Auth = "/auth", | ||||
|   Sd = "/sd", | ||||
|   SdNew = "/sd-new", | ||||
|   Artifacts = "/artifacts", | ||||
| } | ||||
|  | ||||
| export enum ApiPath { | ||||
| @@ -42,6 +47,8 @@ export enum ApiPath { | ||||
|   Baidu = "/api/baidu", | ||||
|   ByteDance = "/api/bytedance", | ||||
|   Alibaba = "/api/alibaba", | ||||
|   Stability = "/api/stability", | ||||
|   Artifacts = "/api/artifacts", | ||||
| } | ||||
|  | ||||
| export enum SlotID { | ||||
| @@ -54,6 +61,10 @@ export enum FileName { | ||||
|   Prompts = "prompts.json", | ||||
| } | ||||
|  | ||||
| export enum Plugin { | ||||
|   Artifacts = "artifacts", | ||||
| } | ||||
|  | ||||
| export enum StoreKey { | ||||
|   Chat = "chat-next-web-store", | ||||
|   Access = "access-control", | ||||
| @@ -62,6 +73,7 @@ export enum StoreKey { | ||||
|   Prompt = "prompt-store", | ||||
|   Update = "chat-update", | ||||
|   Sync = "sync", | ||||
|   SdList = "sd-list", | ||||
| } | ||||
|  | ||||
| export const DEFAULT_SIDEBAR_WIDTH = 300; | ||||
| @@ -88,9 +100,20 @@ export enum ServiceProvider { | ||||
|   Baidu = "Baidu", | ||||
|   ByteDance = "ByteDance", | ||||
|   Alibaba = "Alibaba", | ||||
|   Stability = "Stability", | ||||
| } | ||||
|  | ||||
| // Google API safety settings, see https://ai.google.dev/gemini-api/docs/safety-settings | ||||
| // BLOCK_NONE will not block any content, and BLOCK_ONLY_HIGH will block only high-risk content. | ||||
| export enum GoogleSafetySettingsThreshold { | ||||
|   BLOCK_NONE = "BLOCK_NONE", | ||||
|   BLOCK_ONLY_HIGH = "BLOCK_ONLY_HIGH", | ||||
|   BLOCK_MEDIUM_AND_ABOVE = "BLOCK_MEDIUM_AND_ABOVE", | ||||
|   BLOCK_LOW_AND_ABOVE = "BLOCK_LOW_AND_ABOVE", | ||||
| } | ||||
|  | ||||
| export enum ModelProvider { | ||||
|   Stability = "Stability", | ||||
|   GPT = "GPT", | ||||
|   GeminiPro = "GeminiPro", | ||||
|   Claude = "Claude", | ||||
| @@ -99,6 +122,11 @@ export enum ModelProvider { | ||||
|   Qwen = "Qwen", | ||||
| } | ||||
|  | ||||
| export const Stability = { | ||||
|   GeneratePath: "v2beta/stable-image/generate", | ||||
|   ExampleEndpoint: "https://api.stability.ai", | ||||
| }; | ||||
|  | ||||
| export const Anthropic = { | ||||
|   ChatPath: "v1/messages", | ||||
|   ChatPath1: "v1/complete", | ||||
| @@ -138,9 +166,6 @@ export const Baidu = { | ||||
|     if (modelName === "ernie-3.5-8k") { | ||||
|       endpoint = "completions"; | ||||
|     } | ||||
|     if (modelName === "ernie-speed-128k") { | ||||
|       endpoint = "ernie-speed-128k"; | ||||
|     } | ||||
|     if (modelName === "ernie-speed-8k") { | ||||
|       endpoint = "ernie_speed"; | ||||
|     } | ||||
| @@ -176,7 +201,7 @@ Latex inline: \\(x^2\\) | ||||
| Latex block: $$e=mc^2$$ | ||||
| `; | ||||
|  | ||||
| export const SUMMARIZE_MODEL = "gpt-3.5-turbo"; | ||||
| export const SUMMARIZE_MODEL = "gpt-4o-mini"; | ||||
| export const GEMINI_SUMMARIZE_MODEL = "gemini-pro"; | ||||
|  | ||||
| export const KnowledgeCutOffDate: Record<string, string> = { | ||||
| @@ -345,3 +370,5 @@ export const internalAllowedWebDavEndpoints = [ | ||||
|   "https://webdav.yandex.com", | ||||
|   "https://app.koofr.net/dav/Koofr", | ||||
| ]; | ||||
|  | ||||
| export const PLUGINS = [{ name: "Stable Diffusion", path: Path.Sd }]; | ||||
|   | ||||
							
								
								
									
										7
									
								
								app/icons/discovery.svg
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										7
									
								
								app/icons/discovery.svg
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,7 @@ | ||||
| <svg xmlns="http://www.w3.org/2000/svg" width="1.2rem" height="1.2rem" viewBox="0 0 24 24"> | ||||
|     <g fill="none" stroke="black" stroke-linecap="round" stroke-linejoin="round" stroke-width="2"> | ||||
|         <circle cx="12" cy="12" r="9" /> | ||||
|         <path | ||||
|             d="M11.307 9.739L15 9l-.739 3.693a2 2 0 0 1-1.568 1.569L9 15l.739-3.693a2 2 0 0 1 1.568-1.568" /> | ||||
|     </g> | ||||
| </svg> | ||||
| After Width: | Height: | Size: 371 B | 
							
								
								
									
										10
									
								
								app/icons/history.svg
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										10
									
								
								app/icons/history.svg
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,10 @@ | ||||
| <?xml version="1.0" encoding="UTF-8"?> | ||||
| <svg width="16" height="16" viewBox="0 0 48 48" fill="none" xmlns="http://www.w3.org/2000/svg"> | ||||
|     <path d="M5.81836 6.72729V14H13.0911" stroke="#333" stroke-width="4" stroke-linecap="round" | ||||
|         stroke-linejoin="round" /> | ||||
|     <path | ||||
|         d="M4 24C4 35.0457 12.9543 44 24 44V44C35.0457 44 44 35.0457 44 24C44 12.9543 35.0457 4 24 4C16.598 4 10.1351 8.02111 6.67677 13.9981" | ||||
|         stroke="#333" stroke-width="4" stroke-linecap="round" stroke-linejoin="round" /> | ||||
|     <path d="M24.005 12L24.0038 24.0088L32.4832 32.4882" stroke="#333" stroke-width="4" | ||||
|         stroke-linecap="round" stroke-linejoin="round" /> | ||||
| </svg> | ||||
| After Width: | Height: | Size: 660 B | 
							
								
								
									
										12
									
								
								app/icons/sd.svg
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										12
									
								
								app/icons/sd.svg
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,12 @@ | ||||
| <svg xmlns="http://www.w3.org/2000/svg" width="1.21em" height="1em" viewBox="0 0 256 213"> | ||||
|     <defs> | ||||
|         <linearGradient id="logosStabilityAiIcon0" x1="50%" x2="50%" y1="0%" y2="100%"> | ||||
|             <stop offset="0%" stop-color="#9d39ff" /> | ||||
|             <stop offset="100%" stop-color="#a380ff" /> | ||||
|         </linearGradient> | ||||
|     </defs> | ||||
|     <path fill="url(#logosStabilityAiIcon0)" | ||||
|         d="M72.418 212.45c49.478 0 81.658-26.205 81.658-65.626c0-30.572-19.572-49.998-54.569-58.043l-22.469-6.74c-19.71-4.424-31.215-9.738-28.505-23.312c2.255-11.292 9.002-17.667 24.69-17.667c49.872 0 68.35 17.667 68.35 17.667V16.237S123.583 0 73.223 0C25.757 0 0 24.424 0 62.236c0 30.571 17.85 48.35 54.052 56.798q3.802.95 3.885.976q8.26 2.556 22.293 6.755c18.504 4.425 23.262 9.121 23.262 23.2c0 12.872-13.374 20.19-31.074 20.19C21.432 170.154 0 144.36 0 144.36v47.078s13.402 21.01 72.418 21.01" /> | ||||
|     <path fill="#e80000" | ||||
|         d="M225.442 209.266c17.515 0 30.558-12.67 30.558-29.812c0-17.515-12.67-29.813-30.558-29.813c-17.515 0-30.185 12.298-30.185 29.813s12.67 29.812 30.185 29.812" /> | ||||
| </svg> | ||||
| After Width: | Height: | Size: 1.1 KiB | 
| @@ -37,7 +37,10 @@ export default function RootLayout({ | ||||
|     <html lang="en"> | ||||
|       <head> | ||||
|         <meta name="config" content={JSON.stringify(getClientConfig())} /> | ||||
|         <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" /> | ||||
|         <meta | ||||
|           name="viewport" | ||||
|           content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" | ||||
|         /> | ||||
|         <link rel="manifest" href="/site.webmanifest"></link> | ||||
|         <script src="/serviceWorkerRegister.js" defer></script> | ||||
|       </head> | ||||
|   | ||||
| @@ -104,6 +104,10 @@ const cn = { | ||||
|       Toast: "正在生成截图", | ||||
|       Modal: "长按或右键保存图片", | ||||
|     }, | ||||
|     Artifacts: { | ||||
|       Title: "分享页面", | ||||
|       Error: "分享失败", | ||||
|     }, | ||||
|   }, | ||||
|   Select: { | ||||
|     Search: "搜索消息", | ||||
| @@ -346,6 +350,10 @@ const cn = { | ||||
|           Title: "API 版本(仅适用于 gemini-pro)", | ||||
|           SubTitle: "选择一个特定的 API 版本", | ||||
|         }, | ||||
|         GoogleSafetySettings: { | ||||
|           Title: "Google 安全过滤级别", | ||||
|           SubTitle: "设置内容过滤级别", | ||||
|         }, | ||||
|       }, | ||||
|       Baidu: { | ||||
|         ApiKey: { | ||||
| @@ -385,6 +393,17 @@ const cn = { | ||||
|           SubTitle: "样例:", | ||||
|         }, | ||||
|       }, | ||||
|       Stability: { | ||||
|         ApiKey: { | ||||
|           Title: "接口密钥", | ||||
|           SubTitle: "使用自定义 Stability API Key", | ||||
|           Placeholder: "Stability API Key", | ||||
|         }, | ||||
|         Endpoint: { | ||||
|           Title: "接口地址", | ||||
|           SubTitle: "样例:", | ||||
|         }, | ||||
|       }, | ||||
|       CustomModel: { | ||||
|         Title: "自定义模型名", | ||||
|         SubTitle: "增加自定义模型可选项,使用英文逗号隔开", | ||||
| @@ -442,6 +461,10 @@ const cn = { | ||||
|   }, | ||||
|   Plugin: { | ||||
|     Name: "插件", | ||||
|     Artifacts: "Artifacts", | ||||
|   }, | ||||
|   Discovery: { | ||||
|     Name: "发现", | ||||
|   }, | ||||
|   FineTuned: { | ||||
|     Sysmessage: "你是一个助手", | ||||
| @@ -522,6 +545,61 @@ const cn = { | ||||
|     Topic: "主题", | ||||
|     Time: "时间", | ||||
|   }, | ||||
|   SdPanel: { | ||||
|     Prompt: "画面提示", | ||||
|     NegativePrompt: "否定提示", | ||||
|     PleaseInput: (name: string) => `请输入${name}`, | ||||
|     AspectRatio: "横纵比", | ||||
|     ImageStyle: "图像风格", | ||||
|     OutFormat: "输出格式", | ||||
|     AIModel: "AI模型", | ||||
|     ModelVersion: "模型版本", | ||||
|     Submit: "提交生成", | ||||
|     ParamIsRequired: (name: string) => `${name}不能为空`, | ||||
|     Styles: { | ||||
|       D3Model: "3D模型", | ||||
|       AnalogFilm: "模拟电影", | ||||
|       Anime: "动漫", | ||||
|       Cinematic: "电影风格", | ||||
|       ComicBook: "漫画书", | ||||
|       DigitalArt: "数字艺术", | ||||
|       Enhance: "增强", | ||||
|       FantasyArt: "幻想艺术", | ||||
|       Isometric: "等角", | ||||
|       LineArt: "线描", | ||||
|       LowPoly: "低多边形", | ||||
|       ModelingCompound: "建模材料", | ||||
|       NeonPunk: "霓虹朋克", | ||||
|       Origami: "折纸", | ||||
|       Photographic: "摄影", | ||||
|       PixelArt: "像素艺术", | ||||
|       TileTexture: "贴图", | ||||
|     }, | ||||
|   }, | ||||
|   Sd: { | ||||
|     SubTitle: (count: number) => `共 ${count} 条绘画`, | ||||
|     Actions: { | ||||
|       Params: "查看参数", | ||||
|       Copy: "复制提示词", | ||||
|       Delete: "删除", | ||||
|       Retry: "重试", | ||||
|       ReturnHome: "返回首页", | ||||
|       History: "查看历史", | ||||
|     }, | ||||
|     EmptyRecord: "暂无绘画记录", | ||||
|     Status: { | ||||
|       Name: "状态", | ||||
|       Success: "成功", | ||||
|       Error: "失败", | ||||
|       Wait: "等待中", | ||||
|       Running: "运行中", | ||||
|     }, | ||||
|     Danger: { | ||||
|       Delete: "确认删除?", | ||||
|     }, | ||||
|     GenerateParams: "生成参数", | ||||
|     Detail: "详情", | ||||
|   }, | ||||
| }; | ||||
|  | ||||
| type DeepPartial<T> = T extends object | ||||
|   | ||||
| @@ -106,6 +106,10 @@ const en: LocaleType = { | ||||
|       Toast: "Capturing Image...", | ||||
|       Modal: "Long press or right click to save image", | ||||
|     }, | ||||
|     Artifacts: { | ||||
|       Title: "Share Artifacts", | ||||
|       Error: "Share Error", | ||||
|     }, | ||||
|   }, | ||||
|   Select: { | ||||
|     Search: "Search", | ||||
| @@ -372,6 +376,17 @@ const en: LocaleType = { | ||||
|           SubTitle: "Example: ", | ||||
|         }, | ||||
|       }, | ||||
|       Stability: { | ||||
|         ApiKey: { | ||||
|           Title: "Stability API Key", | ||||
|           SubTitle: "Use a custom Stability API Key", | ||||
|           Placeholder: "Stability API Key", | ||||
|         }, | ||||
|         Endpoint: { | ||||
|           Title: "Endpoint Address", | ||||
|           SubTitle: "Example: ", | ||||
|         }, | ||||
|       }, | ||||
|       CustomModel: { | ||||
|         Title: "Custom Models", | ||||
|         SubTitle: "Custom model options, seperated by comma", | ||||
| @@ -392,6 +407,10 @@ const en: LocaleType = { | ||||
|           Title: "API Version (specific to gemini-pro)", | ||||
|           SubTitle: "Select a specific API version", | ||||
|         }, | ||||
|         GoogleSafetySettings: { | ||||
|           Title: "Google Safety Settings", | ||||
|           SubTitle: "Select a safety filtering level", | ||||
|         }, | ||||
|       }, | ||||
|     }, | ||||
|  | ||||
| @@ -449,6 +468,10 @@ const en: LocaleType = { | ||||
|   }, | ||||
|   Plugin: { | ||||
|     Name: "Plugin", | ||||
|     Artifacts: "Artifacts", | ||||
|   }, | ||||
|   Discovery: { | ||||
|     Name: "Discovery", | ||||
|   }, | ||||
|   FineTuned: { | ||||
|     Sysmessage: "You are an assistant that", | ||||
| @@ -524,11 +547,65 @@ const en: LocaleType = { | ||||
|     Topic: "Topic", | ||||
|     Time: "Time", | ||||
|   }, | ||||
|  | ||||
|   URLCommand: { | ||||
|     Code: "Detected access code from url, confirm to apply? ", | ||||
|     Settings: "Detected settings from url, confirm to apply?", | ||||
|   }, | ||||
|   SdPanel: { | ||||
|     Prompt: "Prompt", | ||||
|     NegativePrompt: "Negative Prompt", | ||||
|     PleaseInput: (name: string) => `Please input ${name}`, | ||||
|     AspectRatio: "Aspect Ratio", | ||||
|     ImageStyle: "Image Style", | ||||
|     OutFormat: "Output Format", | ||||
|     AIModel: "AI Model", | ||||
|     ModelVersion: "Model Version", | ||||
|     Submit: "Submit", | ||||
|     ParamIsRequired: (name: string) => `${name} is required`, | ||||
|     Styles: { | ||||
|       D3Model: "3d-model", | ||||
|       AnalogFilm: "analog-film", | ||||
|       Anime: "anime", | ||||
|       Cinematic: "cinematic", | ||||
|       ComicBook: "comic-book", | ||||
|       DigitalArt: "digital-art", | ||||
|       Enhance: "enhance", | ||||
|       FantasyArt: "fantasy-art", | ||||
|       Isometric: "isometric", | ||||
|       LineArt: "line-art", | ||||
|       LowPoly: "low-poly", | ||||
|       ModelingCompound: "modeling-compound", | ||||
|       NeonPunk: "neon-punk", | ||||
|       Origami: "origami", | ||||
|       Photographic: "photographic", | ||||
|       PixelArt: "pixel-art", | ||||
|       TileTexture: "tile-texture", | ||||
|     }, | ||||
|   }, | ||||
|   Sd: { | ||||
|     SubTitle: (count: number) => `${count} images`, | ||||
|     Actions: { | ||||
|       Params: "See Params", | ||||
|       Copy: "Copy Prompt", | ||||
|       Delete: "Delete", | ||||
|       Retry: "Retry", | ||||
|       ReturnHome: "Return Home", | ||||
|       History: "History", | ||||
|     }, | ||||
|     EmptyRecord: "No images yet", | ||||
|     Status: { | ||||
|       Name: "Status", | ||||
|       Success: "Success", | ||||
|       Error: "Error", | ||||
|       Wait: "Waiting", | ||||
|       Running: "Running", | ||||
|     }, | ||||
|     Danger: { | ||||
|       Delete: "Confirm to delete?", | ||||
|     }, | ||||
|     GenerateParams: "Generate Params", | ||||
|     Detail: "Detail", | ||||
|   }, | ||||
| }; | ||||
|  | ||||
| export default en; | ||||
|   | ||||
| @@ -241,7 +241,7 @@ const tw = { | ||||
|       }, | ||||
|       List: "自訂提示詞列表", | ||||
|       ListCount: (builtin: number, custom: number) => | ||||
|       `內建 ${builtin} 條,使用者自訂 ${custom} 條`, | ||||
|         `內建 ${builtin} 條,使用者自訂 ${custom} 條`, | ||||
|       Edit: "編輯", | ||||
|       Modal: { | ||||
|         Title: "提示詞列表", | ||||
|   | ||||
| @@ -1,6 +1,7 @@ | ||||
| import { | ||||
|   ApiPath, | ||||
|   DEFAULT_API_HOST, | ||||
|   GoogleSafetySettingsThreshold, | ||||
|   ServiceProvider, | ||||
|   StoreKey, | ||||
| } from "../constant"; | ||||
| @@ -38,7 +39,9 @@ const DEFAULT_ALIBABA_URL = isApp | ||||
|   ? DEFAULT_API_HOST + "/api/proxy/alibaba" | ||||
|   : ApiPath.Alibaba; | ||||
|  | ||||
| console.log("DEFAULT_ANTHROPIC_URL", DEFAULT_ANTHROPIC_URL); | ||||
| const DEFAULT_STABILITY_URL = isApp | ||||
|   ? DEFAULT_API_HOST + "/api/proxy/stability" | ||||
|   : ApiPath.Stability; | ||||
|  | ||||
| const DEFAULT_ACCESS_STATE = { | ||||
|   accessCode: "", | ||||
| @@ -59,6 +62,7 @@ const DEFAULT_ACCESS_STATE = { | ||||
|   googleUrl: DEFAULT_GOOGLE_URL, | ||||
|   googleApiKey: "", | ||||
|   googleApiVersion: "v1", | ||||
|   googleSafetySettings: GoogleSafetySettingsThreshold.BLOCK_ONLY_HIGH, | ||||
|  | ||||
|   // anthropic | ||||
|   anthropicUrl: DEFAULT_ANTHROPIC_URL, | ||||
| @@ -78,6 +82,10 @@ const DEFAULT_ACCESS_STATE = { | ||||
|   alibabaUrl: DEFAULT_ALIBABA_URL, | ||||
|   alibabaApiKey: "", | ||||
|  | ||||
|   //stability | ||||
|   stabilityUrl: DEFAULT_STABILITY_URL, | ||||
|   stabilityApiKey: "", | ||||
|  | ||||
|   // server config | ||||
|   needCode: true, | ||||
|   hideUserApiKey: false, | ||||
|   | ||||
| @@ -90,7 +90,7 @@ function createEmptySession(): ChatSession { | ||||
| } | ||||
|  | ||||
| function getSummarizeModel(currentModel: string) { | ||||
|   // if it is using gpt-* models, force to use 3.5 to summarize | ||||
|   // if it is using gpt-* models, force to use 4o-mini to summarize | ||||
|   if (currentModel.startsWith("gpt")) { | ||||
|     const configStore = useAppConfig.getState(); | ||||
|     const accessStore = useAccessStore.getState(); | ||||
|   | ||||
| @@ -2,7 +2,7 @@ import { BUILTIN_MASKS } from "../masks"; | ||||
| import { getLang, Lang } from "../locales"; | ||||
| import { DEFAULT_TOPIC, ChatMessage } from "./chat"; | ||||
| import { ModelConfig, useAppConfig } from "./config"; | ||||
| import { StoreKey } from "../constant"; | ||||
| import { StoreKey, Plugin } from "../constant"; | ||||
| import { nanoid } from "nanoid"; | ||||
| import { createPersistStore } from "../utils/store"; | ||||
|  | ||||
| @@ -17,6 +17,7 @@ export type Mask = { | ||||
|   modelConfig: ModelConfig; | ||||
|   lang: Lang; | ||||
|   builtin: boolean; | ||||
|   plugin?: Plugin[]; | ||||
| }; | ||||
|  | ||||
| export const DEFAULT_MASK_STATE = { | ||||
| @@ -37,6 +38,7 @@ export const createEmptyMask = () => | ||||
|     lang: getLang(), | ||||
|     builtin: false, | ||||
|     createdAt: Date.now(), | ||||
|     plugin: [Plugin.Artifacts], | ||||
|   }) as Mask; | ||||
|  | ||||
| export const useMaskStore = createPersistStore( | ||||
|   | ||||
							
								
								
									
										163
									
								
								app/store/sd.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										163
									
								
								app/store/sd.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,163 @@ | ||||
| import { | ||||
|   Stability, | ||||
|   StoreKey, | ||||
|   ACCESS_CODE_PREFIX, | ||||
|   ApiPath, | ||||
| } from "@/app/constant"; | ||||
| import { getBearerToken } from "@/app/client/api"; | ||||
| import { createPersistStore } from "@/app/utils/store"; | ||||
| import { nanoid } from "nanoid"; | ||||
| import { uploadImage, base64Image2Blob } from "@/app/utils/chat"; | ||||
| import { models, getModelParamBasicData } from "@/app/components/sd/sd-panel"; | ||||
| import { useAccessStore } from "./access"; | ||||
|  | ||||
| const defaultModel = { | ||||
|   name: models[0].name, | ||||
|   value: models[0].value, | ||||
| }; | ||||
|  | ||||
| const defaultParams = getModelParamBasicData(models[0].params({}), {}); | ||||
|  | ||||
| const DEFAULT_SD_STATE = { | ||||
|   currentId: 0, | ||||
|   draw: [], | ||||
|   currentModel: defaultModel, | ||||
|   currentParams: defaultParams, | ||||
| }; | ||||
|  | ||||
| export const useSdStore = createPersistStore< | ||||
|   { | ||||
|     currentId: number; | ||||
|     draw: any[]; | ||||
|     currentModel: typeof defaultModel; | ||||
|     currentParams: any; | ||||
|   }, | ||||
|   { | ||||
|     getNextId: () => number; | ||||
|     sendTask: (data: any, okCall?: Function) => void; | ||||
|     updateDraw: (draw: any) => void; | ||||
|     setCurrentModel: (model: any) => void; | ||||
|     setCurrentParams: (data: any) => void; | ||||
|   } | ||||
| >( | ||||
|   DEFAULT_SD_STATE, | ||||
|   (set, _get) => { | ||||
|     function get() { | ||||
|       return { | ||||
|         ..._get(), | ||||
|         ...methods, | ||||
|       }; | ||||
|     } | ||||
|  | ||||
|     const methods = { | ||||
|       getNextId() { | ||||
|         const id = ++_get().currentId; | ||||
|         set({ currentId: id }); | ||||
|         return id; | ||||
|       }, | ||||
|       sendTask(data: any, okCall?: Function) { | ||||
|         data = { ...data, id: nanoid(), status: "running" }; | ||||
|         set({ draw: [data, ..._get().draw] }); | ||||
|         this.getNextId(); | ||||
|         this.stabilityRequestCall(data); | ||||
|         okCall?.(); | ||||
|       }, | ||||
|       stabilityRequestCall(data: any) { | ||||
|         const accessStore = useAccessStore.getState(); | ||||
|         let prefix: string = ApiPath.Stability as string; | ||||
|         let bearerToken = ""; | ||||
|         if (accessStore.useCustomConfig) { | ||||
|           prefix = accessStore.stabilityUrl || (ApiPath.Stability as string); | ||||
|           bearerToken = getBearerToken(accessStore.stabilityApiKey); | ||||
|         } | ||||
|         if (!bearerToken && accessStore.enabledAccessControl()) { | ||||
|           bearerToken = getBearerToken( | ||||
|             ACCESS_CODE_PREFIX + accessStore.accessCode, | ||||
|           ); | ||||
|         } | ||||
|         const headers = { | ||||
|           Accept: "application/json", | ||||
|           Authorization: bearerToken, | ||||
|         }; | ||||
|         const path = `${prefix}/${Stability.GeneratePath}/${data.model}`; | ||||
|         const formData = new FormData(); | ||||
|         for (let paramsKey in data.params) { | ||||
|           formData.append(paramsKey, data.params[paramsKey]); | ||||
|         } | ||||
|         fetch(path, { | ||||
|           method: "POST", | ||||
|           headers, | ||||
|           body: formData, | ||||
|         }) | ||||
|           .then((response) => response.json()) | ||||
|           .then((resData) => { | ||||
|             if (resData.errors && resData.errors.length > 0) { | ||||
|               this.updateDraw({ | ||||
|                 ...data, | ||||
|                 status: "error", | ||||
|                 error: resData.errors[0], | ||||
|               }); | ||||
|               this.getNextId(); | ||||
|               return; | ||||
|             } | ||||
|             const self = this; | ||||
|             if (resData.finish_reason === "SUCCESS") { | ||||
|               uploadImage(base64Image2Blob(resData.image, "image/png")) | ||||
|                 .then((img_data) => { | ||||
|                   console.debug("uploadImage success", img_data, self); | ||||
|                   self.updateDraw({ | ||||
|                     ...data, | ||||
|                     status: "success", | ||||
|                     img_data, | ||||
|                   }); | ||||
|                 }) | ||||
|                 .catch((e) => { | ||||
|                   console.error("uploadImage error", e); | ||||
|                   self.updateDraw({ | ||||
|                     ...data, | ||||
|                     status: "error", | ||||
|                     error: JSON.stringify(e), | ||||
|                   }); | ||||
|                 }); | ||||
|             } else { | ||||
|               self.updateDraw({ | ||||
|                 ...data, | ||||
|                 status: "error", | ||||
|                 error: JSON.stringify(resData), | ||||
|               }); | ||||
|             } | ||||
|             this.getNextId(); | ||||
|           }) | ||||
|           .catch((error) => { | ||||
|             this.updateDraw({ ...data, status: "error", error: error.message }); | ||||
|             console.error("Error:", error); | ||||
|             this.getNextId(); | ||||
|           }); | ||||
|       }, | ||||
|       updateDraw(_draw: any) { | ||||
|         const draw = _get().draw || []; | ||||
|         draw.some((item, index) => { | ||||
|           if (item.id === _draw.id) { | ||||
|             draw[index] = _draw; | ||||
|             set(() => ({ draw })); | ||||
|             return true; | ||||
|           } | ||||
|         }); | ||||
|       }, | ||||
|       setCurrentModel(model: any) { | ||||
|         set({ currentModel: model }); | ||||
|       }, | ||||
|       setCurrentParams(data: any) { | ||||
|         set({ | ||||
|           currentParams: data, | ||||
|         }); | ||||
|       }, | ||||
|     }; | ||||
|  | ||||
|     return methods; | ||||
|   }, | ||||
|   { | ||||
|     name: StoreKey.SdList, | ||||
|     version: 1.0, | ||||
|   }, | ||||
| ); | ||||
| @@ -112,7 +112,7 @@ export function base64Image2Blob(base64Data: string, contentType: string) { | ||||
|   return new Blob([byteArray], { type: contentType }); | ||||
| } | ||||
|  | ||||
| export function uploadImage(file: File): Promise<string> { | ||||
| export function uploadImage(file: Blob): Promise<string> { | ||||
|   if (!window._SW_ENABLED) { | ||||
|     // if serviceWorker register error, using compressImage | ||||
|     return compressImage(file, 256 * 1024); | ||||
|   | ||||
| @@ -99,12 +99,18 @@ export function collectModelTableWithDefaultModel( | ||||
| ) { | ||||
|   let modelTable = collectModelTable(models, customModels); | ||||
|   if (defaultModel && defaultModel !== "") { | ||||
|     modelTable[defaultModel] = { | ||||
|       ...modelTable[defaultModel], | ||||
|       name: defaultModel, | ||||
|       available: true, | ||||
|       isDefault: true, | ||||
|     }; | ||||
|     if (defaultModel.includes('@')) { | ||||
|       if (defaultModel in modelTable) { | ||||
|         modelTable[defaultModel].isDefault = true; | ||||
|       } | ||||
|     } else { | ||||
|       for (const key of Object.keys(modelTable)) { | ||||
|         if (modelTable[key].available && key.split('@').shift() == defaultModel) { | ||||
|           modelTable[key].isDefault = true; | ||||
|           break; | ||||
|         } | ||||
|       } | ||||
|     } | ||||
|   } | ||||
|   return modelTable; | ||||
| } | ||||
|   | ||||
| @@ -15,6 +15,10 @@ self.addEventListener("install", function (event) { | ||||
|   ); | ||||
| }); | ||||
|  | ||||
| function jsonify(data) { | ||||
|   return new Response(JSON.stringify(data), { headers: { 'content-type': 'application/json' } }) | ||||
| } | ||||
|  | ||||
| async function upload(request, url) { | ||||
|   const formData = await request.formData() | ||||
|   const file = formData.getAll('file')[0] | ||||
| @@ -33,13 +37,13 @@ async function upload(request, url) { | ||||
|       'server': 'ServiceWorker', | ||||
|     } | ||||
|   })) | ||||
|   return Response.json({ code: 0, data: fileUrl }) | ||||
|   return jsonify({ code: 0, data: fileUrl }) | ||||
| } | ||||
|  | ||||
| async function remove(request, url) { | ||||
|   const cache = await caches.open(CHATGPT_NEXT_WEB_FILE_CACHE) | ||||
|   const res = await cache.delete(request.url) | ||||
|   return Response.json({ code: 0 }) | ||||
|   return jsonify({ code: 0 }) | ||||
| } | ||||
|  | ||||
| self.addEventListener("fetch", (e) => { | ||||
| @@ -56,4 +60,3 @@ self.addEventListener("fetch", (e) => { | ||||
|     } | ||||
|   } | ||||
| }); | ||||
|  | ||||
|   | ||||
| @@ -9,7 +9,7 @@ | ||||
|   }, | ||||
|   "package": { | ||||
|     "productName": "NextChat", | ||||
|     "version": "2.13.1" | ||||
|     "version": "2.14.0" | ||||
|   }, | ||||
|   "tauri": { | ||||
|     "allowlist": { | ||||
|   | ||||
		Reference in New Issue
	
	Block a user