mirror of
https://github.com/clash-verge-rev/clash-verge-rev.git
synced 2026-04-18 00:11:08 +08:00
refactor(editor-viewer): simplify loading/save flow with timeout fallback (#5905)
This commit is contained in:
parent
af094bfcd7
commit
c84bb91f4a
@ -19,7 +19,7 @@ import { useLockFn } from "ahooks";
|
|||||||
import * as monaco from "monaco-editor";
|
import * as monaco from "monaco-editor";
|
||||||
import { configureMonacoYaml } from "monaco-yaml";
|
import { configureMonacoYaml } from "monaco-yaml";
|
||||||
import { nanoid } from "nanoid";
|
import { nanoid } from "nanoid";
|
||||||
import { ReactNode, useEffect, useRef, useState } from "react";
|
import { ReactNode, useEffect, useMemo, useRef, useState } from "react";
|
||||||
import { useTranslation } from "react-i18next";
|
import { useTranslation } from "react-i18next";
|
||||||
import pac from "types-pac/pac.d.ts?raw";
|
import pac from "types-pac/pac.d.ts?raw";
|
||||||
|
|
||||||
@ -35,10 +35,8 @@ type Language = "yaml" | "javascript" | "css";
|
|||||||
interface Props<T extends Language> {
|
interface Props<T extends Language> {
|
||||||
open: boolean;
|
open: boolean;
|
||||||
title?: string | ReactNode;
|
title?: string | ReactNode;
|
||||||
// Initial content loader: prefer passing a stable function. A plain Promise is supported,
|
|
||||||
// but it won't trigger background refreshes and should be paired with a stable `dataKey`.
|
|
||||||
initialData: Promise<string> | (() => Promise<string>);
|
initialData: Promise<string> | (() => Promise<string>);
|
||||||
// Logical document id; reloads when this or language changes.
|
// Logical document id; used to build a stable model path.
|
||||||
dataKey?: string | number;
|
dataKey?: string | number;
|
||||||
readOnly?: boolean;
|
readOnly?: boolean;
|
||||||
language: T;
|
language: T;
|
||||||
@ -47,16 +45,16 @@ interface Props<T extends Language> {
|
|||||||
onClose: () => void;
|
onClose: () => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const LOAD_TIMEOUT_MS = 15000;
|
||||||
|
|
||||||
let initialized = false;
|
let initialized = false;
|
||||||
const monacoInitialization = () => {
|
const monacoInitialization = () => {
|
||||||
if (initialized) return;
|
if (initialized) return;
|
||||||
|
|
||||||
// YAML worker setup
|
|
||||||
configureMonacoYaml(monaco, {
|
configureMonacoYaml(monaco, {
|
||||||
validate: true,
|
validate: true,
|
||||||
enableSchemaRequest: true,
|
enableSchemaRequest: true,
|
||||||
});
|
});
|
||||||
// PAC type definitions for JS suggestions
|
|
||||||
monaco.typescript.javascriptDefaults.addExtraLib(pac, "pac.d.ts");
|
monaco.typescript.javascriptDefaults.addExtraLib(pac, "pac.d.ts");
|
||||||
|
|
||||||
initialized = true;
|
initialized = true;
|
||||||
@ -81,237 +79,139 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
|
|
||||||
const resolvedTitle = title ?? t("profiles.components.menu.editFile");
|
const resolvedTitle = title ?? t("profiles.components.menu.editFile");
|
||||||
|
|
||||||
const editorRef = useRef<monaco.editor.IStandaloneCodeEditor>(undefined);
|
const editorRef = useRef<monaco.editor.IStandaloneCodeEditor | null>(null);
|
||||||
const prevData = useRef<string | undefined>("");
|
const prevData = useRef<string>("");
|
||||||
const currData = useRef<string | undefined>("");
|
const currData = useRef<string>("");
|
||||||
// Hold the latest loader without making effects depend on its identity
|
const userEditedRef = useRef(false);
|
||||||
|
const loadIdRef = useRef(0);
|
||||||
const initialDataRef = useRef<Props<T>["initialData"]>(initialData);
|
const initialDataRef = useRef<Props<T>["initialData"]>(initialData);
|
||||||
// Track mount/open state to prevent setState after unmount/close
|
|
||||||
const isMountedRef = useRef(true);
|
|
||||||
const openRef = useRef(open);
|
|
||||||
useEffect(() => {
|
|
||||||
openRef.current = open;
|
|
||||||
}, [open]);
|
|
||||||
useEffect(() => {
|
|
||||||
isMountedRef.current = true;
|
|
||||||
return () => {
|
|
||||||
isMountedRef.current = false;
|
|
||||||
};
|
|
||||||
}, []);
|
|
||||||
const [initialText, setInitialText] = useState<string | null>(null);
|
|
||||||
const [modelPath, setModelPath] = useState<string>("");
|
|
||||||
const modelChangeDisposableRef = useRef<monaco.IDisposable | null>(null);
|
|
||||||
// Unique per-component instance id to avoid shared Monaco models across dialogs
|
|
||||||
const instanceIdRef = useRef<string>(nanoid());
|
const instanceIdRef = useRef<string>(nanoid());
|
||||||
// Disable actions while loading or before modelPath is ready
|
|
||||||
const isLoading = initialText === null || !modelPath;
|
const [initialText, setInitialText] = useState<string | null>(null);
|
||||||
// Track if background refresh failed; offer a retry action in UI
|
const [canSave, setCanSave] = useState(false);
|
||||||
const [refreshFailed, setRefreshFailed] = useState<unknown | null>(null);
|
|
||||||
// Skip the first background refresh triggered by [open, modelPath, dataKey]
|
const modelPath = useMemo(() => {
|
||||||
// to avoid double-invoking the loader right after the initial load.
|
const key = dataKey ?? "editor";
|
||||||
const skipNextRefreshRef = useRef(false);
|
return `${key}.${instanceIdRef.current}.${language}`;
|
||||||
// Monotonic token to cancel stale background refreshes
|
}, [dataKey, language]);
|
||||||
const reloadTokenRef = useRef(0);
|
|
||||||
// Track whether the editor has a usable baseline (either loaded or fallback).
|
const isLoading = open && initialText === null;
|
||||||
// This avoids saving before the model/path are ready, while still allowing recovery
|
|
||||||
// when the initial load fails but an empty buffer is presented.
|
|
||||||
const [hasLoadedOnce, setHasLoadedOnce] = useState(false);
|
|
||||||
// Editor should only be read-only when explicitly requested by prop.
|
|
||||||
// A refresh/load failure must not lock the editor to allow manual recovery.
|
|
||||||
const effectiveReadOnly = readOnly;
|
|
||||||
// Keep ref in sync with prop without triggering loads
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
initialDataRef.current = initialData;
|
initialDataRef.current = initialData;
|
||||||
}, [initialData]);
|
}, [initialData]);
|
||||||
// Background refresh: when the dialog/model is ready and the underlying resource key changes,
|
|
||||||
// try to refresh content (only if user hasn't typed). Do NOT depend on `initialData` function
|
|
||||||
// identity because callers often pass inline lambdas that change every render.
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if (!open) return;
|
if (!open) return;
|
||||||
// Only attempt after initial model is ready to avoid racing the initial load
|
|
||||||
if (!modelPath) return;
|
let cancelled = false;
|
||||||
// Avoid immediate double-load on open: the initial load has just completed.
|
const loadId = ++loadIdRef.current;
|
||||||
if (skipNextRefreshRef.current) {
|
userEditedRef.current = false;
|
||||||
skipNextRefreshRef.current = false;
|
prevData.current = "";
|
||||||
return;
|
currData.current = "";
|
||||||
}
|
// eslint-disable-next-line @eslint-react/hooks-extra/no-direct-set-state-in-use-effect
|
||||||
// Only meaningful when a callable loader is provided (plain Promise cannot be "recalled")
|
setInitialText(null);
|
||||||
if (typeof initialDataRef.current === "function") {
|
// eslint-disable-next-line @eslint-react/hooks-extra/no-direct-set-state-in-use-effect
|
||||||
void reloadLatest();
|
setCanSave(false);
|
||||||
}
|
|
||||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
let didTimeout = false;
|
||||||
}, [open, modelPath, dataKey]);
|
const timeoutId = window.setTimeout(() => {
|
||||||
// Helper to (soft) reload latest source and apply only if the user hasn't typed yet
|
didTimeout = true;
|
||||||
const reloadLatest = useLockFn(async () => {
|
if (cancelled || loadId !== loadIdRef.current) return;
|
||||||
// Snapshot the model/doc identity and bump a token so older calls can't win
|
prevData.current = "";
|
||||||
const myToken = ++reloadTokenRef.current;
|
currData.current = "";
|
||||||
const expectedModelPath = modelPath;
|
setInitialText("");
|
||||||
const expectedKey = dataKey;
|
setCanSave(false);
|
||||||
if (isMountedRef.current && openRef.current) {
|
showNotice.error("shared.feedback.notifications.common.refreshFailed");
|
||||||
// Clear previous error (UI hint) at the start of a new attempt
|
}, LOAD_TIMEOUT_MS);
|
||||||
setRefreshFailed(null);
|
|
||||||
}
|
const dataPromise = Promise.resolve().then(() => {
|
||||||
try {
|
const dataSource = initialDataRef.current;
|
||||||
const src = initialDataRef.current;
|
if (typeof dataSource === "function") {
|
||||||
const promise =
|
return (dataSource as () => Promise<string>)();
|
||||||
typeof src === "function"
|
|
||||||
? (src as () => Promise<string>)()
|
|
||||||
: (src ?? Promise.resolve(""));
|
|
||||||
const next = await promise;
|
|
||||||
// Abort if component/dialog state changed meanwhile:
|
|
||||||
// - unmounted or closed
|
|
||||||
// - document switched (modelPath/dataKey no longer match)
|
|
||||||
// - a newer reload was started
|
|
||||||
if (
|
|
||||||
!isMountedRef.current ||
|
|
||||||
!openRef.current ||
|
|
||||||
expectedModelPath !== modelPath ||
|
|
||||||
expectedKey !== dataKey ||
|
|
||||||
myToken !== reloadTokenRef.current
|
|
||||||
) {
|
|
||||||
return;
|
|
||||||
}
|
}
|
||||||
// Only update when untouched and value changed
|
return dataSource ?? "";
|
||||||
const userUntouched = currData.current === prevData.current;
|
});
|
||||||
if (userUntouched && next !== prevData.current) {
|
|
||||||
|
dataPromise
|
||||||
|
.then((data) => {
|
||||||
|
if (cancelled || loadId !== loadIdRef.current) return;
|
||||||
|
clearTimeout(timeoutId);
|
||||||
|
|
||||||
|
if (userEditedRef.current) {
|
||||||
|
setCanSave(true);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const next = data ?? "";
|
||||||
prevData.current = next;
|
prevData.current = next;
|
||||||
currData.current = next;
|
currData.current = next;
|
||||||
editorRef.current?.setValue(next);
|
|
||||||
}
|
|
||||||
// Ensure any previous error state is cleared after a successful refresh
|
|
||||||
if (isMountedRef.current && openRef.current) {
|
|
||||||
setRefreshFailed(null);
|
|
||||||
}
|
|
||||||
// If we previously failed to load, a successful refresh establishes a valid baseline
|
|
||||||
if (isMountedRef.current && openRef.current) {
|
|
||||||
setHasLoadedOnce(true);
|
|
||||||
}
|
|
||||||
} catch (err) {
|
|
||||||
// Only report if still mounted/open and this call is the latest
|
|
||||||
if (
|
|
||||||
isMountedRef.current &&
|
|
||||||
openRef.current &&
|
|
||||||
myToken === reloadTokenRef.current
|
|
||||||
) {
|
|
||||||
setRefreshFailed(err ?? true);
|
|
||||||
showNotice.error(
|
|
||||||
"shared.feedback.notifications.common.refreshFailed",
|
|
||||||
err,
|
|
||||||
);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
const beforeMount = () => {
|
if (didTimeout) {
|
||||||
monacoInitialization();
|
if (editorRef.current) {
|
||||||
};
|
editorRef.current.setValue(next);
|
||||||
|
} else {
|
||||||
|
setInitialText(next);
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
setInitialText(next);
|
||||||
|
}
|
||||||
|
setCanSave(true);
|
||||||
|
})
|
||||||
|
.catch((err) => {
|
||||||
|
if (cancelled || loadId !== loadIdRef.current) return;
|
||||||
|
clearTimeout(timeoutId);
|
||||||
|
|
||||||
// Prepare initial content and a stable model path for monaco-react
|
if (!didTimeout) {
|
||||||
/* eslint-disable @eslint-react/hooks-extra/no-direct-set-state-in-use-effect */
|
setInitialText("");
|
||||||
useEffect(() => {
|
}
|
||||||
if (!open) return;
|
if (!userEditedRef.current) {
|
||||||
let cancelled = false;
|
setCanSave(false);
|
||||||
// Clear state up-front to avoid showing stale content while loading
|
}
|
||||||
setInitialText(null);
|
if (!didTimeout) {
|
||||||
setModelPath("");
|
showNotice.error(err);
|
||||||
// Clear any stale refresh error when starting a new load
|
}
|
||||||
setRefreshFailed(null);
|
});
|
||||||
// Reset initial-load success flag on open/start
|
|
||||||
setHasLoadedOnce(false);
|
|
||||||
// We will perform an explicit initial load below; skip the first background refresh.
|
|
||||||
skipNextRefreshRef.current = true;
|
|
||||||
prevData.current = undefined;
|
|
||||||
currData.current = undefined;
|
|
||||||
|
|
||||||
(async () => {
|
|
||||||
try {
|
|
||||||
const dataSource = initialDataRef.current;
|
|
||||||
const dataPromise =
|
|
||||||
typeof dataSource === "function"
|
|
||||||
? (dataSource as () => Promise<string>)()
|
|
||||||
: (dataSource ?? Promise.resolve(""));
|
|
||||||
const data = await dataPromise;
|
|
||||||
if (cancelled) return;
|
|
||||||
prevData.current = data;
|
|
||||||
currData.current = data;
|
|
||||||
|
|
||||||
setInitialText(data);
|
|
||||||
// Build a stable model path and avoid "undefined" in the name
|
|
||||||
const pathParts = [String(dataKey ?? nanoid()), instanceIdRef.current];
|
|
||||||
pathParts.push(language);
|
|
||||||
|
|
||||||
setModelPath(pathParts.join("."));
|
|
||||||
// Successful initial load should clear any previous refresh error flag
|
|
||||||
setRefreshFailed(null);
|
|
||||||
// Mark that we have a valid baseline content
|
|
||||||
setHasLoadedOnce(true);
|
|
||||||
} catch (err) {
|
|
||||||
if (cancelled) return;
|
|
||||||
// Notify the error and still show an empty editor so the user isn't stuck
|
|
||||||
showNotice.error(err);
|
|
||||||
|
|
||||||
// Align refs with fallback text after a load failure
|
|
||||||
prevData.current = "";
|
|
||||||
currData.current = "";
|
|
||||||
|
|
||||||
setInitialText("");
|
|
||||||
const pathParts = [String(dataKey ?? nanoid()), instanceIdRef.current];
|
|
||||||
pathParts.push(language);
|
|
||||||
|
|
||||||
setModelPath(pathParts.join("."));
|
|
||||||
// Mark refresh failure so users can retry
|
|
||||||
setRefreshFailed(err ?? true);
|
|
||||||
// Initial load failed; keep `hasLoadedOnce` false to prevent accidental save
|
|
||||||
// of an empty buffer. It will be enabled on successful refresh or first edit.
|
|
||||||
setHasLoadedOnce(false);
|
|
||||||
}
|
|
||||||
})();
|
|
||||||
|
|
||||||
return () => {
|
return () => {
|
||||||
cancelled = true;
|
cancelled = true;
|
||||||
|
clearTimeout(timeoutId);
|
||||||
};
|
};
|
||||||
}, [open, dataKey, language]);
|
}, [open, dataKey, language]);
|
||||||
/* eslint-enable @eslint-react/hooks-extra/no-direct-set-state-in-use-effect */
|
|
||||||
|
|
||||||
const onMount = async (editor: monaco.editor.IStandaloneCodeEditor) => {
|
const beforeMount = () => {
|
||||||
editorRef.current = editor;
|
|
||||||
// Dispose previous model when switching (monaco-react creates a fresh model when `path` changes)
|
|
||||||
modelChangeDisposableRef.current?.dispose();
|
|
||||||
modelChangeDisposableRef.current = editor.onDidChangeModel((e) => {
|
|
||||||
if (e.oldModelUrl) {
|
|
||||||
const oldModel = monaco.editor.getModel(e.oldModelUrl);
|
|
||||||
oldModel?.dispose();
|
|
||||||
}
|
|
||||||
});
|
|
||||||
// No refresh on mount; doing so would double-load.
|
|
||||||
// Background refreshes are handled by the [open, modelPath, dataKey] effect.
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleChange = useLockFn(async (value?: string) => {
|
|
||||||
try {
|
try {
|
||||||
currData.current = value ?? editorRef.current?.getValue();
|
monacoInitialization();
|
||||||
onChange?.(prevData.current, currData.current);
|
|
||||||
// If the initial load failed, allow saving after the user makes an edit.
|
|
||||||
if (!hasLoadedOnce) {
|
|
||||||
setHasLoadedOnce(true);
|
|
||||||
}
|
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
showNotice.error(err);
|
showNotice.error(err);
|
||||||
}
|
}
|
||||||
});
|
};
|
||||||
|
|
||||||
|
const onMount = (editor: monaco.editor.IStandaloneCodeEditor) => {
|
||||||
|
editorRef.current = editor;
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleChange = (value?: string) => {
|
||||||
|
try {
|
||||||
|
const next = value ?? editorRef.current?.getValue() ?? "";
|
||||||
|
currData.current = next;
|
||||||
|
userEditedRef.current = true;
|
||||||
|
if (!readOnly) {
|
||||||
|
setCanSave(true);
|
||||||
|
}
|
||||||
|
onChange?.(prevData.current, next);
|
||||||
|
} catch (err) {
|
||||||
|
showNotice.error(err);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
const handleSave = useLockFn(async () => {
|
const handleSave = useLockFn(async () => {
|
||||||
try {
|
try {
|
||||||
// Disallow saving if initial content never loaded successfully to avoid accidental overwrite
|
if (!readOnly && canSave) {
|
||||||
if (!readOnly && hasLoadedOnce) {
|
if (!editorRef.current) return;
|
||||||
// Guard: if the editor/model hasn't mounted, bail out
|
|
||||||
if (!editorRef.current) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
currData.current = editorRef.current.getValue();
|
currData.current = editorRef.current.getValue();
|
||||||
if (onSave) {
|
if (onSave) {
|
||||||
await onSave(prevData.current, currData.current);
|
await onSave(prevData.current, currData.current);
|
||||||
// If save succeeds, align prev with current
|
|
||||||
prevData.current = currData.current;
|
prevData.current = currData.current;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -321,17 +221,15 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
// Explicit paste action: works even when Monaco's context-menu paste cannot read clipboard.
|
|
||||||
const handlePaste = useLockFn(async () => {
|
const handlePaste = useLockFn(async () => {
|
||||||
try {
|
try {
|
||||||
if (!editorRef.current || effectiveReadOnly) return;
|
if (!editorRef.current || readOnly) return;
|
||||||
const text = await navigator.clipboard.readText();
|
const text = await navigator.clipboard.readText();
|
||||||
if (!text) return;
|
if (!text) return;
|
||||||
const editor = editorRef.current;
|
const editor = editorRef.current;
|
||||||
const model = editor.getModel();
|
const model = editor.getModel();
|
||||||
const selections = editor.getSelections();
|
const selections = editor.getSelections();
|
||||||
if (!model || !selections || selections.length === 0) return;
|
if (!model || !selections || selections.length === 0) return;
|
||||||
// Group edits to allow single undo step
|
|
||||||
editor.pushUndoStop();
|
editor.pushUndoStop();
|
||||||
editor.executeEdits(
|
editor.executeEdits(
|
||||||
"explicit-paste",
|
"explicit-paste",
|
||||||
@ -361,8 +259,6 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
appWindow
|
appWindow
|
||||||
.isMaximized()
|
.isMaximized()
|
||||||
.then((maximized) => setIsMaximized(() => maximized));
|
.then((maximized) => setIsMaximized(() => maximized));
|
||||||
// Ensure Monaco recalculates layout after window resize/maximize/restore.
|
|
||||||
// automaticLayout is not always sufficient when the parent dialog resizes.
|
|
||||||
try {
|
try {
|
||||||
editorRef.current?.layout();
|
editorRef.current?.layout();
|
||||||
} catch {}
|
} catch {}
|
||||||
@ -371,13 +267,10 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
|
|
||||||
return () => {
|
return () => {
|
||||||
unlistenResized.then((fn) => fn());
|
unlistenResized.then((fn) => fn());
|
||||||
// Clean up editor and model to avoid leaks
|
|
||||||
const model = editorRef.current?.getModel();
|
const model = editorRef.current?.getModel();
|
||||||
editorRef.current?.dispose();
|
editorRef.current?.dispose();
|
||||||
model?.dispose();
|
model?.dispose();
|
||||||
modelChangeDisposableRef.current?.dispose();
|
editorRef.current = null;
|
||||||
modelChangeDisposableRef.current = null;
|
|
||||||
editorRef.current = undefined;
|
|
||||||
};
|
};
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
@ -394,7 +287,6 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
<DialogContent
|
<DialogContent
|
||||||
sx={{
|
sx={{
|
||||||
width: "auto",
|
width: "auto",
|
||||||
// Give the editor a scrollable height (even in nested dialogs)
|
|
||||||
height: "calc(100vh - 185px)",
|
height: "calc(100vh - 185px)",
|
||||||
display: "flex",
|
display: "flex",
|
||||||
flexDirection: "column",
|
flexDirection: "column",
|
||||||
@ -402,46 +294,8 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
}}
|
}}
|
||||||
>
|
>
|
||||||
<div style={{ position: "relative", flex: "1 1 auto", minHeight: 0 }}>
|
<div style={{ position: "relative", flex: "1 1 auto", minHeight: 0 }}>
|
||||||
{/* Show overlay while loading or until modelPath is ready */}
|
|
||||||
<BaseLoadingOverlay isLoading={isLoading} />
|
<BaseLoadingOverlay isLoading={isLoading} />
|
||||||
{/* Background refresh failure helper */}
|
{initialText !== null && (
|
||||||
{!!refreshFailed && (
|
|
||||||
<div
|
|
||||||
style={{
|
|
||||||
position: "absolute",
|
|
||||||
top: 8,
|
|
||||||
right: 10,
|
|
||||||
zIndex: 2,
|
|
||||||
display: "flex",
|
|
||||||
gap: 8,
|
|
||||||
alignItems: "center",
|
|
||||||
pointerEvents: "auto",
|
|
||||||
}}
|
|
||||||
>
|
|
||||||
<span
|
|
||||||
style={{
|
|
||||||
color: "var(--mui-palette-warning-main, #ed6c02)",
|
|
||||||
background: "rgba(237,108,2,0.1)",
|
|
||||||
border: "1px solid rgba(237,108,2,0.35)",
|
|
||||||
borderRadius: 6,
|
|
||||||
padding: "2px 8px",
|
|
||||||
fontSize: 12,
|
|
||||||
lineHeight: "20px",
|
|
||||||
userSelect: "text",
|
|
||||||
}}
|
|
||||||
>
|
|
||||||
{t("shared.feedback.notifications.common.refreshFailed")}
|
|
||||||
</span>
|
|
||||||
<Button
|
|
||||||
size="small"
|
|
||||||
variant="outlined"
|
|
||||||
onClick={() => reloadLatest()}
|
|
||||||
>
|
|
||||||
{t("shared.actions.retry")}
|
|
||||||
</Button>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
{initialText !== null && modelPath && (
|
|
||||||
<MonacoEditor
|
<MonacoEditor
|
||||||
height="100%"
|
height="100%"
|
||||||
path={modelPath}
|
path={modelPath}
|
||||||
@ -457,7 +311,7 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
enabled: document.documentElement.clientWidth >= 1500,
|
enabled: document.documentElement.clientWidth >= 1500,
|
||||||
},
|
},
|
||||||
mouseWheelZoom: true,
|
mouseWheelZoom: true,
|
||||||
readOnly: effectiveReadOnly,
|
readOnly,
|
||||||
readOnlyMessage: {
|
readOnlyMessage: {
|
||||||
value: t("profiles.modals.editor.messages.readOnly"),
|
value: t("profiles.modals.editor.messages.readOnly"),
|
||||||
},
|
},
|
||||||
@ -468,7 +322,7 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
other: true,
|
other: true,
|
||||||
},
|
},
|
||||||
padding: {
|
padding: {
|
||||||
top: 33, // Top padding to prevent snippet overlap
|
top: 33,
|
||||||
},
|
},
|
||||||
fontFamily: `Fira Code, JetBrains Mono, Roboto Mono, "Source Code Pro", Consolas, Menlo, Monaco, monospace, "Courier New", "Apple Color Emoji"${
|
fontFamily: `Fira Code, JetBrains Mono, Roboto Mono, "Source Code Pro", Consolas, Menlo, Monaco, monospace, "Courier New", "Apple Color Emoji"${
|
||||||
getSystem() === "windows" ? ", twemoji mozilla" : ""
|
getSystem() === "windows" ? ", twemoji mozilla" : ""
|
||||||
@ -526,7 +380,6 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
.then((maximized) => setIsMaximized(maximized)),
|
.then((maximized) => setIsMaximized(maximized)),
|
||||||
)
|
)
|
||||||
.finally(() => {
|
.finally(() => {
|
||||||
// Nudge a layout in case the resize event batching lags behind
|
|
||||||
try {
|
try {
|
||||||
editorRef.current?.layout();
|
editorRef.current?.layout();
|
||||||
} catch {}
|
} catch {}
|
||||||
@ -546,7 +399,7 @@ export const EditorViewer = <T extends Language>(props: Props<T>) => {
|
|||||||
<Button
|
<Button
|
||||||
onClick={handleSave}
|
onClick={handleSave}
|
||||||
variant="contained"
|
variant="contained"
|
||||||
disabled={isLoading || !hasLoadedOnce}
|
disabled={isLoading || !canSave}
|
||||||
>
|
>
|
||||||
{t("shared.actions.save")}
|
{t("shared.actions.save")}
|
||||||
</Button>
|
</Button>
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user