feat(api-settings): add CCW-LiteLLM installation progress overlay and related localization

This commit is contained in:
catlog22
2026-02-18 13:56:05 +08:00
parent 3441a3c06c
commit 7e8fb3d2de
10 changed files with 371 additions and 312 deletions

View File

@@ -23,11 +23,13 @@ import {
useUninstallCcwLitellm,
} from '@/hooks/useApiSettings';
import { useNotifications } from '@/hooks/useNotifications';
import { LitellmInstallProgressOverlay } from './LitellmInstallProgressOverlay';
export function CcwLitellmStatus() {
const { formatMessage } = useIntl();
const { success, error: notifyError } = useNotifications();
const [refresh, setRefresh] = useState(false);
const [isInstallOverlayOpen, setIsInstallOverlayOpen] = useState(false);
const { data: status, isLoading, refetch } = useCcwLitellmStatus({ refresh });
const { install, isInstalling } = useInstallCcwLitellm();
@@ -35,17 +37,22 @@ export function CcwLitellmStatus() {
const isBusy = isInstalling || isUninstalling;
const handleInstall = async () => {
const handleInstallViaOverlay = async (): Promise<{ success: boolean }> => {
try {
await install();
success(formatMessage({ id: 'apiSettings.ccwLitellm.messages.installSuccess' }));
setRefresh(true);
refetch();
return { success: true };
} catch {
notifyError(formatMessage({ id: 'apiSettings.ccwLitellm.messages.installFailed' }));
return { success: false };
}
};
const handleInstallSuccess = () => {
setRefresh(true);
refetch();
};
const handleUninstall = async () => {
try {
await uninstall();
@@ -66,6 +73,7 @@ export function CcwLitellmStatus() {
const version = status?.version;
return (
<>
<Card>
<CardContent className="p-4">
<div className="flex items-center justify-between">
@@ -131,7 +139,7 @@ export function CcwLitellmStatus() {
<Button
variant="default"
size="sm"
onClick={handleInstall}
onClick={() => setIsInstallOverlayOpen(true)}
disabled={isBusy}
>
{isInstalling ? (
@@ -146,6 +154,15 @@ export function CcwLitellmStatus() {
</div>
</CardContent>
</Card>
{/* Install Progress Overlay */}
<LitellmInstallProgressOverlay
open={isInstallOverlayOpen}
onOpenChange={setIsInstallOverlayOpen}
onInstall={handleInstallViaOverlay}
onSuccess={handleInstallSuccess}
/>
</>
);
}

View File

@@ -0,0 +1,267 @@
// ========================================
// CCW-LiteLLM Install Progress Overlay
// ========================================
// Dialog overlay showing staged progress during ccw-litellm installation
// Adapted from CodexLens InstallProgressOverlay pattern
import { useState, useEffect, useRef, useCallback } from 'react';
import { useIntl } from 'react-intl';
import {
Check,
Download,
Info,
Loader2,
} from 'lucide-react';
import {
Dialog,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogTitle,
} from '@/components/ui/Dialog';
import { Button } from '@/components/ui/Button';
import { Progress } from '@/components/ui/Progress';
import { Card, CardContent } from '@/components/ui/Card';
// ----------------------------------------
// Types
// ----------------------------------------
interface InstallStage {
progress: number;
messageId: string;
}
interface LitellmInstallProgressOverlayProps {
open: boolean;
onOpenChange: (open: boolean) => void;
onInstall: () => Promise<{ success: boolean }>;
onSuccess?: () => void;
}
// ----------------------------------------
// Constants
// ----------------------------------------
const INSTALL_STAGES: InstallStage[] = [
{ progress: 10, messageId: 'apiSettings.ccwLitellm.install.stage.checkingVenv' },
{ progress: 25, messageId: 'apiSettings.ccwLitellm.install.stage.detectingPackage' },
{ progress: 45, messageId: 'apiSettings.ccwLitellm.install.stage.installingDeps' },
{ progress: 65, messageId: 'apiSettings.ccwLitellm.install.stage.installingPackage' },
{ progress: 85, messageId: 'apiSettings.ccwLitellm.install.stage.verifying' },
];
const STAGE_INTERVAL_MS = 2000;
// ----------------------------------------
// Checklist items
// ----------------------------------------
interface ChecklistItem {
labelId: string;
descId: string;
}
const CHECKLIST_ITEMS: ChecklistItem[] = [
{ labelId: 'apiSettings.ccwLitellm.install.codexlensVenv', descId: 'apiSettings.ccwLitellm.install.codexlensVenvDesc' },
{ labelId: 'apiSettings.ccwLitellm.install.litellmPackage', descId: 'apiSettings.ccwLitellm.install.litellmPackageDesc' },
{ labelId: 'apiSettings.ccwLitellm.install.embeddingSupport', descId: 'apiSettings.ccwLitellm.install.embeddingSupportDesc' },
];
// ----------------------------------------
// Component
// ----------------------------------------
export function LitellmInstallProgressOverlay({
open,
onOpenChange,
onInstall,
onSuccess,
}: LitellmInstallProgressOverlayProps) {
const { formatMessage } = useIntl();
const [isInstalling, setIsInstalling] = useState(false);
const [progress, setProgress] = useState(0);
const [stageText, setStageText] = useState('');
const [isComplete, setIsComplete] = useState(false);
const [errorText, setErrorText] = useState('');
const intervalRef = useRef<ReturnType<typeof setInterval> | null>(null);
const clearStageInterval = useCallback(() => {
if (intervalRef.current) {
clearInterval(intervalRef.current);
intervalRef.current = null;
}
}, []);
// Reset state when dialog closes
useEffect(() => {
if (!open) {
setIsInstalling(false);
setProgress(0);
setStageText('');
setIsComplete(false);
setErrorText('');
clearStageInterval();
}
}, [open, clearStageInterval]);
// Cleanup on unmount
useEffect(() => {
return () => clearStageInterval();
}, [clearStageInterval]);
const handleInstall = async () => {
setIsInstalling(true);
setProgress(0);
setIsComplete(false);
setErrorText('');
// Start stage simulation
let currentStage = 0;
setStageText(formatMessage({ id: INSTALL_STAGES[0].messageId }));
setProgress(INSTALL_STAGES[0].progress);
currentStage = 1;
intervalRef.current = setInterval(() => {
if (currentStage < INSTALL_STAGES.length) {
setStageText(formatMessage({ id: INSTALL_STAGES[currentStage].messageId }));
setProgress(INSTALL_STAGES[currentStage].progress);
currentStage++;
}
}, STAGE_INTERVAL_MS);
try {
const result = await onInstall();
clearStageInterval();
if (result.success) {
setProgress(100);
setStageText(formatMessage({ id: 'apiSettings.ccwLitellm.install.stage.complete' }));
setIsComplete(true);
// Auto-close after showing completion
setTimeout(() => {
onOpenChange(false);
onSuccess?.();
}, 1200);
} else {
setIsInstalling(false);
setProgress(0);
setStageText('');
setErrorText(formatMessage({ id: 'apiSettings.ccwLitellm.messages.installFailed' }));
}
} catch {
clearStageInterval();
setIsInstalling(false);
setProgress(0);
setStageText('');
setErrorText(formatMessage({ id: 'apiSettings.ccwLitellm.messages.installFailed' }));
}
};
return (
<Dialog open={open} onOpenChange={isInstalling ? undefined : onOpenChange}>
<DialogContent className="max-w-lg" onPointerDownOutside={isInstalling ? (e) => e.preventDefault() : undefined}>
<DialogHeader>
<DialogTitle className="flex items-center gap-2">
<Download className="w-5 h-5 text-primary" />
{formatMessage({ id: 'apiSettings.ccwLitellm.install.title' })}
</DialogTitle>
<DialogDescription>
{formatMessage({ id: 'apiSettings.ccwLitellm.install.description' })}
</DialogDescription>
</DialogHeader>
<div className="space-y-4 py-4">
{/* Install Checklist */}
<div>
<h4 className="text-sm font-medium mb-2">
{formatMessage({ id: 'apiSettings.ccwLitellm.install.checklist' })}
</h4>
<ul className="space-y-2">
{CHECKLIST_ITEMS.map((item) => (
<li key={item.labelId} className="flex items-start gap-2 text-sm">
<Check className="w-4 h-4 text-green-500 mt-0.5 flex-shrink-0" />
<span>
<strong>{formatMessage({ id: item.labelId })}</strong>
{' - '}
{formatMessage({ id: item.descId })}
</span>
</li>
))}
</ul>
</div>
{/* Install Info */}
<Card className="bg-primary/5 border-primary/20">
<CardContent className="p-3 flex items-start gap-2">
<Info className="w-4 h-4 text-primary mt-0.5 flex-shrink-0" />
<div className="text-sm text-muted-foreground">
<p className="font-medium text-foreground">
{formatMessage({ id: 'apiSettings.ccwLitellm.install.location' })}
</p>
<p className="mt-1">
<code className="bg-muted px-1.5 py-0.5 rounded text-xs">
{formatMessage({ id: 'apiSettings.ccwLitellm.install.locationPath' })}
</code>
</p>
<p className="mt-1">
{formatMessage({ id: 'apiSettings.ccwLitellm.install.timeEstimate' })}
</p>
</div>
</CardContent>
</Card>
{/* Progress Section - shown during install */}
{isInstalling && (
<div className="space-y-2">
<div className="flex items-center gap-3">
{isComplete ? (
<Check className="w-5 h-5 text-green-500" />
) : (
<Loader2 className="w-5 h-5 text-primary animate-spin" />
)}
<span className="text-sm">{stageText}</span>
</div>
<Progress value={progress} className="h-2" />
</div>
)}
{/* Error message */}
{errorText && !isInstalling && (
<p className="text-sm text-destructive">{errorText}</p>
)}
</div>
<DialogFooter>
<Button
variant="outline"
onClick={() => onOpenChange(false)}
disabled={isInstalling}
>
{formatMessage({ id: 'apiSettings.common.cancel' })}
</Button>
<Button
onClick={handleInstall}
disabled={isInstalling}
>
{isInstalling ? (
<>
<Loader2 className="w-4 h-4 mr-2 animate-spin" />
{formatMessage({ id: 'apiSettings.ccwLitellm.install.installing' })}
</>
) : (
<>
<Download className="w-4 h-4 mr-2" />
{formatMessage({ id: 'apiSettings.ccwLitellm.install.installNow' })}
</>
)}
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
);
}
export default LitellmInstallProgressOverlay;