Add debug knowledge base
This commit is contained in:
@@ -2,7 +2,7 @@ import React, { useEffect, useState, useRef } from 'react';
|
|||||||
import { Search, Plus, FileText, Upload, ArrowLeft, CloudUpload, File as FileIcon, X, Pencil, Trash2, Settings2, MoreHorizontal } from 'lucide-react';
|
import { Search, Plus, FileText, Upload, ArrowLeft, CloudUpload, File as FileIcon, X, Pencil, Trash2, Settings2, MoreHorizontal } from 'lucide-react';
|
||||||
import { Button, Input, TableHeader, TableRow, TableHead, TableCell, Card, Dialog, Badge } from '../components/UI';
|
import { Button, Input, TableHeader, TableRow, TableHead, TableCell, Card, Dialog, Badge } from '../components/UI';
|
||||||
import { KnowledgeBase } from '../types';
|
import { KnowledgeBase } from '../types';
|
||||||
import { createKnowledgeBase, deleteKnowledgeBase, deleteKnowledgeDocument, fetchKnowledgeBaseById, fetchKnowledgeBases, fetchLLMModels, updateKnowledgeBase, uploadKnowledgeDocument } from '../services/backendApi';
|
import { createKnowledgeBase, deleteKnowledgeBase, deleteKnowledgeDocument, fetchKnowledgeBaseById, fetchKnowledgeBases, fetchLLMModels, searchKnowledgeBase, updateKnowledgeBase, uploadKnowledgeDocument, type KnowledgeSearchResultItem } from '../services/backendApi';
|
||||||
|
|
||||||
const EMBEDDING_OPTIONS = [
|
const EMBEDDING_OPTIONS = [
|
||||||
'text-embedding-3-small',
|
'text-embedding-3-small',
|
||||||
@@ -455,7 +455,39 @@ const KnowledgeBaseDetail: React.FC<{
|
|||||||
onDeleteDocument: (docId: string) => void;
|
onDeleteDocument: (docId: string) => void;
|
||||||
}> = ({ kb, onBack, onImport, onEdit, onDelete, onDeleteDocument }) => {
|
}> = ({ kb, onBack, onImport, onEdit, onDelete, onDeleteDocument }) => {
|
||||||
const [docSearch, setDocSearch] = useState('');
|
const [docSearch, setDocSearch] = useState('');
|
||||||
|
const [debugQuery, setDebugQuery] = useState('');
|
||||||
|
const [debugTopK, setDebugTopK] = useState(5);
|
||||||
|
const [debugLoading, setDebugLoading] = useState(false);
|
||||||
|
const [debugResults, setDebugResults] = useState<KnowledgeSearchResultItem[]>([]);
|
||||||
|
const [debugError, setDebugError] = useState('');
|
||||||
const filteredDocs = kb.documents.filter((d) => d.name.toLowerCase().includes(docSearch.toLowerCase()));
|
const filteredDocs = kb.documents.filter((d) => d.name.toLowerCase().includes(docSearch.toLowerCase()));
|
||||||
|
const docNameById = new Map(kb.documents.map((doc) => [doc.id, doc.name]));
|
||||||
|
|
||||||
|
const runDebugSearch = async () => {
|
||||||
|
const query = debugQuery.trim();
|
||||||
|
if (!query) {
|
||||||
|
alert('请输入要检索的文本');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
setDebugLoading(true);
|
||||||
|
setDebugError('');
|
||||||
|
const response = await searchKnowledgeBase(kb.id, query, Math.min(Math.max(debugTopK, 1), 20));
|
||||||
|
setDebugResults(response.results || []);
|
||||||
|
} catch (error: any) {
|
||||||
|
console.error(error);
|
||||||
|
setDebugResults([]);
|
||||||
|
setDebugError(error?.message || '检索失败,请稍后重试。');
|
||||||
|
} finally {
|
||||||
|
setDebugLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const renderMatchPercent = (distance?: number) => {
|
||||||
|
if (typeof distance !== 'number' || Number.isNaN(distance)) return '-';
|
||||||
|
const score = 1 / (1 + Math.max(distance, 0));
|
||||||
|
return `${(score * 100).toFixed(2)}%`;
|
||||||
|
};
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className="space-y-6 animate-in slide-in-from-right-4">
|
<div className="space-y-6 animate-in slide-in-from-right-4">
|
||||||
@@ -524,6 +556,71 @@ const KnowledgeBaseDetail: React.FC<{
|
|||||||
</tbody>
|
</tbody>
|
||||||
</table>
|
</table>
|
||||||
</Card>
|
</Card>
|
||||||
|
|
||||||
|
<Card className="overflow-hidden border-white/5">
|
||||||
|
<div className="p-4 border-b border-white/5 bg-white/5">
|
||||||
|
<h3 className="font-medium text-white">调试检索</h3>
|
||||||
|
<p className="text-xs text-muted-foreground mt-1">
|
||||||
|
输入测试文本,使用当前知识库的 embedding 配置检索文档片段并查看匹配度。
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div className="p-4 space-y-4">
|
||||||
|
<div className="grid grid-cols-1 md:grid-cols-[1fr_120px_120px] gap-3">
|
||||||
|
<Input
|
||||||
|
placeholder="输入要测试的检索文本..."
|
||||||
|
value={debugQuery}
|
||||||
|
onChange={(e) => setDebugQuery(e.target.value)}
|
||||||
|
onKeyDown={(e) => {
|
||||||
|
if (e.key === 'Enter' && !debugLoading) void runDebugSearch();
|
||||||
|
}}
|
||||||
|
className="bg-black/20 border-transparent focus:bg-black/40"
|
||||||
|
/>
|
||||||
|
<Input
|
||||||
|
type="number"
|
||||||
|
min={1}
|
||||||
|
max={20}
|
||||||
|
value={debugTopK}
|
||||||
|
onChange={(e) => setDebugTopK(parseInt(e.target.value || '1', 10))}
|
||||||
|
className="bg-black/20 border-transparent focus:bg-black/40"
|
||||||
|
/>
|
||||||
|
<Button onClick={() => void runDebugSearch()} disabled={debugLoading}>
|
||||||
|
{debugLoading ? '检索中...' : '开始检索'}
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{!!debugError && (
|
||||||
|
<div className="text-sm text-destructive">{debugError}</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{!debugLoading && debugResults.length === 0 && !debugError && (
|
||||||
|
<div className="text-sm text-muted-foreground">暂无结果,输入文本后点击“开始检索”。</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{debugResults.length > 0 && (
|
||||||
|
<div className="space-y-3">
|
||||||
|
{debugResults.map((item, idx) => {
|
||||||
|
const docId = String(item.metadata?.document_id || '');
|
||||||
|
const chunkIndex = item.metadata?.chunk_index;
|
||||||
|
const docName = docNameById.get(docId);
|
||||||
|
return (
|
||||||
|
<div key={`${docId}-${chunkIndex}-${idx}`} className="rounded-lg border border-white/10 bg-white/5 p-3 space-y-2">
|
||||||
|
<div className="flex flex-wrap items-center gap-2 text-xs">
|
||||||
|
<Badge variant="outline">#{idx + 1}</Badge>
|
||||||
|
<Badge variant="outline">{docName || docId || 'unknown_doc'}</Badge>
|
||||||
|
<Badge variant="outline">chunk {chunkIndex ?? '-'}</Badge>
|
||||||
|
<Badge variant="outline">distance: {typeof item.distance === 'number' ? item.distance.toFixed(6) : '-'}</Badge>
|
||||||
|
<Badge variant="outline">匹配度: {renderMatchPercent(item.distance)}</Badge>
|
||||||
|
</div>
|
||||||
|
<p className="text-sm text-white/90 whitespace-pre-wrap leading-relaxed">
|
||||||
|
{item.content || '(空内容)'}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</Card>
|
||||||
</div>
|
</div>
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -621,6 +621,37 @@ export const deleteKnowledgeDocument = async (kbId: string, docId: string): Prom
|
|||||||
await apiRequest(`/knowledge/bases/${kbId}/documents/${docId}`, { method: 'DELETE' });
|
await apiRequest(`/knowledge/bases/${kbId}/documents/${docId}`, { method: 'DELETE' });
|
||||||
};
|
};
|
||||||
|
|
||||||
|
export type KnowledgeSearchResultItem = {
|
||||||
|
content: string;
|
||||||
|
metadata?: {
|
||||||
|
document_id?: string;
|
||||||
|
chunk_index?: number;
|
||||||
|
kb_id?: string;
|
||||||
|
[key: string]: any;
|
||||||
|
};
|
||||||
|
distance?: number;
|
||||||
|
};
|
||||||
|
|
||||||
|
export type KnowledgeSearchResponse = {
|
||||||
|
query: string;
|
||||||
|
results: KnowledgeSearchResultItem[];
|
||||||
|
};
|
||||||
|
|
||||||
|
export const searchKnowledgeBase = async (
|
||||||
|
kbId: string,
|
||||||
|
query: string,
|
||||||
|
nResults: number = 5
|
||||||
|
): Promise<KnowledgeSearchResponse> => {
|
||||||
|
return apiRequest<KnowledgeSearchResponse>('/knowledge/search', {
|
||||||
|
method: 'POST',
|
||||||
|
body: {
|
||||||
|
kb_id: kbId,
|
||||||
|
query,
|
||||||
|
nResults,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
export const fetchHistory = async (): Promise<CallLog[]> => {
|
export const fetchHistory = async (): Promise<CallLog[]> => {
|
||||||
const [historyResp, assistantsResp] = await Promise.all([
|
const [historyResp, assistantsResp] = await Promise.all([
|
||||||
apiRequest<{ list?: AnyRecord[] } | AnyRecord[]>('/history'),
|
apiRequest<{ list?: AnyRecord[] } | AnyRecord[]>('/history'),
|
||||||
|
|||||||
Reference in New Issue
Block a user