Feat: Add document deletion for WebUI
This commit is contained in:
parent
51bb0471cd
commit
8ea7d7ad85
6 changed files with 359 additions and 3 deletions
|
|
@ -114,6 +114,12 @@ export type DocActionResponse = {
|
||||||
message: string
|
message: string
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export type DeleteDocResponse = {
|
||||||
|
status: 'deletion_started' | 'busy' | 'not_allowed'
|
||||||
|
message: string
|
||||||
|
doc_id: string
|
||||||
|
}
|
||||||
|
|
||||||
export type DocStatus = 'pending' | 'processing' | 'processed' | 'failed'
|
export type DocStatus = 'pending' | 'processing' | 'processed' | 'failed'
|
||||||
|
|
||||||
export type DocStatusResponse = {
|
export type DocStatusResponse = {
|
||||||
|
|
@ -515,6 +521,13 @@ export const clearCache = async (modes?: string[]): Promise<{
|
||||||
return response.data
|
return response.data
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export const deleteDocuments = async (docIds: string[]): Promise<DeleteDocResponse> => {
|
||||||
|
const response = await axiosInstance.delete('/documents/delete_document', {
|
||||||
|
data: { doc_ids: docIds }
|
||||||
|
})
|
||||||
|
return response.data
|
||||||
|
}
|
||||||
|
|
||||||
export const getAuthStatus = async (): Promise<AuthStatusResponse> => {
|
export const getAuthStatus = async (): Promise<AuthStatusResponse> => {
|
||||||
try {
|
try {
|
||||||
// Add a timeout to the request to prevent hanging
|
// Add a timeout to the request to prevent hanging
|
||||||
|
|
|
||||||
|
|
@ -0,0 +1,166 @@
|
||||||
|
import { useState, useCallback, useEffect } from 'react'
|
||||||
|
import Button from '@/components/ui/Button'
|
||||||
|
import {
|
||||||
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogHeader,
|
||||||
|
DialogTitle,
|
||||||
|
DialogTrigger,
|
||||||
|
DialogFooter
|
||||||
|
} from '@/components/ui/Dialog'
|
||||||
|
import Input from '@/components/ui/Input'
|
||||||
|
import { toast } from 'sonner'
|
||||||
|
import { errorMessage } from '@/lib/utils'
|
||||||
|
import { deleteDocuments } from '@/api/lightrag'
|
||||||
|
|
||||||
|
import { TrashIcon, AlertTriangleIcon } from 'lucide-react'
|
||||||
|
import { useTranslation } from 'react-i18next'
|
||||||
|
|
||||||
|
// Simple Label component
|
||||||
|
const Label = ({
|
||||||
|
htmlFor,
|
||||||
|
className,
|
||||||
|
children,
|
||||||
|
...props
|
||||||
|
}: React.LabelHTMLAttributes<HTMLLabelElement>) => (
|
||||||
|
<label
|
||||||
|
htmlFor={htmlFor}
|
||||||
|
className={className}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</label>
|
||||||
|
)
|
||||||
|
|
||||||
|
interface DeleteDocumentsDialogProps {
|
||||||
|
selectedDocIds: string[]
|
||||||
|
totalCompletedCount: number
|
||||||
|
onDocumentsDeleted?: () => Promise<void>
|
||||||
|
}
|
||||||
|
|
||||||
|
export default function DeleteDocumentsDialog({ selectedDocIds, totalCompletedCount, onDocumentsDeleted }: DeleteDocumentsDialogProps) {
|
||||||
|
const { t } = useTranslation()
|
||||||
|
const [open, setOpen] = useState(false)
|
||||||
|
const [confirmText, setConfirmText] = useState('')
|
||||||
|
const [isDeleting, setIsDeleting] = useState(false)
|
||||||
|
const isConfirmEnabled = confirmText.toLowerCase() === 'yes' && !isDeleting
|
||||||
|
|
||||||
|
// Reset state when dialog closes
|
||||||
|
useEffect(() => {
|
||||||
|
if (!open) {
|
||||||
|
setConfirmText('')
|
||||||
|
setIsDeleting(false)
|
||||||
|
}
|
||||||
|
}, [open])
|
||||||
|
|
||||||
|
const handleDelete = useCallback(async () => {
|
||||||
|
if (!isConfirmEnabled || selectedDocIds.length === 0) return
|
||||||
|
|
||||||
|
// Check if user is trying to delete all completed documents
|
||||||
|
if (selectedDocIds.length === totalCompletedCount && totalCompletedCount > 0) {
|
||||||
|
toast.error(t('documentPanel.deleteDocuments.cannotDeleteAll'))
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
setIsDeleting(true)
|
||||||
|
try {
|
||||||
|
const result = await deleteDocuments(selectedDocIds)
|
||||||
|
|
||||||
|
if (result.status === 'deletion_started') {
|
||||||
|
toast.success(t('documentPanel.deleteDocuments.success', { count: selectedDocIds.length }))
|
||||||
|
} else if (result.status === 'busy') {
|
||||||
|
toast.error(t('documentPanel.deleteDocuments.busy'))
|
||||||
|
setConfirmText('')
|
||||||
|
setIsDeleting(false)
|
||||||
|
return
|
||||||
|
} else if (result.status === 'not_allowed') {
|
||||||
|
toast.error(t('documentPanel.deleteDocuments.notAllowed'))
|
||||||
|
setConfirmText('')
|
||||||
|
setIsDeleting(false)
|
||||||
|
return
|
||||||
|
} else {
|
||||||
|
toast.error(t('documentPanel.deleteDocuments.failed', { message: result.message }))
|
||||||
|
setConfirmText('')
|
||||||
|
setIsDeleting(false)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
// Refresh document list if provided
|
||||||
|
if (onDocumentsDeleted) {
|
||||||
|
onDocumentsDeleted().catch(console.error)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Close dialog after successful operation
|
||||||
|
setOpen(false)
|
||||||
|
} catch (err) {
|
||||||
|
toast.error(t('documentPanel.deleteDocuments.error', { error: errorMessage(err) }))
|
||||||
|
setConfirmText('')
|
||||||
|
} finally {
|
||||||
|
setIsDeleting(false)
|
||||||
|
}
|
||||||
|
}, [isConfirmEnabled, selectedDocIds, totalCompletedCount, setOpen, t, onDocumentsDeleted])
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Dialog open={open} onOpenChange={setOpen}>
|
||||||
|
<DialogTrigger asChild>
|
||||||
|
<Button
|
||||||
|
variant="destructive"
|
||||||
|
side="bottom"
|
||||||
|
tooltip={t('documentPanel.deleteDocuments.tooltip', { count: selectedDocIds.length })}
|
||||||
|
size="sm"
|
||||||
|
>
|
||||||
|
<TrashIcon/> {t('documentPanel.deleteDocuments.button')}
|
||||||
|
</Button>
|
||||||
|
</DialogTrigger>
|
||||||
|
<DialogContent className="sm:max-w-xl" onCloseAutoFocus={(e) => e.preventDefault()}>
|
||||||
|
<DialogHeader>
|
||||||
|
<DialogTitle className="flex items-center gap-2 text-red-500 dark:text-red-400 font-bold">
|
||||||
|
<AlertTriangleIcon className="h-5 w-5" />
|
||||||
|
{t('documentPanel.deleteDocuments.title')}
|
||||||
|
</DialogTitle>
|
||||||
|
<DialogDescription className="pt-2">
|
||||||
|
{t('documentPanel.deleteDocuments.description', { count: selectedDocIds.length })}
|
||||||
|
</DialogDescription>
|
||||||
|
</DialogHeader>
|
||||||
|
|
||||||
|
<div className="text-red-500 dark:text-red-400 font-semibold mb-4">
|
||||||
|
{t('documentPanel.deleteDocuments.warning')}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="mb-4">
|
||||||
|
{t('documentPanel.deleteDocuments.confirm', { count: selectedDocIds.length })}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="space-y-4">
|
||||||
|
<div className="space-y-2">
|
||||||
|
<Label htmlFor="confirm-text" className="text-sm font-medium">
|
||||||
|
{t('documentPanel.deleteDocuments.confirmPrompt')}
|
||||||
|
</Label>
|
||||||
|
<Input
|
||||||
|
id="confirm-text"
|
||||||
|
value={confirmText}
|
||||||
|
onChange={(e: React.ChangeEvent<HTMLInputElement>) => setConfirmText(e.target.value)}
|
||||||
|
placeholder={t('documentPanel.deleteDocuments.confirmPlaceholder')}
|
||||||
|
className="w-full"
|
||||||
|
disabled={isDeleting}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<DialogFooter>
|
||||||
|
<Button variant="outline" onClick={() => setOpen(false)} disabled={isDeleting}>
|
||||||
|
{t('common.cancel')}
|
||||||
|
</Button>
|
||||||
|
<Button
|
||||||
|
variant="destructive"
|
||||||
|
onClick={handleDelete}
|
||||||
|
disabled={!isConfirmEnabled}
|
||||||
|
>
|
||||||
|
{isDeleting ? t('documentPanel.deleteDocuments.deleting') : t('documentPanel.deleteDocuments.confirmButton')}
|
||||||
|
</Button>
|
||||||
|
</DialogFooter>
|
||||||
|
</DialogContent>
|
||||||
|
</Dialog>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
@ -0,0 +1,74 @@
|
||||||
|
import { useState, useCallback, useEffect } from 'react'
|
||||||
|
import Button from '@/components/ui/Button'
|
||||||
|
import {
|
||||||
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogHeader,
|
||||||
|
DialogTitle,
|
||||||
|
DialogTrigger,
|
||||||
|
DialogFooter
|
||||||
|
} from '@/components/ui/Dialog'
|
||||||
|
|
||||||
|
import { XIcon, AlertCircleIcon } from 'lucide-react'
|
||||||
|
import { useTranslation } from 'react-i18next'
|
||||||
|
|
||||||
|
interface DeselectDocumentsDialogProps {
|
||||||
|
selectedCount: number
|
||||||
|
onDeselect: () => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export default function DeselectDocumentsDialog({ selectedCount, onDeselect }: DeselectDocumentsDialogProps) {
|
||||||
|
const { t } = useTranslation()
|
||||||
|
const [open, setOpen] = useState(false)
|
||||||
|
|
||||||
|
// Reset state when dialog closes
|
||||||
|
useEffect(() => {
|
||||||
|
if (!open) {
|
||||||
|
// No state to reset for this simple dialog
|
||||||
|
}
|
||||||
|
}, [open])
|
||||||
|
|
||||||
|
const handleDeselect = useCallback(() => {
|
||||||
|
onDeselect()
|
||||||
|
setOpen(false)
|
||||||
|
}, [onDeselect, setOpen])
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Dialog open={open} onOpenChange={setOpen}>
|
||||||
|
<DialogTrigger asChild>
|
||||||
|
<Button
|
||||||
|
variant="outline"
|
||||||
|
side="bottom"
|
||||||
|
tooltip={t('documentPanel.deselectDocuments.tooltip')}
|
||||||
|
size="sm"
|
||||||
|
>
|
||||||
|
<XIcon/> {t('documentPanel.deselectDocuments.button')}
|
||||||
|
</Button>
|
||||||
|
</DialogTrigger>
|
||||||
|
<DialogContent className="sm:max-w-md" onCloseAutoFocus={(e) => e.preventDefault()}>
|
||||||
|
<DialogHeader>
|
||||||
|
<DialogTitle className="flex items-center gap-2">
|
||||||
|
<AlertCircleIcon className="h-5 w-5" />
|
||||||
|
{t('documentPanel.deselectDocuments.title')}
|
||||||
|
</DialogTitle>
|
||||||
|
<DialogDescription className="pt-2">
|
||||||
|
{t('documentPanel.deselectDocuments.description', { count: selectedCount })}
|
||||||
|
</DialogDescription>
|
||||||
|
</DialogHeader>
|
||||||
|
|
||||||
|
<DialogFooter>
|
||||||
|
<Button variant="outline" onClick={() => setOpen(false)}>
|
||||||
|
{t('common.cancel')}
|
||||||
|
</Button>
|
||||||
|
<Button
|
||||||
|
variant="default"
|
||||||
|
onClick={handleDeselect}
|
||||||
|
>
|
||||||
|
{t('documentPanel.deselectDocuments.confirmButton')}
|
||||||
|
</Button>
|
||||||
|
</DialogFooter>
|
||||||
|
</DialogContent>
|
||||||
|
</Dialog>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
@ -13,8 +13,11 @@ import {
|
||||||
} from '@/components/ui/Table'
|
} from '@/components/ui/Table'
|
||||||
import { Card, CardHeader, CardTitle, CardContent, CardDescription } from '@/components/ui/Card'
|
import { Card, CardHeader, CardTitle, CardContent, CardDescription } from '@/components/ui/Card'
|
||||||
import EmptyCard from '@/components/ui/EmptyCard'
|
import EmptyCard from '@/components/ui/EmptyCard'
|
||||||
|
import Checkbox from '@/components/ui/Checkbox'
|
||||||
import UploadDocumentsDialog from '@/components/documents/UploadDocumentsDialog'
|
import UploadDocumentsDialog from '@/components/documents/UploadDocumentsDialog'
|
||||||
import ClearDocumentsDialog from '@/components/documents/ClearDocumentsDialog'
|
import ClearDocumentsDialog from '@/components/documents/ClearDocumentsDialog'
|
||||||
|
import DeleteDocumentsDialog from '@/components/documents/DeleteDocumentsDialog'
|
||||||
|
import DeselectDocumentsDialog from '@/components/documents/DeselectDocumentsDialog'
|
||||||
|
|
||||||
import { getDocuments, scanNewDocuments, DocsStatusesResponse, DocStatus, DocStatusResponse } from '@/api/lightrag'
|
import { getDocuments, scanNewDocuments, DocsStatusesResponse, DocStatus, DocStatusResponse } from '@/api/lightrag'
|
||||||
import { errorMessage } from '@/lib/utils'
|
import { errorMessage } from '@/lib/utils'
|
||||||
|
|
@ -173,6 +176,25 @@ export default function DocumentManager() {
|
||||||
// State for document status filter
|
// State for document status filter
|
||||||
const [statusFilter, setStatusFilter] = useState<StatusFilter>('all');
|
const [statusFilter, setStatusFilter] = useState<StatusFilter>('all');
|
||||||
|
|
||||||
|
// State for document selection
|
||||||
|
const [selectedDocIds, setSelectedDocIds] = useState<string[]>([])
|
||||||
|
const isSelectionMode = selectedDocIds.length > 0
|
||||||
|
|
||||||
|
// Handle checkbox change for individual documents
|
||||||
|
const handleDocumentSelect = useCallback((docId: string, checked: boolean) => {
|
||||||
|
setSelectedDocIds(prev => {
|
||||||
|
if (checked) {
|
||||||
|
return [...prev, docId]
|
||||||
|
} else {
|
||||||
|
return prev.filter(id => id !== docId)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}, [])
|
||||||
|
|
||||||
|
// Handle deselect all documents
|
||||||
|
const handleDeselectAll = useCallback(() => {
|
||||||
|
setSelectedDocIds([])
|
||||||
|
}, [])
|
||||||
|
|
||||||
// Handle sort column click
|
// Handle sort column click
|
||||||
const handleSort = (field: SortField) => {
|
const handleSort = (field: SortField) => {
|
||||||
|
|
@ -463,6 +485,12 @@ export default function DocumentManager() {
|
||||||
prevStatusCounts.current = newStatusCounts
|
prevStatusCounts.current = newStatusCounts
|
||||||
}, [docs]);
|
}, [docs]);
|
||||||
|
|
||||||
|
// Handle documents deleted callback
|
||||||
|
const handleDocumentsDeleted = useCallback(async () => {
|
||||||
|
setSelectedDocIds([])
|
||||||
|
await fetchDocuments()
|
||||||
|
}, [fetchDocuments])
|
||||||
|
|
||||||
// Add dependency on sort state to re-render when sort changes
|
// Add dependency on sort state to re-render when sort changes
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
// This effect ensures the component re-renders when sort state changes
|
// This effect ensures the component re-renders when sort state changes
|
||||||
|
|
@ -499,7 +527,21 @@ export default function DocumentManager() {
|
||||||
</Button>
|
</Button>
|
||||||
</div>
|
</div>
|
||||||
<div className="flex-1" />
|
<div className="flex-1" />
|
||||||
<ClearDocumentsDialog onDocumentsCleared={fetchDocuments} />
|
{isSelectionMode && (
|
||||||
|
<DeleteDocumentsDialog
|
||||||
|
selectedDocIds={selectedDocIds}
|
||||||
|
totalCompletedCount={documentCounts.processed || 0}
|
||||||
|
onDocumentsDeleted={handleDocumentsDeleted}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
{isSelectionMode ? (
|
||||||
|
<DeselectDocumentsDialog
|
||||||
|
selectedCount={selectedDocIds.length}
|
||||||
|
onDeselect={handleDeselectAll}
|
||||||
|
/>
|
||||||
|
) : (
|
||||||
|
<ClearDocumentsDialog onDocumentsCleared={fetchDocuments} />
|
||||||
|
)}
|
||||||
<UploadDocumentsDialog onDocumentsUploaded={fetchDocuments} />
|
<UploadDocumentsDialog onDocumentsUploaded={fetchDocuments} />
|
||||||
<PipelineStatusDialog
|
<PipelineStatusDialog
|
||||||
open={showPipelineStatus}
|
open={showPipelineStatus}
|
||||||
|
|
@ -652,6 +694,9 @@ export default function DocumentManager() {
|
||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
</TableHead>
|
</TableHead>
|
||||||
|
<TableHead className="w-16 text-center">
|
||||||
|
{t('documentPanel.documentManager.columns.select')}
|
||||||
|
</TableHead>
|
||||||
</TableRow>
|
</TableRow>
|
||||||
</TableHeader>
|
</TableHeader>
|
||||||
<TableBody className="text-sm overflow-auto">
|
<TableBody className="text-sm overflow-auto">
|
||||||
|
|
@ -718,6 +763,14 @@ export default function DocumentManager() {
|
||||||
<TableCell className="truncate">
|
<TableCell className="truncate">
|
||||||
{new Date(doc.updated_at).toLocaleString()}
|
{new Date(doc.updated_at).toLocaleString()}
|
||||||
</TableCell>
|
</TableCell>
|
||||||
|
<TableCell className="text-center">
|
||||||
|
<Checkbox
|
||||||
|
checked={selectedDocIds.includes(doc.id)}
|
||||||
|
onCheckedChange={(checked) => handleDocumentSelect(doc.id, checked === true)}
|
||||||
|
disabled={doc.status !== 'processed'}
|
||||||
|
className="mx-auto"
|
||||||
|
/>
|
||||||
|
</TableCell>
|
||||||
</TableRow>
|
</TableRow>
|
||||||
))}
|
))}
|
||||||
</TableBody>
|
</TableBody>
|
||||||
|
|
|
||||||
|
|
@ -56,6 +56,30 @@
|
||||||
"failed": "Clear Documents Failed:\n{{message}}",
|
"failed": "Clear Documents Failed:\n{{message}}",
|
||||||
"error": "Clear Documents Failed:\n{{error}}"
|
"error": "Clear Documents Failed:\n{{error}}"
|
||||||
},
|
},
|
||||||
|
"deleteDocuments": {
|
||||||
|
"button": "Delete",
|
||||||
|
"tooltip": "Delete selected documents",
|
||||||
|
"title": "Delete Documents",
|
||||||
|
"description": "This will permanently delete the selected documents from the system",
|
||||||
|
"warning": "WARNING: This action will permanently delete the selected documents and cannot be undone!",
|
||||||
|
"confirm": "Do you really want to delete {{count}} selected document(s)?",
|
||||||
|
"confirmPrompt": "Type 'yes' to confirm this action",
|
||||||
|
"confirmPlaceholder": "Type yes to confirm",
|
||||||
|
"confirmButton": "YES",
|
||||||
|
"success": "Documents deleted successfully",
|
||||||
|
"failed": "Delete Documents Failed:\n{{message}}",
|
||||||
|
"error": "Delete Documents Failed:\n{{error}}",
|
||||||
|
"busy": "Pipeline is busy, please try again later",
|
||||||
|
"notAllowed": "No permission to perform this operation",
|
||||||
|
"cannotDeleteAll": "Cannot delete all documents. If you need to delete all documents, please use the Clear Documents feature."
|
||||||
|
},
|
||||||
|
"deselectDocuments": {
|
||||||
|
"button": "Deselect",
|
||||||
|
"tooltip": "Deselect all selected documents",
|
||||||
|
"title": "Deselect Documents",
|
||||||
|
"description": "This will clear all selected documents ({{count}} selected)",
|
||||||
|
"confirmButton": "Deselect All"
|
||||||
|
},
|
||||||
"uploadDocuments": {
|
"uploadDocuments": {
|
||||||
"button": "Upload",
|
"button": "Upload",
|
||||||
"tooltip": "Upload documents",
|
"tooltip": "Upload documents",
|
||||||
|
|
@ -105,7 +129,8 @@
|
||||||
"chunks": "Chunks",
|
"chunks": "Chunks",
|
||||||
"created": "Created",
|
"created": "Created",
|
||||||
"updated": "Updated",
|
"updated": "Updated",
|
||||||
"metadata": "Metadata"
|
"metadata": "Metadata",
|
||||||
|
"select": "Select"
|
||||||
},
|
},
|
||||||
"status": {
|
"status": {
|
||||||
"all": "All",
|
"all": "All",
|
||||||
|
|
|
||||||
|
|
@ -56,6 +56,30 @@
|
||||||
"failed": "清空文档失败:\n{{message}}",
|
"failed": "清空文档失败:\n{{message}}",
|
||||||
"error": "清空文档失败:\n{{error}}"
|
"error": "清空文档失败:\n{{error}}"
|
||||||
},
|
},
|
||||||
|
"deleteDocuments": {
|
||||||
|
"button": "删除",
|
||||||
|
"tooltip": "删除选中的文档",
|
||||||
|
"title": "删除文档",
|
||||||
|
"description": "此操作将永久删除选中的文档",
|
||||||
|
"warning": "警告:此操作将永久删除选中的文档,无法恢复!",
|
||||||
|
"confirm": "确定要删除 {{count}} 个选中的文档吗?",
|
||||||
|
"confirmPrompt": "请输入 yes 确认操作",
|
||||||
|
"confirmPlaceholder": "输入 yes 确认",
|
||||||
|
"confirmButton": "确定",
|
||||||
|
"success": "文档删除成功",
|
||||||
|
"failed": "删除文档失败:\n{{message}}",
|
||||||
|
"error": "删除文档失败:\n{{error}}",
|
||||||
|
"busy": "流水线被占用,请稍后再试",
|
||||||
|
"notAllowed": "没有操作权限",
|
||||||
|
"cannotDeleteAll": "无法删除所有文档。如确实需要删除所有文档请使用清空文档功能。"
|
||||||
|
},
|
||||||
|
"deselectDocuments": {
|
||||||
|
"button": "取消选择",
|
||||||
|
"tooltip": "取消选择所有文档",
|
||||||
|
"title": "取消选择文档",
|
||||||
|
"description": "此操作将清除所有选中的文档(已选择 {{count}} 个)",
|
||||||
|
"confirmButton": "取消全部选择"
|
||||||
|
},
|
||||||
"uploadDocuments": {
|
"uploadDocuments": {
|
||||||
"button": "上传",
|
"button": "上传",
|
||||||
"tooltip": "上传文档",
|
"tooltip": "上传文档",
|
||||||
|
|
@ -105,7 +129,8 @@
|
||||||
"chunks": "分块",
|
"chunks": "分块",
|
||||||
"created": "创建时间",
|
"created": "创建时间",
|
||||||
"updated": "更新时间",
|
"updated": "更新时间",
|
||||||
"metadata": "元数据"
|
"metadata": "元数据",
|
||||||
|
"select": "选择"
|
||||||
},
|
},
|
||||||
"status": {
|
"status": {
|
||||||
"all": "全部",
|
"all": "全部",
|
||||||
|
|
|
||||||
Loading…
Add table
Reference in a new issue