fix: optimize asynchronous handling to prevent UI blocking in various components

fix: add missing showNotice error handling and improve async UI feedback

- Add showNotice error notifications to unlock page async error branches
- Restore showNotice for YAML serialization errors in rules/groups/proxies editor
- Ensure all user-facing async errors are surfaced via showNotice
- Add fade-in animation to layout for smoother theme transition and reduce white screen
- Use requestIdleCallback/setTimeout for heavy UI state updates to avoid UI blocking
- Minor: remove window.showNotice usage, use direct import instead
This commit is contained in:
Tunglies
2025-05-30 17:34:38 +08:00
parent 756d303f6a
commit 1e3566ed7d
10 changed files with 378 additions and 275 deletions

View File

@@ -75,7 +75,7 @@ const CompactStatCard = memo(({
onClick,
}: StatCardProps) => {
const theme = useTheme();
// 获取调色板颜色 - 使用useMemo避免重复计算
const colorValue = useMemo(() => {
const palette = theme.palette;
@@ -88,7 +88,7 @@ const CompactStatCard = memo(({
}
return palette.primary.main;
}, [theme.palette, color]);
return (
<Paper
elevation={0}
@@ -157,10 +157,10 @@ export const EnhancedTrafficStats = () => {
const trafficRef = useRef<EnhancedTrafficGraphRef>(null);
const pageVisible = useVisibility();
const [isDebug, setIsDebug] = useState(false);
// 使用AppDataProvider
const { connections, uptime } = useAppData();
// 使用单一状态对象减少状态更新次数
const [stats, setStats] = useState({
traffic: { up: 0, down: 0 },
@@ -169,7 +169,7 @@ export const EnhancedTrafficStats = () => {
// 创建一个标记来追踪最后更新时间,用于节流
const lastUpdateRef = useRef({ traffic: 0 });
// 是否显示流量图表
const trafficGraph = verge?.traffic_graph ?? true;
@@ -199,38 +199,31 @@ export const EnhancedTrafficStats = () => {
// 使用节流控制更新频率
const now = Date.now();
if (now - lastUpdateRef.current.traffic < THROTTLE_TRAFFIC_UPDATE) {
// 如果距离上次更新时间小于阈值,只更新图表不更新状态
if (trafficRef.current) {
trafficRef.current.appendData({
try {
trafficRef.current?.appendData({
up: data.up,
down: data.down,
timestamp: now,
});
}
} catch { }
return;
}
// 更新最后更新时间
lastUpdateRef.current.traffic = now;
// 验证数据有效性防止NaN
const safeUp = isNaN(data.up) ? 0 : data.up;
const safeDown = isNaN(data.down) ? 0 : data.down;
// 批量更新状态
setStats(prev => ({
...prev,
traffic: { up: safeUp, down: safeDown }
}));
// 更新图表数据
if (trafficRef.current) {
trafficRef.current.appendData({
try {
setStats(prev => ({
...prev,
traffic: { up: safeUp, down: safeDown }
}));
} catch { }
try {
trafficRef.current?.appendData({
up: safeUp,
down: safeDown,
timestamp: now,
});
}
} catch { }
}
} catch (err) {
console.error("[Traffic] 解析数据错误:", err, event.data);
@@ -294,7 +287,7 @@ export const EnhancedTrafficStats = () => {
}
},
});
console.log(`[Memory][${EnhancedTrafficStats.name}] 正在连接: ${server}/memory`);
socketRefs.current.memory = createAuthSockette(`${server}/memory`, secret, {
onmessage: handleMemoryUpdate,
@@ -317,6 +310,18 @@ export const EnhancedTrafficStats = () => {
return cleanupSockets;
}, [clashInfo, pageVisible, handleTrafficUpdate, handleMemoryUpdate]);
// 组件卸载时清理所有定时器/引用
useEffect(() => {
return () => {
try {
Object.values(socketRefs.current).forEach(socket => {
if (socket) socket.close();
});
socketRefs.current = { traffic: null, memory: null };
} catch { }
};
}, []);
// 执行垃圾回收
const handleGarbageCollection = useCallback(async () => {
if (isDebug) {
@@ -336,7 +341,7 @@ export const EnhancedTrafficStats = () => {
const [inuse, inuseUnit] = parseTraffic(stats.memory.inuse);
const [uploadTotal, uploadTotalUnit] = parseTraffic(connections.uploadTotal);
const [downloadTotal, downloadTotalUnit] = parseTraffic(connections.downloadTotal);
return {
up, upUnit, down, downUnit, inuse, inuseUnit,
uploadTotal, uploadTotalUnit, downloadTotal, downloadTotalUnit,

View File

@@ -85,11 +85,11 @@ export const TestCard = () => {
mutateVerge();
return;
}
const newList = testList.map((x) =>
const newList = testList.map((x) =>
x.uid === uid ? { ...x, ...patch } : x
);
mutateVerge({ ...verge, test_list: newList }, false);
},
[testList, verge, mutateVerge]
@@ -108,17 +108,27 @@ export const TestCard = () => {
async (event: DragEndEvent) => {
const { active, over } = event;
if (!over || active.id === over.id) return;
const old_index = testList.findIndex((x) => x.uid === active.id);
const new_index = testList.findIndex((x) => x.uid === over.id);
if (old_index >= 0 && new_index >= 0) {
const newList = [...testList];
const [removed] = newList.splice(old_index, 1);
newList.splice(new_index, 0, removed);
await mutateVerge({ ...verge, test_list: newList }, false);
await patchVerge({ test_list: newList });
// 优化:先本地更新,再异步 patch避免UI卡死
mutateVerge({ ...verge, test_list: newList }, false);
const patchFn = () => {
try {
patchVerge({ test_list: newList });
} catch { }
};
if (window.requestIdleCallback) {
window.requestIdleCallback(patchFn);
} else {
setTimeout(patchFn, 0);
}
}
},
[testList, verge, mutateVerge, patchVerge]