exporter.tsx 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663
  1. /* eslint-disable @next/next/no-img-element */
  2. import { ChatMessage, useAppConfig, useChatStore } from "../store";
  3. import Locale from "../locales";
  4. import styles from "./exporter.module.scss";
  5. import {
  6. List,
  7. ListItem,
  8. Modal,
  9. Select,
  10. showImageModal,
  11. showModal,
  12. showToast,
  13. } from "./ui-lib";
  14. import { IconButton } from "./button";
  15. import { copyToClipboard, downloadAs, useMobileScreen } from "../utils";
  16. import CopyIcon from "../icons/copy.svg";
  17. import LoadingIcon from "../icons/three-dots.svg";
  18. import ChatGptIcon from "../icons/chatgpt.png";
  19. import ShareIcon from "../icons/share.svg";
  20. import BotIcon from "../icons/bot.png";
  21. import DownloadIcon from "../icons/download.svg";
  22. import { useEffect, useMemo, useRef, useState } from "react";
  23. import { MessageSelector, useMessageSelector } from "./message-selector";
  24. import { Avatar } from "./emoji";
  25. import dynamic from "next/dynamic";
  26. import NextImage from "next/image";
  27. import { toBlob, toPng } from "html-to-image";
  28. import { DEFAULT_MASK_AVATAR } from "../store/mask";
  29. import { api } from "../client/api";
  30. import { prettyObject } from "../utils/format";
  31. import { EXPORT_MESSAGE_CLASS_NAME } from "../constant";
  32. import { getClientConfig } from "../config/client";
  33. const Markdown = dynamic(async () => (await import("./markdown")).Markdown, {
  34. loading: () => <LoadingIcon />,
  35. });
  36. export function ExportMessageModal(props: { onClose: () => void }) {
  37. return (
  38. <div className="modal-mask">
  39. <Modal
  40. title={Locale.Export.Title}
  41. onClose={props.onClose}
  42. footer={
  43. <div
  44. style={{
  45. width: "100%",
  46. textAlign: "center",
  47. fontSize: 14,
  48. opacity: 0.5,
  49. }}
  50. >
  51. {Locale.Exporter.Description.Title}
  52. </div>
  53. }
  54. >
  55. <div style={{ minHeight: "40vh" }}>
  56. <MessageExporter />
  57. </div>
  58. </Modal>
  59. </div>
  60. );
  61. }
  62. function useSteps(
  63. steps: Array<{
  64. name: string;
  65. value: string;
  66. }>,
  67. ) {
  68. const stepCount = steps.length;
  69. const [currentStepIndex, setCurrentStepIndex] = useState(0);
  70. const nextStep = () =>
  71. setCurrentStepIndex((currentStepIndex + 1) % stepCount);
  72. const prevStep = () =>
  73. setCurrentStepIndex((currentStepIndex - 1 + stepCount) % stepCount);
  74. return {
  75. currentStepIndex,
  76. setCurrentStepIndex,
  77. nextStep,
  78. prevStep,
  79. currentStep: steps[currentStepIndex],
  80. };
  81. }
  82. function Steps<
  83. T extends {
  84. name: string;
  85. value: string;
  86. }[],
  87. >(props: { steps: T; onStepChange?: (index: number) => void; index: number }) {
  88. const steps = props.steps;
  89. const stepCount = steps.length;
  90. return (
  91. <div className={styles["steps"]}>
  92. <div className={styles["steps-progress"]}>
  93. <div
  94. className={styles["steps-progress-inner"]}
  95. style={{
  96. width: `${((props.index + 1) / stepCount) * 100}%`,
  97. }}
  98. ></div>
  99. </div>
  100. <div className={styles["steps-inner"]}>
  101. {steps.map((step, i) => {
  102. return (
  103. <div
  104. key={i}
  105. className={`${styles["step"]} ${
  106. styles[i <= props.index ? "step-finished" : ""]
  107. } ${i === props.index && styles["step-current"]} clickable`}
  108. onClick={() => {
  109. props.onStepChange?.(i);
  110. }}
  111. role="button"
  112. >
  113. <span className={styles["step-index"]}>{i + 1}</span>
  114. <span className={styles["step-name"]}>{step.name}</span>
  115. </div>
  116. );
  117. })}
  118. </div>
  119. </div>
  120. );
  121. }
  122. export function MessageExporter() {
  123. const steps = [
  124. {
  125. name: Locale.Export.Steps.Select,
  126. value: "select",
  127. },
  128. {
  129. name: Locale.Export.Steps.Preview,
  130. value: "preview",
  131. },
  132. ];
  133. const { currentStep, setCurrentStepIndex, currentStepIndex } =
  134. useSteps(steps);
  135. const formats = ["text", "image", "json"] as const;
  136. type ExportFormat = (typeof formats)[number];
  137. const [exportConfig, setExportConfig] = useState({
  138. format: "image" as ExportFormat,
  139. includeContext: true,
  140. });
  141. function updateExportConfig(updater: (config: typeof exportConfig) => void) {
  142. const config = { ...exportConfig };
  143. updater(config);
  144. setExportConfig(config);
  145. }
  146. const chatStore = useChatStore();
  147. const session = chatStore.currentSession();
  148. const { selection, updateSelection } = useMessageSelector();
  149. const selectedMessages = useMemo(() => {
  150. const ret: ChatMessage[] = [];
  151. if (exportConfig.includeContext) {
  152. ret.push(...session.mask.context);
  153. }
  154. ret.push(...session.messages.filter((m) => selection.has(m.id)));
  155. return ret;
  156. }, [
  157. exportConfig.includeContext,
  158. session.messages,
  159. session.mask.context,
  160. selection,
  161. ]);
  162. function preview() {
  163. if (exportConfig.format === "text") {
  164. return (
  165. <MarkdownPreviewer messages={selectedMessages} topic={session.topic} />
  166. );
  167. } else if (exportConfig.format === "json") {
  168. return (
  169. <JsonPreviewer messages={selectedMessages} topic={session.topic} />
  170. );
  171. } else {
  172. return (
  173. <ImagePreviewer messages={selectedMessages} topic={session.topic} />
  174. );
  175. }
  176. }
  177. return (
  178. <>
  179. <Steps
  180. steps={steps}
  181. index={currentStepIndex}
  182. onStepChange={setCurrentStepIndex}
  183. />
  184. <div
  185. className={styles["message-exporter-body"]}
  186. style={currentStep.value !== "select" ? { display: "none" } : {}}
  187. >
  188. <List>
  189. <ListItem
  190. title={Locale.Export.Format.Title}
  191. subTitle={Locale.Export.Format.SubTitle}
  192. >
  193. <Select
  194. value={exportConfig.format}
  195. onChange={(e) =>
  196. updateExportConfig(
  197. (config) =>
  198. (config.format = e.currentTarget.value as ExportFormat),
  199. )
  200. }
  201. >
  202. {formats.map((f) => (
  203. <option key={f} value={f}>
  204. {f}
  205. </option>
  206. ))}
  207. </Select>
  208. </ListItem>
  209. <ListItem
  210. title={Locale.Export.IncludeContext.Title}
  211. subTitle={Locale.Export.IncludeContext.SubTitle}
  212. >
  213. <input
  214. type="checkbox"
  215. checked={exportConfig.includeContext}
  216. onChange={(e) => {
  217. updateExportConfig(
  218. (config) => (config.includeContext = e.currentTarget.checked),
  219. );
  220. }}
  221. ></input>
  222. </ListItem>
  223. </List>
  224. <MessageSelector
  225. selection={selection}
  226. updateSelection={updateSelection}
  227. defaultSelectAll
  228. />
  229. </div>
  230. {currentStep.value === "preview" && (
  231. <div className={styles["message-exporter-body"]}>{preview()}</div>
  232. )}
  233. </>
  234. );
  235. }
  236. export function RenderExport(props: {
  237. messages: ChatMessage[];
  238. onRender: (messages: ChatMessage[]) => void;
  239. }) {
  240. const domRef = useRef<HTMLDivElement>(null);
  241. useEffect(() => {
  242. if (!domRef.current) return;
  243. const dom = domRef.current;
  244. const messages = Array.from(
  245. dom.getElementsByClassName(EXPORT_MESSAGE_CLASS_NAME),
  246. );
  247. if (messages.length !== props.messages.length) {
  248. return;
  249. }
  250. const renderMsgs = messages.map((v, i) => {
  251. const [role, _] = v.id.split(":");
  252. return {
  253. id: i.toString(),
  254. role: role as any,
  255. content: role === "user" ? v.textContent ?? "" : v.innerHTML,
  256. date: "",
  257. };
  258. });
  259. props.onRender(renderMsgs);
  260. });
  261. return (
  262. <div ref={domRef}>
  263. {props.messages.map((m, i) => (
  264. <div
  265. key={i}
  266. id={`${m.role}:${i}`}
  267. className={EXPORT_MESSAGE_CLASS_NAME}
  268. >
  269. <Markdown content={m.content} defaultShow />
  270. </div>
  271. ))}
  272. </div>
  273. );
  274. }
  275. export function PreviewActions(props: {
  276. download: () => void;
  277. copy: () => void;
  278. showCopy?: boolean;
  279. messages?: ChatMessage[];
  280. }) {
  281. const [loading, setLoading] = useState(false);
  282. const [shouldExport, setShouldExport] = useState(false);
  283. const onRenderMsgs = (msgs: ChatMessage[]) => {
  284. setShouldExport(false);
  285. api
  286. .share(msgs)
  287. .then((res) => {
  288. if (!res) return;
  289. showModal({
  290. title: Locale.Export.Share,
  291. children: [
  292. <input
  293. type="text"
  294. value={res}
  295. key="input"
  296. style={{
  297. width: "100%",
  298. maxWidth: "unset",
  299. }}
  300. readOnly
  301. onClick={(e) => e.currentTarget.select()}
  302. ></input>,
  303. ],
  304. actions: [
  305. <IconButton
  306. icon={<CopyIcon />}
  307. text={Locale.Chat.Actions.Copy}
  308. key="copy"
  309. onClick={() => copyToClipboard(res)}
  310. />,
  311. ],
  312. });
  313. setTimeout(() => {
  314. window.open(res, "_blank");
  315. }, 800);
  316. })
  317. .catch((e) => {
  318. console.error("[Share]", e);
  319. showToast(prettyObject(e));
  320. })
  321. .finally(() => setLoading(false));
  322. };
  323. const share = async () => {
  324. if (props.messages?.length) {
  325. setLoading(true);
  326. setShouldExport(true);
  327. }
  328. };
  329. return (
  330. <>
  331. <div className={styles["preview-actions"]}>
  332. {props.showCopy && (
  333. <IconButton
  334. text={Locale.Export.Copy}
  335. bordered
  336. shadow
  337. icon={<CopyIcon />}
  338. onClick={props.copy}
  339. ></IconButton>
  340. )}
  341. <IconButton
  342. text={Locale.Export.Download}
  343. bordered
  344. shadow
  345. icon={<DownloadIcon />}
  346. onClick={props.download}
  347. ></IconButton>
  348. <IconButton
  349. text={Locale.Export.Share}
  350. bordered
  351. shadow
  352. icon={loading ? <LoadingIcon /> : <ShareIcon />}
  353. onClick={share}
  354. ></IconButton>
  355. </div>
  356. <div
  357. style={{
  358. position: "fixed",
  359. right: "200vw",
  360. pointerEvents: "none",
  361. }}
  362. >
  363. {shouldExport && (
  364. <RenderExport
  365. messages={props.messages ?? []}
  366. onRender={onRenderMsgs}
  367. />
  368. )}
  369. </div>
  370. </>
  371. );
  372. }
  373. function ExportAvatar(props: { avatar: string }) {
  374. if (props.avatar === DEFAULT_MASK_AVATAR) {
  375. return (
  376. <img
  377. src={BotIcon.src}
  378. width={30}
  379. height={30}
  380. alt="bot"
  381. className="user-avatar"
  382. />
  383. );
  384. }
  385. return <Avatar avatar={props.avatar} />;
  386. }
  387. export function ImagePreviewer(props: {
  388. messages: ChatMessage[];
  389. topic: string;
  390. }) {
  391. const chatStore = useChatStore();
  392. const session = chatStore.currentSession();
  393. const mask = session.mask;
  394. const config = useAppConfig();
  395. const previewRef = useRef<HTMLDivElement>(null);
  396. const copy = () => {
  397. showToast(Locale.Export.Image.Toast);
  398. const dom = previewRef.current;
  399. if (!dom) return;
  400. toBlob(dom).then((blob) => {
  401. if (!blob) return;
  402. try {
  403. navigator.clipboard
  404. .write([
  405. new ClipboardItem({
  406. "image/png": blob,
  407. }),
  408. ])
  409. .then(() => {
  410. showToast(Locale.Copy.Success);
  411. refreshPreview();
  412. });
  413. } catch (e) {
  414. console.error("[Copy Image] ", e);
  415. showToast(Locale.Copy.Failed);
  416. }
  417. });
  418. };
  419. const isMobile = useMobileScreen();
  420. const download = async () => {
  421. showToast(Locale.Export.Image.Toast);
  422. const dom = previewRef.current;
  423. if (!dom) return;
  424. const isApp = getClientConfig()?.isApp;
  425. try {
  426. const blob = await toPng(dom);
  427. if (!blob) return;
  428. if (isMobile || (isApp && window.__TAURI__)) {
  429. if (isApp && window.__TAURI__) {
  430. const result = await window.__TAURI__.dialog.save({
  431. defaultPath: `${props.topic}.png`,
  432. filters: [
  433. {
  434. name: "PNG Files",
  435. extensions: ["png"],
  436. },
  437. {
  438. name: "All Files",
  439. extensions: ["*"],
  440. },
  441. ],
  442. });
  443. if (result !== null) {
  444. const response = await fetch(blob);
  445. const buffer = await response.arrayBuffer();
  446. const uint8Array = new Uint8Array(buffer);
  447. await window.__TAURI__.fs.writeBinaryFile(result, uint8Array);
  448. showToast(Locale.Download.Success);
  449. } else {
  450. showToast(Locale.Download.Failed);
  451. }
  452. } else {
  453. showImageModal(blob);
  454. }
  455. } else {
  456. const link = document.createElement("a");
  457. link.download = `${props.topic}.png`;
  458. link.href = blob;
  459. link.click();
  460. refreshPreview();
  461. }
  462. } catch (error) {
  463. showToast(Locale.Download.Failed);
  464. }
  465. };
  466. const refreshPreview = () => {
  467. const dom = previewRef.current;
  468. if (dom) {
  469. dom.innerHTML = dom.innerHTML; // Refresh the content of the preview by resetting its HTML for fix a bug glitching
  470. }
  471. };
  472. return (
  473. <div className={styles["image-previewer"]}>
  474. <PreviewActions
  475. copy={copy}
  476. download={download}
  477. showCopy={!isMobile}
  478. messages={props.messages}
  479. />
  480. <div
  481. className={`${styles["preview-body"]} ${styles["default-theme"]}`}
  482. ref={previewRef}
  483. >
  484. <div className={styles["chat-info"]}>
  485. <div className={styles["logo"] + " no-dark"}>
  486. <NextImage
  487. src={ChatGptIcon.src}
  488. alt="logo"
  489. width={50}
  490. height={50}
  491. />
  492. </div>
  493. <div>
  494. <div className={styles["main-title"]}>ChatGPT Next Web</div>
  495. <div className={styles["sub-title"]}>
  496. github.com/Yidadaa/ChatGPT-Next-Web
  497. </div>
  498. <div className={styles["icons"]}>
  499. <ExportAvatar avatar={config.avatar} />
  500. <span className={styles["icon-space"]}>&</span>
  501. <ExportAvatar avatar={mask.avatar} />
  502. </div>
  503. </div>
  504. <div>
  505. <div className={styles["chat-info-item"]}>
  506. {Locale.Exporter.Model}: {mask.modelConfig.model}
  507. </div>
  508. <div className={styles["chat-info-item"]}>
  509. {Locale.Exporter.Messages}: {props.messages.length}
  510. </div>
  511. <div className={styles["chat-info-item"]}>
  512. {Locale.Exporter.Topic}: {session.topic}
  513. </div>
  514. <div className={styles["chat-info-item"]}>
  515. {Locale.Exporter.Time}:{" "}
  516. {new Date(
  517. props.messages.at(-1)?.date ?? Date.now(),
  518. ).toLocaleString()}
  519. </div>
  520. </div>
  521. </div>
  522. {props.messages.map((m, i) => {
  523. return (
  524. <div
  525. className={styles["message"] + " " + styles["message-" + m.role]}
  526. key={i}
  527. >
  528. <div className={styles["avatar"]}>
  529. <ExportAvatar
  530. avatar={m.role === "user" ? config.avatar : mask.avatar}
  531. />
  532. </div>
  533. <div className={styles["body"]}>
  534. <Markdown
  535. content={m.content}
  536. fontSize={config.fontSize}
  537. defaultShow
  538. />
  539. </div>
  540. </div>
  541. );
  542. })}
  543. </div>
  544. </div>
  545. );
  546. }
  547. export function MarkdownPreviewer(props: {
  548. messages: ChatMessage[];
  549. topic: string;
  550. }) {
  551. const mdText =
  552. `# ${props.topic}\n\n` +
  553. props.messages
  554. .map((m) => {
  555. return m.role === "user"
  556. ? `## ${Locale.Export.MessageFromYou}:\n${m.content}`
  557. : `## ${Locale.Export.MessageFromChatGPT}:\n${m.content.trim()}`;
  558. })
  559. .join("\n\n");
  560. const copy = () => {
  561. copyToClipboard(mdText);
  562. };
  563. const download = () => {
  564. downloadAs(mdText, `${props.topic}.md`);
  565. };
  566. return (
  567. <>
  568. <PreviewActions
  569. copy={copy}
  570. download={download}
  571. showCopy={true}
  572. messages={props.messages}
  573. />
  574. <div className="markdown-body">
  575. <pre className={styles["export-content"]}>{mdText}</pre>
  576. </div>
  577. </>
  578. );
  579. }
  580. // modified by BackTrackZ now it's looks better
  581. export function JsonPreviewer(props: {
  582. messages: ChatMessage[];
  583. topic: string;
  584. }) {
  585. const msgs = {
  586. messages: [
  587. {
  588. role: "system",
  589. content: `${Locale.FineTuned.Sysmessage} ${props.topic}`,
  590. },
  591. ...props.messages.map((m) => ({
  592. role: m.role,
  593. content: m.content,
  594. })),
  595. ],
  596. };
  597. const mdText = "```json\n" + JSON.stringify(msgs, null, 2) + "\n```";
  598. const minifiedJson = JSON.stringify(msgs);
  599. const copy = () => {
  600. copyToClipboard(minifiedJson);
  601. };
  602. const download = () => {
  603. downloadAs(JSON.stringify(msgs), `${props.topic}.json`);
  604. };
  605. return (
  606. <>
  607. <PreviewActions
  608. copy={copy}
  609. download={download}
  610. showCopy={false}
  611. messages={props.messages}
  612. />
  613. <div className="markdown-body" onClick={copy}>
  614. <Markdown content={mdText} />
  615. </div>
  616. </>
  617. );
  618. }