Add useEffect to check for in-progress translations on page load. This ensures that if user navigates away during translation and returns, the UI will resume polling and show completion status. 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
792 lines
28 KiB
TypeScript
792 lines
28 KiB
TypeScript
import { useMemo, useState, useEffect } from 'react'
|
|
import { useParams, useNavigate } from 'react-router-dom'
|
|
import { useTranslation } from 'react-i18next'
|
|
import { useQuery } from '@tanstack/react-query'
|
|
import { Button } from '@/components/ui/button'
|
|
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card'
|
|
import PDFViewer from '@/components/PDFViewer'
|
|
import { useToast } from '@/components/ui/toast'
|
|
import { apiClientV2 } from '@/services/apiV2'
|
|
import { useTaskStore } from '@/store/taskStore'
|
|
import {
|
|
FileText,
|
|
Download,
|
|
AlertCircle,
|
|
Clock,
|
|
Layers,
|
|
Loader2,
|
|
ArrowLeft,
|
|
RefreshCw,
|
|
FileSearch,
|
|
Table2,
|
|
Image,
|
|
BarChart3,
|
|
Languages,
|
|
Globe,
|
|
CheckCircle,
|
|
Trash2
|
|
} from 'lucide-react'
|
|
import type { ProcessingTrack, TranslationStatus, TranslationListItem } from '@/types/apiV2'
|
|
import { Badge } from '@/components/ui/badge'
|
|
import {
|
|
Select,
|
|
SelectContent,
|
|
SelectItem,
|
|
SelectTrigger,
|
|
SelectValue
|
|
} from '@/components/ui/select'
|
|
import { Progress } from '@/components/ui/progress'
|
|
|
|
// Language options for translation
|
|
const LANGUAGE_OPTIONS = [
|
|
{ value: 'en', label: 'English' },
|
|
{ value: 'ja', label: '日本語' },
|
|
{ value: 'ko', label: '한국어' },
|
|
{ value: 'zh-TW', label: '繁體中文' },
|
|
{ value: 'zh-CN', label: '简体中文' },
|
|
{ value: 'de', label: 'Deutsch' },
|
|
{ value: 'fr', label: 'Français' },
|
|
{ value: 'es', label: 'Español' },
|
|
{ value: 'pt', label: 'Português' },
|
|
{ value: 'it', label: 'Italiano' },
|
|
{ value: 'ru', label: 'Русский' },
|
|
{ value: 'vi', label: 'Tiếng Việt' },
|
|
{ value: 'th', label: 'ไทย' },
|
|
]
|
|
|
|
export default function TaskDetailPage() {
|
|
const { taskId } = useParams<{ taskId: string }>()
|
|
const { t, i18n } = useTranslation()
|
|
const navigate = useNavigate()
|
|
const { toast } = useToast()
|
|
|
|
// TaskStore for caching
|
|
const { updateTaskCache } = useTaskStore()
|
|
|
|
// Translation state
|
|
const [targetLang, setTargetLang] = useState('en')
|
|
const [isTranslating, setIsTranslating] = useState(false)
|
|
const [translationStatus, setTranslationStatus] = useState<TranslationStatus | null>(null)
|
|
const [translationProgress, setTranslationProgress] = useState(0)
|
|
|
|
// Get task details
|
|
const { data: taskDetail, isLoading, refetch } = useQuery({
|
|
queryKey: ['taskDetail', taskId],
|
|
queryFn: () => apiClientV2.getTask(taskId!),
|
|
enabled: !!taskId,
|
|
refetchInterval: (query) => {
|
|
const data = query.state.data
|
|
if (!data) return 2000
|
|
if (data.status === 'completed' || data.status === 'failed') {
|
|
return false
|
|
}
|
|
return 2000 // Poll every 2 seconds for processing tasks
|
|
},
|
|
})
|
|
|
|
// Sync task details to TaskStore cache
|
|
useEffect(() => {
|
|
if (taskDetail) {
|
|
updateTaskCache(taskDetail)
|
|
}
|
|
}, [taskDetail, updateTaskCache])
|
|
|
|
// Get processing metadata for completed tasks
|
|
const { data: processingMetadata } = useQuery({
|
|
queryKey: ['processingMetadata', taskId],
|
|
queryFn: () => apiClientV2.getProcessingMetadata(taskId!),
|
|
enabled: !!taskId && taskDetail?.status === 'completed',
|
|
retry: false,
|
|
})
|
|
|
|
// Get existing translations
|
|
const { data: translationList, refetch: refetchTranslations } = useQuery({
|
|
queryKey: ['translations', taskId],
|
|
queryFn: () => apiClientV2.listTranslations(taskId!),
|
|
enabled: !!taskId && taskDetail?.status === 'completed',
|
|
retry: false,
|
|
})
|
|
|
|
// Check for in-progress translation on page load
|
|
useEffect(() => {
|
|
if (!taskId || !taskDetail || taskDetail.status !== 'completed') return
|
|
|
|
const checkTranslationStatus = async () => {
|
|
try {
|
|
const status = await apiClientV2.getTranslationStatus(taskId)
|
|
if (status.status === 'translating' || status.status === 'pending') {
|
|
// Resume polling for in-progress translation
|
|
setIsTranslating(true)
|
|
setTranslationStatus(status.status)
|
|
if (status.progress) {
|
|
setTranslationProgress(status.progress.percentage)
|
|
}
|
|
if (status.target_lang) {
|
|
setTargetLang(status.target_lang)
|
|
}
|
|
}
|
|
} catch {
|
|
// No active translation job - this is normal
|
|
}
|
|
}
|
|
|
|
checkTranslationStatus()
|
|
}, [taskId, taskDetail])
|
|
|
|
// Poll translation status when translating
|
|
useEffect(() => {
|
|
if (!isTranslating || !taskId) return
|
|
|
|
const pollInterval = setInterval(async () => {
|
|
try {
|
|
const status = await apiClientV2.getTranslationStatus(taskId)
|
|
setTranslationStatus(status.status)
|
|
|
|
if (status.progress) {
|
|
setTranslationProgress(status.progress.percentage)
|
|
}
|
|
|
|
if (status.status === 'completed') {
|
|
setIsTranslating(false)
|
|
setTranslationProgress(100)
|
|
toast({
|
|
title: t('translation.translationComplete'),
|
|
description: `${LANGUAGE_OPTIONS.find(l => l.value === targetLang)?.label || targetLang}`,
|
|
variant: 'success',
|
|
})
|
|
refetchTranslations()
|
|
} else if (status.status === 'failed') {
|
|
setIsTranslating(false)
|
|
toast({
|
|
title: t('translation.translationFailed'),
|
|
description: status.error_message || t('common.unknownError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
} catch (error) {
|
|
console.error('Failed to poll translation status:', error)
|
|
}
|
|
}, 2000)
|
|
|
|
return () => clearInterval(pollInterval)
|
|
}, [isTranslating, taskId, targetLang, toast, refetchTranslations, t])
|
|
|
|
// Construct PDF URL for preview - memoize to prevent unnecessary reloads
|
|
// Must be called unconditionally before any early returns (React hooks rule)
|
|
const API_BASE_URL = (import.meta.env.VITE_API_BASE_URL || '').replace(/\/$/, '')
|
|
const pdfUrl = useMemo(() => {
|
|
return taskId ? `${API_BASE_URL}/api/v2/tasks/${taskId}/download/pdf` : ''
|
|
}, [taskId, API_BASE_URL])
|
|
|
|
// Get auth token for PDF preview - memoize to prevent new object reference each render
|
|
const pdfHttpHeaders = useMemo(() => {
|
|
const authToken = localStorage.getItem('auth_token_v2')
|
|
return authToken ? { Authorization: `Bearer ${authToken}` } : undefined
|
|
}, [])
|
|
|
|
const getTrackBadge = (track?: ProcessingTrack) => {
|
|
if (!track) return null
|
|
switch (track) {
|
|
case 'direct':
|
|
return <Badge variant="default" className="bg-blue-600">{t('taskDetail.track.direct')}</Badge>
|
|
case 'ocr':
|
|
return <Badge variant="default" className="bg-purple-600">OCR</Badge>
|
|
case 'hybrid':
|
|
return <Badge variant="default" className="bg-orange-600">{t('taskDetail.track.hybrid')}</Badge>
|
|
default:
|
|
return <Badge variant="secondary">{t('taskDetail.track.auto')}</Badge>
|
|
}
|
|
}
|
|
|
|
const getTrackDescription = (track?: ProcessingTrack) => {
|
|
switch (track) {
|
|
case 'direct':
|
|
return t('taskDetail.track.directDesc')
|
|
case 'ocr':
|
|
return 'PP-StructureV3 OCR'
|
|
case 'hybrid':
|
|
return t('taskDetail.track.hybridDesc')
|
|
default:
|
|
return 'OCR'
|
|
}
|
|
}
|
|
|
|
const handleDownloadLayoutPDF = async () => {
|
|
if (!taskId) return
|
|
try {
|
|
await apiClientV2.downloadPDF(taskId, 'layout')
|
|
toast({
|
|
title: t('export.exportSuccess'),
|
|
description: t('taskDetail.layoutPdf'),
|
|
variant: 'success',
|
|
})
|
|
} catch (error: any) {
|
|
toast({
|
|
title: t('export.exportError'),
|
|
description: error.response?.data?.detail || t('errors.networkError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
}
|
|
|
|
const handleDownloadReflowPDF = async () => {
|
|
if (!taskId) return
|
|
try {
|
|
await apiClientV2.downloadPDF(taskId, 'reflow')
|
|
toast({
|
|
title: t('export.exportSuccess'),
|
|
description: t('taskDetail.reflowPdf'),
|
|
variant: 'success',
|
|
})
|
|
} catch (error: any) {
|
|
toast({
|
|
title: t('export.exportError'),
|
|
description: error.response?.data?.detail || t('errors.networkError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
}
|
|
|
|
const handleStartTranslation = async () => {
|
|
if (!taskId || isTranslating) return
|
|
|
|
try {
|
|
setIsTranslating(true)
|
|
setTranslationStatus('pending')
|
|
setTranslationProgress(0)
|
|
|
|
const response = await apiClientV2.startTranslation(taskId, {
|
|
target_lang: targetLang,
|
|
source_lang: 'auto',
|
|
})
|
|
|
|
if (response.status === 'completed') {
|
|
// Translation already exists
|
|
setIsTranslating(false)
|
|
setTranslationProgress(100)
|
|
toast({
|
|
title: t('translation.translationExists'),
|
|
description: response.message,
|
|
variant: 'success',
|
|
})
|
|
refetchTranslations()
|
|
} else {
|
|
setTranslationStatus(response.status)
|
|
toast({
|
|
title: t('translation.translationStarted'),
|
|
description: t('translation.translationStartedDesc'),
|
|
})
|
|
}
|
|
} catch (error: any) {
|
|
setIsTranslating(false)
|
|
setTranslationStatus(null)
|
|
toast({
|
|
title: t('errors.startFailed'),
|
|
description: error.response?.data?.detail || t('errors.networkError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
}
|
|
|
|
const handleDeleteTranslation = async (lang: string) => {
|
|
if (!taskId) return
|
|
try {
|
|
await apiClientV2.deleteTranslation(taskId, lang)
|
|
toast({
|
|
title: t('translation.deleteSuccess'),
|
|
description: t('translation.translationDeleted', { lang }),
|
|
variant: 'success',
|
|
})
|
|
refetchTranslations()
|
|
} catch (error: any) {
|
|
toast({
|
|
title: t('errors.deleteFailed'),
|
|
description: error.response?.data?.detail || t('errors.networkError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
}
|
|
|
|
const handleDownloadTranslatedPdf = async (lang: string, format: 'layout' | 'reflow' = 'reflow') => {
|
|
if (!taskId) return
|
|
try {
|
|
await apiClientV2.downloadTranslatedPdf(taskId, lang, format)
|
|
const formatLabel = format === 'layout' ? t('taskDetail.layoutPdf') : t('taskDetail.reflowPdf')
|
|
toast({
|
|
title: t('common.downloadSuccess'),
|
|
description: `${formatLabel} (${lang})`,
|
|
variant: 'success',
|
|
})
|
|
} catch (error: any) {
|
|
toast({
|
|
title: t('common.downloadFailed'),
|
|
description: error.response?.data?.detail || t('errors.networkError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
}
|
|
|
|
const handleDownloadVisualization = async () => {
|
|
if (!taskId) return
|
|
try {
|
|
await apiClientV2.downloadVisualization(taskId)
|
|
toast({
|
|
title: t('common.downloadSuccess'),
|
|
description: t('taskDetail.visualizationDownloaded'),
|
|
variant: 'success',
|
|
})
|
|
} catch (error: any) {
|
|
toast({
|
|
title: t('common.downloadFailed'),
|
|
description: error.response?.data?.detail || t('errors.networkError'),
|
|
variant: 'destructive',
|
|
})
|
|
}
|
|
}
|
|
|
|
const getStatusBadge = (status: string) => {
|
|
switch (status) {
|
|
case 'completed':
|
|
return <Badge variant="default" className="bg-green-600">{t('taskDetail.status.completed')}</Badge>
|
|
case 'processing':
|
|
return <Badge variant="default">{t('taskDetail.status.processing')}</Badge>
|
|
case 'failed':
|
|
return <Badge variant="destructive">{t('taskDetail.status.failed')}</Badge>
|
|
default:
|
|
return <Badge variant="secondary">{t('taskDetail.status.pending')}</Badge>
|
|
}
|
|
}
|
|
|
|
const getTranslationStatusText = (status: TranslationStatus | null) => {
|
|
switch (status) {
|
|
case 'pending':
|
|
return t('translation.status.preparing')
|
|
case 'loading_model':
|
|
return t('translation.status.loadingModel')
|
|
case 'translating':
|
|
return t('translation.status.translating')
|
|
case 'completed':
|
|
return t('translation.status.complete')
|
|
case 'failed':
|
|
return t('taskDetail.status.failed')
|
|
default:
|
|
return ''
|
|
}
|
|
}
|
|
|
|
const formatDate = (dateStr: string) => {
|
|
const date = new Date(dateStr)
|
|
return date.toLocaleString(i18n.language === 'en' ? 'en-US' : 'zh-TW')
|
|
}
|
|
|
|
if (isLoading) {
|
|
return (
|
|
<div className="flex items-center justify-center min-h-[60vh]">
|
|
<div className="text-center">
|
|
<Loader2 className="w-12 h-12 animate-spin text-primary mx-auto mb-4" />
|
|
<p className="text-muted-foreground">{t('taskDetail.loadingTask')}</p>
|
|
</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
if (!taskDetail) {
|
|
return (
|
|
<div className="flex items-center justify-center min-h-[60vh]">
|
|
<Card className="max-w-md text-center">
|
|
<CardHeader>
|
|
<div className="flex justify-center mb-4">
|
|
<AlertCircle className="w-16 h-16 text-destructive" />
|
|
</div>
|
|
<CardTitle>{t('taskDetail.taskNotFound')}</CardTitle>
|
|
</CardHeader>
|
|
<CardContent className="space-y-4">
|
|
<p className="text-muted-foreground">{t('taskDetail.taskNotFoundDesc', { id: taskId })}</p>
|
|
<Button onClick={() => navigate('/tasks')}>
|
|
{t('taskDetail.returnToHistory')}
|
|
</Button>
|
|
</CardContent>
|
|
</Card>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
const isCompleted = taskDetail.status === 'completed'
|
|
const isProcessing = taskDetail.status === 'processing'
|
|
const isFailed = taskDetail.status === 'failed'
|
|
|
|
return (
|
|
<div className="space-y-6">
|
|
{/* Page Header */}
|
|
<div className="page-header">
|
|
<div className="flex items-center justify-between">
|
|
<div className="flex items-center gap-4">
|
|
<Button variant="outline" onClick={() => navigate('/tasks')} className="gap-2">
|
|
<ArrowLeft className="w-4 h-4" />
|
|
{t('common.back')}
|
|
</Button>
|
|
<div>
|
|
<h1 className="page-title">{t('taskDetail.title')}</h1>
|
|
<p className="text-muted-foreground mt-1">
|
|
{t('taskDetail.taskId', { id: taskId })}
|
|
</p>
|
|
</div>
|
|
</div>
|
|
<div className="flex gap-3 items-center">
|
|
<Button onClick={() => refetch()} variant="outline" size="sm" className="gap-2">
|
|
<RefreshCw className="w-4 h-4" />
|
|
{t('common.refresh')}
|
|
</Button>
|
|
{getStatusBadge(taskDetail.status)}
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Task Info Card */}
|
|
<Card>
|
|
<CardHeader>
|
|
<CardTitle className="flex items-center gap-2">
|
|
<FileText className="w-5 h-5" />
|
|
{t('taskDetail.taskInfo')}
|
|
</CardTitle>
|
|
</CardHeader>
|
|
<CardContent>
|
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
|
|
<div className="space-y-3">
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.filename')}</p>
|
|
<p className="font-medium">{taskDetail.filename || t('common.unknownFile')}</p>
|
|
</div>
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.createdAt')}</p>
|
|
<p className="font-medium">{formatDate(taskDetail.created_at)}</p>
|
|
</div>
|
|
{taskDetail.completed_at && (
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.completedAt')}</p>
|
|
<p className="font-medium">{formatDate(taskDetail.completed_at)}</p>
|
|
</div>
|
|
)}
|
|
</div>
|
|
<div className="space-y-3">
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.taskStatus')}</p>
|
|
{getStatusBadge(taskDetail.status)}
|
|
</div>
|
|
{(taskDetail.processing_track || processingMetadata?.processing_track) && (
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.processingTrack')}</p>
|
|
<div className="flex items-center gap-2">
|
|
{getTrackBadge(taskDetail.processing_track || processingMetadata?.processing_track)}
|
|
<span className="text-sm text-muted-foreground">
|
|
{getTrackDescription(taskDetail.processing_track || processingMetadata?.processing_track)}
|
|
</span>
|
|
</div>
|
|
</div>
|
|
)}
|
|
{taskDetail.processing_time_ms && (
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.processingTime')}</p>
|
|
<p className="font-medium">{(taskDetail.processing_time_ms / 1000).toFixed(2)} {t('common.seconds')}</p>
|
|
</div>
|
|
)}
|
|
{taskDetail.updated_at && (
|
|
<div>
|
|
<p className="text-sm text-muted-foreground mb-1">{t('taskDetail.lastUpdated')}</p>
|
|
<p className="font-medium">{formatDate(taskDetail.updated_at)}</p>
|
|
</div>
|
|
)}
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
|
|
{/* Download Options */}
|
|
{isCompleted && (
|
|
<Card>
|
|
<CardHeader>
|
|
<CardTitle className="flex items-center gap-2">
|
|
<Download className="w-5 h-5" />
|
|
{t('taskDetail.downloadResults')}
|
|
</CardTitle>
|
|
</CardHeader>
|
|
<CardContent>
|
|
<div className="grid grid-cols-2 gap-3">
|
|
<Button onClick={handleDownloadLayoutPDF} className="gap-2 h-20 flex-col">
|
|
<Download className="w-8 h-8" />
|
|
<span>{t('taskDetail.layoutPdf')}</span>
|
|
</Button>
|
|
<Button onClick={handleDownloadReflowPDF} variant="outline" className="gap-2 h-20 flex-col">
|
|
<Download className="w-8 h-8" />
|
|
<span>{t('taskDetail.reflowPdf')}</span>
|
|
</Button>
|
|
</div>
|
|
{/* Visualization download for OCR Track */}
|
|
{taskDetail?.has_visualization && (
|
|
<div className="mt-3 pt-3 border-t">
|
|
<Button
|
|
onClick={handleDownloadVisualization}
|
|
variant="secondary"
|
|
className="w-full gap-2"
|
|
>
|
|
<Image className="w-4 h-4" />
|
|
{t('taskDetail.downloadVisualization')}
|
|
</Button>
|
|
</div>
|
|
)}
|
|
</CardContent>
|
|
</Card>
|
|
)}
|
|
|
|
{/* Translation Options */}
|
|
{isCompleted && (
|
|
<Card>
|
|
<CardHeader>
|
|
<CardTitle className="flex items-center gap-2">
|
|
<Languages className="w-5 h-5" />
|
|
{t('translation.title')}
|
|
</CardTitle>
|
|
</CardHeader>
|
|
<CardContent className="space-y-4">
|
|
{/* Start New Translation */}
|
|
<div className="flex flex-col md:flex-row items-start md:items-center gap-4">
|
|
<div className="flex items-center gap-2">
|
|
<Globe className="w-4 h-4 text-muted-foreground" />
|
|
<span className="text-sm text-muted-foreground">{t('translation.targetLanguage')}</span>
|
|
<Select
|
|
value={targetLang}
|
|
onValueChange={setTargetLang}
|
|
disabled={isTranslating}
|
|
>
|
|
<SelectTrigger className="w-40">
|
|
<SelectValue placeholder={t('translation.selectLanguage')} />
|
|
</SelectTrigger>
|
|
<SelectContent>
|
|
{LANGUAGE_OPTIONS.map(lang => (
|
|
<SelectItem key={lang.value} value={lang.value}>
|
|
{lang.label}
|
|
</SelectItem>
|
|
))}
|
|
</SelectContent>
|
|
</Select>
|
|
</div>
|
|
<Button
|
|
onClick={handleStartTranslation}
|
|
disabled={isTranslating}
|
|
className="gap-2"
|
|
>
|
|
{isTranslating ? (
|
|
<Loader2 className="w-4 h-4 animate-spin" />
|
|
) : (
|
|
<Languages className="w-4 h-4" />
|
|
)}
|
|
{isTranslating ? getTranslationStatusText(translationStatus) : t('translation.startTranslation')}
|
|
</Button>
|
|
</div>
|
|
|
|
{/* Translation Progress */}
|
|
{isTranslating && (
|
|
<div className="space-y-2">
|
|
<div className="flex items-center justify-between text-sm">
|
|
<span className="text-muted-foreground">{getTranslationStatusText(translationStatus)}</span>
|
|
<span className="text-muted-foreground">{translationProgress.toFixed(0)}%</span>
|
|
</div>
|
|
<Progress value={translationProgress} className="h-2" />
|
|
</div>
|
|
)}
|
|
|
|
{/* Existing Translations */}
|
|
{translationList && translationList.translations.length > 0 && (
|
|
<div className="space-y-2">
|
|
<p className="text-sm font-medium text-muted-foreground">{t('translation.completedTranslations')}</p>
|
|
<div className="space-y-2">
|
|
{translationList.translations.map((item: TranslationListItem) => (
|
|
<div
|
|
key={item.target_lang}
|
|
className="flex items-center justify-between p-3 bg-muted/50 rounded-lg"
|
|
>
|
|
<div className="flex items-center gap-3">
|
|
<CheckCircle className="w-4 h-4 text-green-500" />
|
|
<div>
|
|
<span className="font-medium">
|
|
{LANGUAGE_OPTIONS.find(l => l.value === item.target_lang)?.label || item.target_lang}
|
|
</span>
|
|
<span className="text-sm text-muted-foreground ml-2">
|
|
({item.statistics.translated_elements} elements, {item.statistics.processing_time_seconds.toFixed(1)}s)
|
|
</span>
|
|
</div>
|
|
</div>
|
|
<div className="flex items-center gap-2">
|
|
<Button
|
|
variant="outline"
|
|
size="sm"
|
|
onClick={() => handleDownloadTranslatedPdf(item.target_lang, 'reflow')}
|
|
className="gap-1"
|
|
>
|
|
<Download className="w-3 h-3" />
|
|
{t('taskDetail.reflowPdf')}
|
|
</Button>
|
|
<Button
|
|
variant="ghost"
|
|
size="sm"
|
|
onClick={() => handleDeleteTranslation(item.target_lang)}
|
|
className="gap-1 text-destructive hover:text-destructive"
|
|
>
|
|
<Trash2 className="w-3 h-3" />
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
))}
|
|
</div>
|
|
</div>
|
|
)}
|
|
|
|
<p className="text-xs text-muted-foreground">
|
|
{t('translation.description')}
|
|
</p>
|
|
</CardContent>
|
|
</Card>
|
|
)}
|
|
|
|
{/* Error Message */}
|
|
{isFailed && taskDetail.error_message && (
|
|
<Card className="border-destructive">
|
|
<CardHeader>
|
|
<CardTitle className="flex items-center gap-2 text-destructive">
|
|
<AlertCircle className="w-5 h-5" />
|
|
{t('taskDetail.errorMessage')}
|
|
</CardTitle>
|
|
</CardHeader>
|
|
<CardContent>
|
|
<p className="text-destructive">{taskDetail.error_message}</p>
|
|
</CardContent>
|
|
</Card>
|
|
)}
|
|
|
|
{/* Processing Status */}
|
|
{isProcessing && (
|
|
<Card>
|
|
<CardContent className="p-12 text-center">
|
|
<Loader2 className="w-16 h-16 animate-spin text-primary mx-auto mb-4" />
|
|
<p className="text-lg font-semibold">{t('taskDetail.processingInProgress')}</p>
|
|
<p className="text-muted-foreground mt-2">{t('taskDetail.processingInProgressDesc')}</p>
|
|
</CardContent>
|
|
</Card>
|
|
)}
|
|
|
|
{/* Stats Grid (for completed tasks) */}
|
|
{isCompleted && (
|
|
<div className="grid grid-cols-2 md:grid-cols-3 lg:grid-cols-6 gap-4">
|
|
<Card>
|
|
<CardContent className="p-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="p-2 bg-primary/10 rounded-lg">
|
|
<Clock className="w-5 h-5 text-primary" />
|
|
</div>
|
|
<div>
|
|
<p className="text-xs text-muted-foreground">{t('taskDetail.processingTime')}</p>
|
|
<p className="text-lg font-bold">
|
|
{processingMetadata?.processing_time_seconds?.toFixed(2) ||
|
|
(taskDetail.processing_time_ms ? (taskDetail.processing_time_ms / 1000).toFixed(2) : '0')}s
|
|
</p>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
|
|
<Card>
|
|
<CardContent className="p-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="p-2 bg-blue-500/10 rounded-lg">
|
|
<Layers className="w-5 h-5 text-blue-500" />
|
|
</div>
|
|
<div>
|
|
<p className="text-xs text-muted-foreground">{t('taskDetail.stats.pageCount')}</p>
|
|
<p className="text-lg font-bold">
|
|
{processingMetadata?.page_count || '-'}
|
|
</p>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
|
|
<Card>
|
|
<CardContent className="p-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="p-2 bg-purple-500/10 rounded-lg">
|
|
<FileSearch className="w-5 h-5 text-purple-500" />
|
|
</div>
|
|
<div>
|
|
<p className="text-xs text-muted-foreground">{t('taskDetail.stats.textRegions')}</p>
|
|
<p className="text-lg font-bold">
|
|
{processingMetadata?.total_text_regions || '-'}
|
|
</p>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
|
|
<Card>
|
|
<CardContent className="p-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="p-2 bg-green-500/10 rounded-lg">
|
|
<Table2 className="w-5 h-5 text-green-500" />
|
|
</div>
|
|
<div>
|
|
<p className="text-xs text-muted-foreground">{t('taskDetail.stats.tables')}</p>
|
|
<p className="text-lg font-bold">
|
|
{processingMetadata?.total_tables || '-'}
|
|
</p>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
|
|
<Card>
|
|
<CardContent className="p-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="p-2 bg-orange-500/10 rounded-lg">
|
|
<Image className="w-5 h-5 text-orange-500" />
|
|
</div>
|
|
<div>
|
|
<p className="text-xs text-muted-foreground">{t('taskDetail.stats.images')}</p>
|
|
<p className="text-lg font-bold">
|
|
{processingMetadata?.total_images || '-'}
|
|
</p>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
|
|
<Card>
|
|
<CardContent className="p-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="p-2 bg-cyan-500/10 rounded-lg">
|
|
<BarChart3 className="w-5 h-5 text-cyan-500" />
|
|
</div>
|
|
<div>
|
|
<p className="text-xs text-muted-foreground">{t('taskDetail.stats.avgConfidence')}</p>
|
|
<p className="text-lg font-bold">
|
|
{processingMetadata?.average_confidence
|
|
? `${(processingMetadata.average_confidence * 100).toFixed(0)}%`
|
|
: '-'}
|
|
</p>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
</div>
|
|
)}
|
|
|
|
{/* Result Preview */}
|
|
{isCompleted && (
|
|
<PDFViewer
|
|
title={t('taskDetail.ocrPreview', { filename: taskDetail.filename || t('common.unknownFile') })}
|
|
pdfUrl={pdfUrl}
|
|
httpHeaders={pdfHttpHeaders}
|
|
/>
|
|
)}
|
|
</div>
|
|
)
|
|
}
|