36 Commits
v0.3.4 ... main

Author SHA1 Message Date
ac5e7f26c6 op 6 2026-04-20 13:36:16 -04:00
53f078154e fix 5 2026-04-20 13:14:43 -04:00
17b91d6ac8 fix 5 2026-04-20 13:08:51 -04:00
f50a176252 fix 4 2026-04-20 13:03:29 -04:00
505c7e612c fix 3 2026-04-20 13:01:00 -04:00
bdad27d6ac fix 2 2026-04-20 12:45:00 -04:00
fbd1728aee fix 1 2026-04-20 12:40:24 -04:00
Julian Freeman
2e7789df63 optimize chat prompts 2026-04-05 17:58:34 -04:00
Julian Freeman
db848bed92 upgrade 2026-04-05 14:45:37 -04:00
Julian Freeman
280376a88e fix bug 2026-04-05 14:26:05 -04:00
Julian Freeman
984f5d73dd fix scroll action 2026-04-05 13:36:56 -04:00
Julian Freeman
732d1906f6 fix refine model 2026-04-05 13:05:52 -04:00
Julian Freeman
785df4c5a5 fix log bug 2026-04-05 12:59:53 -04:00
Julian Freeman
f8785f4395 optimize prompts 2026-04-05 12:55:50 -04:00
Julian Freeman
a8967809a2 add translate again and delete 2026-04-05 12:07:18 -04:00
Julian Freeman
e2b6340446 add chat sys prompts to settings 2026-04-05 12:01:54 -04:00
Julian Freeman
9dbce266b4 support eval again 2026-04-05 11:33:14 -04:00
Julian Freeman
bba1123176 fix model 2026-04-05 11:23:43 -04:00
Julian Freeman
939a0a46cd optimize chat audit 2026-04-05 11:19:02 -04:00
Julian Freeman
5b0e6321cc add check and refine 2026-04-03 20:03:03 -04:00
Julian Freeman
8acef5e4e7 fix prediction 2026-04-03 19:37:57 -04:00
Julian Freeman
4f6ab39ed5 fix label ui 2026-04-03 19:30:44 -04:00
Julian Freeman
2a940534f2 auto scroll 2026-04-03 19:22:56 -04:00
Julian Freeman
136a5c186c fix select ui 2026-04-03 19:02:04 -04:00
Julian Freeman
41494ebad0 support chat mode 2026-04-03 18:52:08 -04:00
Julian Freeman
ce4a42eec2 upgrade 2026-03-28 20:24:06 -04:00
Julian Freeman
ac951c31b1 detailed logs 2026-03-28 20:19:15 -04:00
Julian Freeman
f3150f06fa upgrade 2026-03-27 18:00:30 -04:00
Julian Freeman
7de7877c64 support edit presets 2026-03-27 17:56:24 -04:00
Julian Freeman
15626ba9e1 add eye to api key 2026-03-27 17:50:06 -04:00
Julian Freeman
c719b50285 add refinement to history 2026-03-27 17:45:35 -04:00
Julian Freeman
9d3b509657 little fix 2026-03-25 19:51:50 -04:00
Julian Freeman
baaa9af1c0 split app.vue 2026-03-25 19:43:42 -04:00
Julian Freeman
847527ec79 rebuild settings ui 2026-03-25 19:29:12 -04:00
Julian Freeman
31dd4ee2b2 optimize copy feedback 2026-03-25 19:02:48 -04:00
Julian Freeman
69a8047743 rebuild logs ui 2026-03-25 18:21:07 -04:00
22 changed files with 3414 additions and 1377 deletions

View File

@@ -1,7 +1,7 @@
{
"name": "ai-translate-client",
"private": true,
"version": "0.3.4",
"version": "0.3.8",
"type": "module",
"scripts": {
"dev": "vite",

View File

@@ -1,6 +1,7 @@
# Generated by Cargo
# will have compiled files and executables
/target/
/target*/
# Generated by Tauri
# will have schema files for capabilities auto-completion

2
src-tauri/Cargo.lock generated
View File

@@ -19,7 +19,7 @@ dependencies = [
[[package]]
name = "ai-translate-client"
version = "0.3.4"
version = "0.3.8"
dependencies = [
"futures-util",
"reqwest 0.12.28",

View File

@@ -1,6 +1,6 @@
[package]
name = "ai-translate-client"
version = "0.3.4"
version = "0.3.8"
description = "A client using AI models to translate"
authors = ["Julian"]
edition = "2021"

View File

@@ -23,7 +23,7 @@ struct OpenAIResponse {
#[derive(Deserialize)]
struct Choice {
message: Option<Message>,
// message: Option<Message>,
delta: Option<Delta>,
}
@@ -32,12 +32,19 @@ struct Delta {
content: Option<String>,
}
#[derive(Serialize, Clone)]
struct TranslationChunkEvent {
request_id: String,
chunk: String,
}
#[tauri::command]
async fn translate(
app: AppHandle,
api_address: String,
api_key: String,
payload: TranslationPayload,
request_id: String,
) -> Result<String, String> {
let client = Client::new();
// Ensure URL doesn't have double slashes if api_address ends with /
@@ -55,17 +62,24 @@ async fn translate(
.await
.map_err(|e| e.to_string())?;
let status = res.status();
if !status.is_success() {
let error_text = res.text().await.unwrap_or_else(|_| format!("HTTP {}", status));
return Err(format!("HTTP {}: {}", status, error_text));
}
if !payload.stream {
let data = res.json::<OpenAIResponse>().await.map_err(|e| e.to_string())?;
return Ok(data.choices.get(0).and_then(|c| c.message.as_ref()).map(|m| m.content.clone()).unwrap_or_default());
let text = res.text().await.map_err(|e| e.to_string())?;
return Ok(text);
}
let mut stream = res.bytes_stream();
let mut full_response = String::new();
let mut raw_stream_log = String::new();
while let Some(item) = stream.next().await {
let chunk = item.map_err(|e| e.to_string())?;
let text = String::from_utf8_lossy(&chunk);
raw_stream_log.push_str(&text);
for line in text.lines() {
let line = line.trim();
@@ -77,8 +91,11 @@ async fn translate(
if let Some(choice) = json.choices.get(0) {
if let Some(delta) = &choice.delta {
if let Some(content) = &delta.content {
full_response.push_str(content);
app.emit("translation-chunk", content).map_err(|e| e.to_string())?;
let event = TranslationChunkEvent {
request_id: request_id.clone(),
chunk: content.clone(),
};
app.emit("translation-chunk", event).map_err(|e| e.to_string())?;
}
}
}
@@ -87,7 +104,7 @@ async fn translate(
}
}
Ok(full_response)
Ok(raw_stream_log)
}
#[cfg_attr(mobile, tauri::mobile_entry_point)]

View File

@@ -1,7 +1,7 @@
{
"$schema": "https://schema.tauri.app/config/2",
"productName": "ai-translate-client",
"version": "0.3.4",
"version": "0.3.8",
"identifier": "top.volan.ai-translate-client",
"build": {
"beforeDevCommand": "pnpm dev",

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,198 @@
<script setup lang="ts">
import { ref, computed, watch } from 'vue';
import { Clock, Search, ArrowRightLeft, Trash2, User, Type, Copy, Check, FileText } from 'lucide-vue-next';
import { useHistoryStore } from '../stores/history';
import { SPEAKER_IDENTITY_OPTIONS, TONE_REGISTER_OPTIONS } from '../domain/translation';
import { cn } from '../lib/utils';
import { useClipboard } from '../composables/useClipboard';
const historyStore = useHistoryStore();
const { activeCopyId, copyWithFeedback } = useClipboard();
const searchQuery = ref('');
const selectedHistoryId = ref<string | null>(null);
const filteredHistory = computed(() => {
if (!searchQuery.value.trim()) return historyStore.history;
const q = searchQuery.value.toLowerCase();
return historyStore.history.filter(h =>
h.sourceText.toLowerCase().includes(q) ||
h.targetText.toLowerCase().includes(q)
);
});
const selectedHistoryItem = computed(() =>
historyStore.history.find(h => h.id === selectedHistoryId.value) || null
);
watch(filteredHistory, (newVal) => {
if (newVal.length > 0 && !selectedHistoryId.value) {
selectedHistoryId.value = newVal[0].id;
}
}, { immediate: true });
const deleteHistoryItem = (id: string) => {
historyStore.deleteHistoryItem(id);
if (selectedHistoryId.value === id) {
selectedHistoryId.value = filteredHistory.value[0]?.id || null;
}
};
</script>
<template>
<!-- History View -->
<div class="flex-1 flex overflow-hidden bg-slate-100/50 dark:bg-slate-950">
<!-- History List (Master) -->
<div class="w-80 md:w-96 border-r dark:border-slate-800 flex flex-col bg-white/60 dark:bg-slate-900/40">
<div class="p-4 border-b dark:border-slate-800 space-y-3">
<div class="relative group">
<Search class="absolute left-3 top-1/2 -translate-y-1/2 w-4 h-4 text-slate-400 group-focus-within:text-blue-500 transition-colors" />
<input
v-model="searchQuery"
type="text"
placeholder="搜索历史记录..."
class="w-full pl-9 pr-4 py-2 bg-slate-100 dark:bg-slate-800 border-none rounded-lg text-sm outline-none focus:ring-2 focus:ring-blue-500/20 transition-all dark:text-slate-200"
/>
</div>
<div class="flex items-center justify-between px-1">
<span class="text-[11px] font-bold text-slate-400 uppercase tracking-wider"> {{ filteredHistory.length }} 条记录</span>
<button
@click="historyStore.clearHistory()"
class="text-[11px] text-red-500 hover:underline font-medium"
>清空全部</button>
</div>
</div>
<div class="flex-1 overflow-y-auto custom-scrollbar p-2 space-y-1">
<div v-if="filteredHistory.length === 0" class="py-20 text-center space-y-2">
<Clock class="w-10 h-10 text-slate-200 dark:text-slate-800 mx-auto" />
<p class="text-sm text-slate-400 italic">暂无相关历史</p>
</div>
<div
v-for="item in filteredHistory"
:key="item.id"
@click="selectedHistoryId = item.id"
:class="cn(
'w-full p-4 rounded-xl text-left transition-all border group relative cursor-pointer',
selectedHistoryId === item.id
? 'bg-blue-50 dark:bg-blue-900/20 border-blue-100 dark:border-blue-900/50 shadow-sm'
: 'hover:bg-slate-100 dark:hover:bg-slate-800/50 border-transparent'
)"
>
<div class="flex items-center justify-between mb-2">
<div class="flex items-center gap-1.5">
<span class="text-[10px] font-bold px-1.5 py-0.5 rounded bg-slate-200 dark:bg-slate-800 text-slate-500 dark:text-slate-400 uppercase">{{ item.sourceLang.code }}</span>
<ArrowRightLeft class="w-3 h-3 text-slate-300" />
<span class="text-[10px] font-bold px-1.5 py-0.5 rounded bg-blue-100 dark:bg-blue-900/40 text-blue-600 dark:text-blue-400 uppercase">{{ item.targetLang.code }}</span>
</div>
<span class="text-[10px] text-slate-400 font-mono">{{ item.timestamp.split(' ')[1].substring(0, 5) }}</span>
</div>
<p class="text-xs text-slate-700 dark:text-slate-200 font-medium line-clamp-2 leading-relaxed mb-1">{{ item.sourceText }}</p>
<p class="text-[11px] text-slate-400 dark:text-slate-500 line-clamp-1 italic">{{ item.targetText }}</p>
<button
@click.stop="deleteHistoryItem(item.id)"
class="absolute right-2 bottom-2 p-1.5 rounded-md text-red-400 opacity-0 group-hover:opacity-100 hover:bg-red-50 dark:hover:bg-red-900/30 transition-all"
title="删除此记录"
>
<Trash2 class="w-3.5 h-3.5" />
</button>
</div>
</div>
</div>
<!-- History Detail (Detail) -->
<div class="flex-1 flex flex-col min-w-0 bg-white dark:bg-slate-900">
<template v-if="selectedHistoryItem">
<div class="p-6 border-b dark:border-slate-800 flex items-center justify-between shrink-0 bg-slate-50/50 dark:bg-slate-800/20">
<div class="flex flex-col gap-1">
<div class="flex items-center gap-3">
<h2 class="text-lg font-bold text-slate-800 dark:text-slate-100">翻译详情</h2>
<span class="text-[11px] font-mono text-slate-400 bg-slate-100 dark:bg-slate-800 px-2 py-0.5 rounded">{{ selectedHistoryItem.timestamp }}</span>
</div>
<div class="flex items-center gap-3 text-xs text-slate-500">
<div class="flex items-center gap-1">
<User class="w-3 h-3" />
{{ SPEAKER_IDENTITY_OPTIONS.find(o => o.value === (selectedHistoryItem?.speakerIdentity))?.label || selectedHistoryItem?.speakerIdentity }}
</div>
<span></span>
<div class="flex items-center gap-1">
<Type class="w-3 h-3" />
{{ TONE_REGISTER_OPTIONS.find(o => o.value === (selectedHistoryItem?.toneRegister))?.label || selectedHistoryItem?.toneRegister }}
</div>
<span></span>
<div class="font-mono text-[10px]">{{ selectedHistoryItem.modelName }}</div>
</div>
</div>
<div class="flex items-center gap-2">
<button
@click="deleteHistoryItem(selectedHistoryItem.id)"
class="flex items-center gap-2 px-3 py-2 text-xs font-medium text-red-600 hover:bg-red-50 dark:hover:bg-red-900/30 rounded-lg transition-colors"
>
<Trash2 class="w-4 h-4" />
删除记录
</button>
</div>
</div>
<div class="flex-1 overflow-y-auto p-8 space-y-10 custom-scrollbar">
<!-- Source -->
<section class="space-y-4">
<div class="flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-1.5 h-4 bg-slate-300 dark:bg-slate-700 rounded-full"></div>
<h3 class="text-xs font-black text-slate-400 uppercase tracking-widest">{{ selectedHistoryItem.sourceLang.displayName }} (原文)</h3>
</div>
<button
@click="copyWithFeedback(selectedHistoryItem.sourceText, `history-source-${selectedHistoryItem.id}`)"
class="p-2 hover:bg-slate-100 dark:hover:bg-slate-800 rounded-lg text-slate-400 transition-colors"
>
<Check v-if="activeCopyId === `history-source-${selectedHistoryItem.id}`" class="w-4 h-4 text-green-600" />
<Copy v-else class="w-4 h-4" />
</button>
</div>
<div class="bg-slate-50 dark:bg-slate-800/30 p-6 rounded-2xl border border-slate-100 dark:border-slate-800 text-lg leading-relaxed text-slate-700 dark:text-slate-200 whitespace-pre-wrap">
{{ selectedHistoryItem.sourceText }}
</div>
</section>
<!-- Context if exists -->
<section v-if="selectedHistoryItem.context" class="space-y-4">
<div class="flex items-center gap-2">
<FileText class="w-4 h-4 text-slate-300" />
<h3 class="text-xs font-black text-slate-400 uppercase tracking-widest">情景背景</h3>
</div>
<div class="bg-amber-50/30 dark:bg-amber-900/10 p-4 rounded-xl border border-amber-100/50 dark:border-amber-900/20 text-sm italic text-slate-500 dark:text-slate-400 leading-relaxed">
{{ selectedHistoryItem.context }}
</div>
</section>
<!-- Target -->
<section class="space-y-4">
<div class="flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-1.5 h-4 bg-blue-500 rounded-full"></div>
<h3 class="text-xs font-black text-blue-500/60 uppercase tracking-widest">{{ selectedHistoryItem.targetLang.displayName }} (译文)</h3>
</div>
<button
@click="copyWithFeedback(selectedHistoryItem.targetText, `history-target-${selectedHistoryItem.id}`)"
class="p-2 bg-blue-50 dark:bg-blue-900/30 hover:bg-blue-100 dark:hover:bg-blue-900/50 rounded-lg text-blue-600 dark:text-blue-400 transition-colors"
>
<Check v-if="activeCopyId === `history-target-${selectedHistoryItem.id}`" class="w-4 h-4 text-green-600" />
<Copy v-else class="w-4 h-4" />
</button>
</div>
<div class="bg-blue-50/20 dark:bg-blue-900/10 p-6 rounded-2xl border border-blue-100/50 dark:border-blue-900/20 text-xl leading-relaxed font-medium text-slate-800 dark:text-slate-100 whitespace-pre-wrap shadow-sm">
{{ selectedHistoryItem.targetText }}
</div>
</section>
</div>
</template>
<div v-else class="flex-1 flex flex-col items-center justify-center text-slate-300 dark:text-slate-800 p-10 text-center space-y-4">
<div class="w-20 h-20 rounded-full bg-slate-50 dark:bg-slate-800/50 flex items-center justify-center">
<Clock class="w-10 h-10 opacity-20" />
</div>
<p class="text-sm font-medium">请从左侧选择一条历史记录查看详情</p>
</div>
</div>
</div>
</template>

147
src/components/LogsView.vue Normal file
View File

@@ -0,0 +1,147 @@
<script setup lang="ts">
import { ref, computed, watch } from 'vue';
import { FileText, Check, Copy } from 'lucide-vue-next';
import { useLogsStore } from '../stores/logs';
import { cn } from '../lib/utils';
import { useClipboard } from '../composables/useClipboard';
const logsStore = useLogsStore();
const { activeCopyId, copyWithFeedback } = useClipboard();
const selectedLogId = ref<string | null>(null);
const selectedLogItem = computed(() =>
logsStore.logs.find(l => l.id === selectedLogId.value) || null
);
watch(() => logsStore.logs, (newVal) => {
if (newVal.length > 0 && !selectedLogId.value) {
selectedLogId.value = newVal[0].id;
}
}, { immediate: true });
const decodeUnicode = (str: string) => {
if (!str) return str;
try {
return str.replace(/\\u([0-9a-fA-F]{4})/g, (_match, grp) => {
return String.fromCharCode(parseInt(grp, 16));
});
} catch {
return str;
}
};
const getLogSummary = (log: any) => {
if (log.type === 'error') return String(log.content);
if (typeof log.content === 'string') return decodeUnicode(log.content);
if (log.content && log.content.model) return `Model: ${log.content.model}`;
if (log.content && log.content.score) return `Score: ${log.content.score}`;
return 'JSON Data';
};
</script>
<template>
<!-- Logs View -->
<div class="flex-1 flex overflow-hidden bg-slate-100/50 dark:bg-slate-950">
<!-- Logs List (Master) -->
<div class="w-80 md:w-96 border-r dark:border-slate-800 flex flex-col bg-white/60 dark:bg-slate-900/40">
<div class="p-4 border-b dark:border-slate-800 space-y-3">
<div class="flex items-center justify-between">
<h2 class="text-sm font-semibold text-slate-500 dark:text-slate-400 uppercase tracking-wider">系统日志</h2>
<button
@click="logsStore.clearLogs()"
class="text-[11px] text-red-500 hover:underline font-medium flex items-center gap-1"
>
清空全部
</button>
</div>
</div>
<div class="flex-1 overflow-y-auto custom-scrollbar p-2 space-y-1">
<div v-if="logsStore.logs.length === 0" class="py-20 text-center space-y-2">
<FileText class="w-10 h-10 text-slate-200 dark:text-slate-800 mx-auto" />
<p class="text-sm text-slate-400 italic">暂无日志记录</p>
</div>
<div
v-for="log in logsStore.logs"
:key="log.id"
@click="selectedLogId = log.id"
:class="cn(
'w-full p-4 rounded-xl text-left transition-all border group relative cursor-pointer',
selectedLogId === log.id
? 'bg-blue-50 dark:bg-blue-900/20 border-blue-100 dark:border-blue-900/50 shadow-sm'
: 'hover:bg-slate-100 dark:hover:bg-slate-800/50 border-transparent'
)"
>
<div class="flex items-center justify-between mb-2">
<span
:class="cn(
'px-2 py-0.5 rounded uppercase font-bold text-[10px]',
log.type === 'request' ? 'bg-blue-100 text-blue-700 dark:bg-blue-900/40 dark:text-blue-300' :
log.type === 'response' ? 'bg-green-100 text-green-700 dark:bg-green-900/40 dark:text-green-300' :
'bg-red-100 text-red-700 dark:bg-red-900/40 dark:text-red-300'
)"
>{{ log.type === 'request' ? '请求' : log.type === 'response' ? '响应' : '错误' }}</span>
<span class="text-[10px] text-slate-400 font-mono">{{ log.timestamp.split(' ')[1] }}</span>
</div>
<p class="text-[11px] text-slate-500 dark:text-slate-400 line-clamp-2 font-mono leading-relaxed">{{ getLogSummary(log) }}</p>
</div>
</div>
</div>
<!-- Log Detail (Detail) -->
<div class="flex-1 flex flex-col min-w-0 bg-white dark:bg-slate-900">
<template v-if="selectedLogItem">
<div class="p-6 border-b dark:border-slate-800 flex items-center justify-between shrink-0 bg-slate-50/50 dark:bg-slate-800/20">
<div class="flex items-center gap-3">
<h2 class="text-lg font-bold text-slate-800 dark:text-slate-100">日志详情</h2>
<span class="text-[11px] font-mono text-slate-400 bg-slate-100 dark:bg-slate-800 px-2 py-0.5 rounded">{{ selectedLogItem.timestamp }}</span>
<span
:class="cn(
'px-2 py-0.5 rounded uppercase font-bold text-[10px]',
selectedLogItem.type === 'request' ? 'bg-blue-100 text-blue-700 dark:bg-blue-900/40 dark:text-blue-300' :
selectedLogItem.type === 'response' ? 'bg-green-100 text-green-700 dark:bg-green-900/40 dark:text-green-300' :
'bg-red-100 text-red-700 dark:bg-red-900/40 dark:text-red-300'
)"
>{{ selectedLogItem.type === 'request' ? 'Request' : selectedLogItem.type === 'response' ? 'Response' : 'Error' }}</span>
</div>
<div class="flex gap-2">
<button
v-if="selectedLogItem.curl"
@click="copyWithFeedback(decodeUnicode(selectedLogItem.curl), `curl-${selectedLogItem.id}`)"
class="flex items-center gap-2 px-3 py-2 text-xs font-medium text-blue-600 hover:bg-blue-50 dark:text-blue-400 dark:hover:bg-blue-900/30 rounded-lg transition-colors border border-blue-100 dark:border-blue-900/50"
>
<Check v-if="activeCopyId === `curl-${selectedLogItem.id}`" class="w-4 h-4" />
<Copy v-else class="w-4 h-4" />
复制 cURL
</button>
<button
@click="copyWithFeedback(decodeUnicode(typeof selectedLogItem.content === 'object' ? JSON.stringify(selectedLogItem.content, null, 2) : String(selectedLogItem.content)), `log-${selectedLogItem.id}`)"
class="flex items-center gap-2 px-3 py-2 text-xs font-medium text-slate-600 hover:bg-slate-100 dark:text-slate-300 dark:hover:bg-slate-800 rounded-lg transition-colors border border-slate-200 dark:border-slate-700"
>
<Check v-if="activeCopyId === `log-${selectedLogItem.id}`" class="w-4 h-4 text-green-600" />
<Copy v-else class="w-4 h-4" />
复制内容
</button>
</div>
</div>
<div class="flex-1 overflow-auto p-6 bg-slate-50/30 dark:bg-slate-900/50 custom-scrollbar space-y-6">
<div v-if="selectedLogItem.curl" class="space-y-2">
<h3 class="text-[10px] font-bold text-slate-400 uppercase tracking-widest px-1">cURL 请求命令</h3>
<pre class="font-mono text-[11px] leading-relaxed p-4 bg-slate-950 text-blue-400 rounded-xl border border-slate-800 whitespace-pre-wrap break-all shadow-inner">{{ decodeUnicode(selectedLogItem.curl) }}</pre>
</div>
<div class="space-y-2">
<h3 class="text-[10px] font-bold text-slate-400 uppercase tracking-widest px-1">{{ selectedLogItem.type === 'request' ? 'Payload (JSON)' : 'Response Data' }}</h3>
<pre class="font-mono text-[11px] leading-relaxed p-4 bg-slate-950 text-slate-300 rounded-xl border border-slate-800 whitespace-pre-wrap break-all shadow-inner">{{ decodeUnicode(typeof selectedLogItem.content === 'object' ? JSON.stringify(selectedLogItem.content, null, 2) : selectedLogItem.content) }}</pre>
</div>
</div>
</template>
<div v-else class="flex-1 flex flex-col items-center justify-center text-slate-300 dark:text-slate-800 p-10 text-center space-y-4">
<div class="w-20 h-20 rounded-full bg-slate-50 dark:bg-slate-800/50 flex items-center justify-center">
<FileText class="w-10 h-10 opacity-20" />
</div>
<p class="text-sm font-medium">请从左侧选择一条日志查看详情</p>
</div>
</div>
</div>
</template>

View File

@@ -0,0 +1,593 @@
<script setup lang="ts">
import { ref, computed, onMounted, onUnmounted } from 'vue';
import { Play, Settings, Type, Save, Check, Plus, Trash2, ChevronDown, Eye, EyeOff, Pencil, MessageSquare } from 'lucide-vue-next';
import {
useSettingsStore,
DEFAULT_TEMPLATE,
DEFAULT_EVALUATION_TEMPLATE,
DEFAULT_REFINEMENT_TEMPLATE,
CONVERSATION_SYSTEM_PROMPT_TEMPLATE,
CONVERSATION_EVALUATION_PROMPT_TEMPLATE,
CONVERSATION_REFINEMENT_PROMPT_TEMPLATE
} from '../stores/settings';
import type { ApiProfile } from '../domain/translation';
import { cn } from '../lib/utils';
const settings = useSettingsStore();
const settingsCategory = ref<'api' | 'general' | 'prompts' | 'chat-prompts'>('api');
const showApiKey = ref(false);
const newProfileName = ref('');
const isSavingProfile = ref(false);
const saveCurrentAsProfile = () => {
if (!newProfileName.value.trim()) return;
const newProfile: ApiProfile = {
id: crypto.randomUUID(),
name: newProfileName.value.trim(),
apiBaseUrl: settings.apiBaseUrl,
apiKey: settings.apiKey,
modelName: settings.modelName
};
settings.profiles.push(newProfile);
newProfileName.value = '';
isSavingProfile.value = false;
};
const applyProfile = (p: ApiProfile) => {
settings.apiBaseUrl = p.apiBaseUrl;
settings.apiKey = p.apiKey;
settings.modelName = p.modelName;
};
const deleteProfile = (id: string) => {
settings.profiles = settings.profiles.filter(p => p.id !== id);
};
const editingProfileId = ref<string | null>(null);
const editProfileForm = ref<ApiProfile | null>(null);
const showEditApiKey = ref(false);
const startEditProfile = (profile: ApiProfile) => {
editingProfileId.value = profile.id;
editProfileForm.value = { ...profile };
showEditApiKey.value = false;
};
const cancelEditProfile = () => {
editingProfileId.value = null;
editProfileForm.value = null;
};
const saveEditProfile = () => {
if (!editProfileForm.value || !editingProfileId.value) return;
if (!editProfileForm.value.name.trim()) return;
const index = settings.profiles.findIndex(p => p.id === editingProfileId.value);
if (index !== -1) {
settings.profiles[index] = { ...editProfileForm.value };
}
editingProfileId.value = null;
editProfileForm.value = null;
};
const evaluationProfileDropdownOpen = ref(false);
const toggleDropdown = (type: string) => {
if (type === 'evaluationProfile') evaluationProfileDropdownOpen.value = !evaluationProfileDropdownOpen.value;
};
const currentEvaluationProfileLabel = computed(() => {
if (!settings.evaluationProfileId) return '使用主翻译配置(默认)';
const profile = settings.profiles.find(p => p.id === settings.evaluationProfileId);
return profile ? `${profile.name}${profile.modelName}` : '使用主翻译配置(默认)';
});
const handleGlobalClick = (e: MouseEvent) => {
const target = e.target as HTMLElement;
if (!target.closest('.lang-dropdown')) {
evaluationProfileDropdownOpen.value = false;
}
};
onMounted(() => window.addEventListener('click', handleGlobalClick));
onUnmounted(() => window.removeEventListener('click', handleGlobalClick));
</script>
<template>
<!-- Settings View -->
<div class="flex-1 flex overflow-hidden bg-slate-100/50 dark:bg-slate-950">
<!-- Settings Sidebar (Master) -->
<div class="w-64 border-r dark:border-slate-800 flex flex-col bg-white/60 dark:bg-slate-900/40">
<div class="p-4 border-b dark:border-slate-800 shrink-0">
<h2 class="text-sm font-semibold text-slate-500 dark:text-slate-400 uppercase tracking-wider">系统设置</h2>
</div>
<nav class="flex-1 overflow-y-auto p-3 space-y-1">
<button
@click="settingsCategory = 'api'"
:class="cn(
'w-full flex items-center gap-3 px-3 py-2.5 rounded-lg text-sm font-medium transition-colors',
settingsCategory === 'api' ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400' : 'text-slate-600 hover:bg-slate-100 dark:text-slate-300 dark:hover:bg-slate-800/50'
)"
>
<div :class="cn('p-1.5 rounded-md', settingsCategory === 'api' ? 'bg-blue-100 dark:bg-blue-900/50' : 'bg-slate-100 dark:bg-slate-800')">
<Play class="w-4 h-4" />
</div>
API 与模型
</button>
<button
@click="settingsCategory = 'general'"
:class="cn(
'w-full flex items-center gap-3 px-3 py-2.5 rounded-lg text-sm font-medium transition-colors',
settingsCategory === 'general' ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400' : 'text-slate-600 hover:bg-slate-100 dark:text-slate-300 dark:hover:bg-slate-800/50'
)"
>
<div :class="cn('p-1.5 rounded-md', settingsCategory === 'general' ? 'bg-blue-100 dark:bg-blue-900/50' : 'bg-slate-100 dark:bg-slate-800')">
<Settings class="w-4 h-4" />
</div>
常规设置
</button>
<button
@click="settingsCategory = 'prompts'"
:class="cn(
'w-full flex items-center gap-3 px-3 py-2.5 rounded-lg text-sm font-medium transition-colors',
settingsCategory === 'prompts' ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400' : 'text-slate-600 hover:bg-slate-100 dark:text-slate-300 dark:hover:bg-slate-800/50'
)"
>
<div :class="cn('p-1.5 rounded-md', settingsCategory === 'prompts' ? 'bg-blue-100 dark:bg-blue-900/50' : 'bg-slate-100 dark:bg-slate-800')">
<Type class="w-4 h-4" />
</div>
提示词工程
</button>
<button
@click="settingsCategory = 'chat-prompts'"
:class="cn(
'w-full flex items-center gap-3 px-3 py-2.5 rounded-lg text-sm font-medium transition-colors',
settingsCategory === 'chat-prompts' ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400' : 'text-slate-600 hover:bg-slate-100 dark:text-slate-300 dark:hover:bg-slate-800/50'
)"
>
<div :class="cn('p-1.5 rounded-md', settingsCategory === 'chat-prompts' ? 'bg-blue-100 dark:bg-blue-900/50' : 'bg-slate-100 dark:bg-slate-800')">
<MessageSquare class="w-4 h-4" />
</div>
对话提示词
</button>
</nav>
</div>
<!-- Settings Content (Detail) -->
<div class="flex-1 overflow-y-auto p-6 md:p-10 custom-scrollbar bg-slate-50/30 dark:bg-transparent">
<div class="max-w-3xl mx-auto space-y-8 pb-20">
<!-- API & Models -->
<template v-if="settingsCategory === 'api'">
<div class="mb-6 border-b dark:border-slate-800 pb-4">
<h1 class="text-2xl font-bold text-slate-800 dark:text-slate-100">API 与模型</h1>
<p class="text-sm text-slate-500 dark:text-slate-400 mt-1">配置与大语言模型通信的接口地址和凭证</p>
</div>
<section>
<div class="flex items-center justify-between mb-4">
<h2 class="text-sm font-semibold text-slate-500 dark:text-slate-400 uppercase tracking-wider">当前接口配置</h2>
<div v-if="!isSavingProfile" class="flex items-center gap-2">
<button
@click="isSavingProfile = true"
class="text-xs flex items-center gap-1.5 text-blue-600 dark:text-blue-400 hover:underline px-2 py-1 rounded"
>
<Save class="w-3.5 h-3.5" />
保存为预设
</button>
</div>
<div v-else class="flex items-center gap-2 bg-white dark:bg-slate-800 p-1 rounded-lg border dark:border-slate-700 shadow-sm animate-in fade-in zoom-in duration-200">
<input
v-model="newProfileName"
type="text"
placeholder="输入预设名称..."
class="text-xs px-2 py-1 bg-transparent outline-none w-32 dark:text-slate-200"
@keyup.enter="saveCurrentAsProfile"
/>
<button
@click="saveCurrentAsProfile"
:disabled="!newProfileName.trim()"
class="p-1 text-green-600 hover:bg-green-50 dark:hover:bg-green-900/30 rounded disabled:opacity-50"
>
<Check class="w-3.5 h-3.5" />
</button>
<button
@click="isSavingProfile = false; newProfileName = ''"
class="p-1 text-slate-400 hover:bg-slate-100 dark:hover:bg-slate-700 rounded"
>
<Plus class="w-3.5 h-3.5 rotate-45" />
</button>
</div>
</div>
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 p-6 space-y-4">
<div class="space-y-2">
<label class="text-sm font-medium text-slate-700 dark:text-slate-300">API Base URL</label>
<input
v-model="settings.apiBaseUrl"
type="text"
class="w-full px-4 py-2.5 border dark:border-slate-700 rounded-xl bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all font-mono text-sm text-slate-900 dark:text-slate-100"
placeholder="https://api.openai.com/v1"
/>
</div>
<div class="space-y-2">
<label class="text-sm font-medium text-slate-700 dark:text-slate-300">API Key</label>
<div class="relative">
<input
v-model="settings.apiKey"
:type="showApiKey ? 'text' : 'password'"
class="w-full pl-4 pr-12 py-2.5 border dark:border-slate-700 rounded-xl bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all font-mono text-sm text-slate-900 dark:text-slate-100"
placeholder="sk-..."
/>
<button
@click="showApiKey = !showApiKey"
type="button"
class="absolute right-3 top-1/2 -translate-y-1/2 text-slate-400 hover:text-slate-600 dark:hover:text-slate-300 transition-colors focus:outline-none"
>
<Eye v-if="showApiKey" class="w-5 h-5" />
<EyeOff v-else class="w-5 h-5" />
</button>
</div>
</div>
<div class="space-y-2">
<label class="text-sm font-medium text-slate-700 dark:text-slate-300">Model Name</label>
<input
v-model="settings.modelName"
type="text"
class="w-full px-4 py-2.5 border dark:border-slate-700 rounded-xl bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all font-mono text-sm text-slate-900 dark:text-slate-100"
placeholder="gpt-3.5-turbo"
/>
</div>
</div>
</section>
<section>
<h2 class="text-sm font-semibold text-slate-500 dark:text-slate-400 uppercase tracking-wider mb-4">API 配置预设库</h2>
<div class="bg-slate-200/20 dark:bg-slate-900 rounded-xl shadow-sm border dark:border-slate-800 p-2 space-y-1">
<div v-if="settings.profiles.length === 0" class="p-8 text-center text-sm text-slate-400 dark:text-slate-600 italic">
暂无预设配置修改上方配置并点击保存为预设
</div>
<div
v-for="profile in settings.profiles"
:key="profile.id"
>
<!-- 编辑模式 -->
<div v-if="editingProfileId === profile.id && editProfileForm" class="p-4 bg-white dark:bg-slate-800/80 rounded-xl border border-blue-200 dark:border-blue-800/50 shadow-sm space-y-3 my-1">
<div class="space-y-1.5">
<label class="text-[11px] font-medium text-slate-500 uppercase tracking-wider">预设名称</label>
<input v-model="editProfileForm.name" type="text" class="w-full px-3 py-2 border dark:border-slate-700 rounded-lg bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all text-sm text-slate-900 dark:text-slate-100" placeholder="预设名称" />
</div>
<div class="space-y-1.5">
<label class="text-[11px] font-medium text-slate-500 uppercase tracking-wider">API Base URL</label>
<input v-model="editProfileForm.apiBaseUrl" type="text" class="w-full px-3 py-2 border dark:border-slate-700 rounded-lg bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all font-mono text-sm text-slate-900 dark:text-slate-100" />
</div>
<div class="space-y-1.5">
<label class="text-[11px] font-medium text-slate-500 uppercase tracking-wider">API Key</label>
<div class="relative">
<input v-model="editProfileForm.apiKey" :type="showEditApiKey ? 'text' : 'password'" class="w-full pl-3 pr-10 py-2 border dark:border-slate-700 rounded-lg bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all font-mono text-sm text-slate-900 dark:text-slate-100" />
<button @click="showEditApiKey = !showEditApiKey" type="button" class="absolute right-2 top-1/2 -translate-y-1/2 text-slate-400 hover:text-slate-600 dark:hover:text-slate-300 transition-colors focus:outline-none p-1">
<Eye v-if="showEditApiKey" class="w-4 h-4" />
<EyeOff v-else class="w-4 h-4" />
</button>
</div>
</div>
<div class="space-y-1.5">
<label class="text-[11px] font-medium text-slate-500 uppercase tracking-wider">Model Name</label>
<input v-model="editProfileForm.modelName" type="text" class="w-full px-3 py-2 border dark:border-slate-700 rounded-lg bg-slate-50/50 dark:bg-slate-950 focus:ring-2 focus:ring-blue-500/20 focus:border-blue-500 outline-none transition-all font-mono text-sm text-slate-900 dark:text-slate-100" />
</div>
<div class="flex items-center justify-end gap-2 pt-2">
<button @click="cancelEditProfile" class="px-4 py-2 text-xs font-medium text-slate-500 hover:text-slate-700 dark:text-slate-400 dark:hover:text-slate-200 bg-slate-100 hover:bg-slate-200 dark:bg-slate-800 dark:hover:bg-slate-700 rounded-lg transition-colors">取消</button>
<button @click="saveEditProfile" :disabled="!editProfileForm.name.trim()" class="px-4 py-2 text-xs font-medium text-white bg-blue-600 hover:bg-blue-700 disabled:opacity-50 disabled:cursor-not-allowed rounded-lg transition-colors">保存修改</button>
</div>
</div>
<!-- 正常显示模式 -->
<div v-else class="p-3 flex items-center justify-between group hover:bg-white dark:hover:bg-slate-800 transition-colors rounded-lg border border-transparent hover:border-slate-200 dark:hover:border-slate-700">
<div class="flex flex-col gap-1 min-w-0">
<span class="text-sm font-bold text-slate-700 dark:text-slate-200 truncate">{{ profile.name }}</span>
<div class="flex items-center gap-2 text-[10px] text-slate-500 dark:text-slate-400 font-mono bg-slate-100 dark:bg-slate-950 px-2 py-0.5 rounded w-fit">
<span class="truncate max-w-32">{{ profile.modelName }}</span>
<span class="opacity-30"></span>
<span class="truncate max-w-48">{{ profile.apiBaseUrl }}</span>
</div>
</div>
<div class="flex items-center gap-1.5 opacity-0 group-hover:opacity-100 transition-opacity">
<button
@click="applyProfile(profile)"
class="flex items-center gap-1.5 px-3 py-1.5 bg-blue-50 text-blue-600 hover:bg-blue-100 dark:bg-blue-900/30 dark:text-blue-400 dark:hover:bg-blue-900/50 rounded-lg transition-colors text-xs font-medium shadow-sm"
>
<Play class="w-3 h-3 fill-current" />
应用
</button>
<button
@click="startEditProfile(profile)"
class="p-1.5 text-slate-400 hover:text-blue-600 hover:bg-blue-50 dark:hover:bg-blue-900/30 rounded-lg transition-colors"
title="编辑"
>
<Pencil class="w-4 h-4" />
</button>
<button
@click="deleteProfile(profile.id)"
class="p-1.5 text-slate-400 hover:text-red-600 hover:bg-red-50 dark:hover:bg-red-900/30 rounded-lg transition-colors"
title="删除"
>
<Trash2 class="w-4 h-4" />
</button>
</div>
</div>
</div> </div>
</section>
</template>
<!-- General Settings -->
<template v-if="settingsCategory === 'general'">
<div class="mb-6 border-b dark:border-slate-800 pb-4">
<h1 class="text-2xl font-bold text-slate-800 dark:text-slate-100">常规设置</h1>
<p class="text-sm text-slate-500 dark:text-slate-400 mt-1">调整软件的翻译行为和质量审计规则</p>
</div>
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 p-6 space-y-6">
<!-- Streaming -->
<div class="flex items-center justify-between">
<div class="space-y-0.5">
<label class="text-sm font-semibold text-slate-800 dark:text-slate-200">流式输出</label>
<p class="text-xs text-slate-500 dark:text-slate-400">在模型生成文本时逐字渲染提升响应速度体验</p>
</div>
<button
@click="settings.enableStreaming = !settings.enableStreaming"
:class="cn(
'w-12 h-6 rounded-full transition-colors relative focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 shrink-0',
settings.enableStreaming ? 'bg-blue-600' : 'bg-slate-300 dark:bg-slate-700'
)"
>
<div :class="cn(
'absolute top-1 left-1 w-4 h-4 bg-white rounded-full transition-transform shadow-sm',
settings.enableStreaming ? 'translate-x-6' : 'translate-x-0'
)"></div>
</button>
</div>
<div class="h-px bg-slate-100 dark:bg-slate-800"></div>
<!-- Auto Evaluation -->
<div class="flex items-center justify-between">
<div class="space-y-0.5">
<label class="text-sm font-semibold text-slate-800 dark:text-slate-200">自动质量审计</label>
<p class="text-xs text-slate-500 dark:text-slate-400">翻译完成后自动启动一个次级请求来评估翻译的准确度和语气并提供改进建议</p>
</div>
<button
@click="settings.enableEvaluation = !settings.enableEvaluation"
:class="cn(
'w-12 h-6 rounded-full transition-colors relative focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 shrink-0',
settings.enableEvaluation ? 'bg-blue-600' : 'bg-slate-300 dark:bg-slate-700'
)"
>
<div :class="cn(
'absolute top-1 left-1 w-4 h-4 bg-white rounded-full transition-transform shadow-sm',
settings.enableEvaluation ? 'translate-x-6' : 'translate-x-0'
)"></div>
</button>
</div>
<div class="h-px bg-slate-100 dark:bg-slate-800"></div>
<!-- Audit Profile Selector -->
<div class="space-y-3">
<div class="space-y-0.5">
<label class="text-sm font-semibold text-slate-800 dark:text-slate-200 flex items-center gap-1.5">
审计模型
</label>
<p class="text-xs text-slate-500 dark:text-slate-400">强烈建议选择更强大的模型以获得精准反馈</p>
</div>
<!-- Custom Evaluation Profile Dropdown -->
<div class="relative lang-dropdown w-full max-w-md">
<button
@click.stop="toggleDropdown('evaluationProfile')"
class="flex items-center justify-between w-full px-4 py-2 border dark:border-slate-700 rounded-xl bg-slate-50 dark:bg-slate-950 hover:bg-slate-100 dark:hover:bg-slate-800 transition-all text-sm text-slate-700 dark:text-slate-200 group shadow-sm"
>
<span class="truncate font-medium">{{ currentEvaluationProfileLabel }}</span>
<ChevronDown :class="cn('w-4 h-4 text-slate-400 transition-transform duration-200 group-hover:text-blue-500', evaluationProfileDropdownOpen && 'rotate-180')" />
</button>
<transition
enter-active-class="transition duration-100 ease-out"
enter-from-class="transform scale-95 opacity-0"
enter-to-class="transform scale-100 opacity-100"
leave-active-class="transition duration-75 ease-in"
leave-from-class="transform scale-100 opacity-100"
leave-to-class="transform scale-95 opacity-0"
>
<div
v-if="evaluationProfileDropdownOpen"
class="absolute left-0 mt-2 w-full max-h-60 overflow-y-auto bg-white dark:bg-slate-800 rounded-xl shadow-xl border border-slate-200 dark:border-slate-700 z-50 py-2 flex flex-col custom-scrollbar"
>
<button
@click="settings.evaluationProfileId = null; evaluationProfileDropdownOpen = false"
:class="cn(
'px-4 py-3 text-sm text-left transition-colors flex items-center justify-between',
settings.evaluationProfileId === null ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400 font-bold' : 'text-slate-600 hover:bg-slate-50 dark:text-slate-300 dark:hover:bg-slate-700/50'
)"
>
<span class="font-semibold">使用当前主翻译配置不推荐</span>
<Check v-if="settings.evaluationProfileId === null" class="w-4 h-4" />
</button>
<div class="h-px bg-slate-100 dark:bg-slate-700 my-1 mx-2"></div>
<button
v-for="profile in settings.profiles"
:key="profile.id"
@click="settings.evaluationProfileId = profile.id; evaluationProfileDropdownOpen = false"
:class="cn(
'px-4 py-3 text-sm text-left transition-colors flex items-center justify-between',
settings.evaluationProfileId === profile.id ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400 font-bold' : 'text-slate-600 dark:text-slate-300 hover:bg-slate-50 dark:hover:bg-slate-700/50'
)"
>
<div class="flex flex-col gap-0.5 min-w-0">
<span class="truncate font-semibold">{{ profile.name }}</span>
<span class="text-[10px] opacity-60 font-mono">{{ profile.modelName }}</span>
</div>
<Check v-if="settings.evaluationProfileId === profile.id" class="w-4 h-4 shrink-0" />
</button>
</div>
</transition>
</div>
</div>
</div>
</template>
<!-- Prompt Engineering -->
<template v-if="settingsCategory === 'prompts'">
<div class="mb-6 border-b dark:border-slate-800 pb-4">
<h1 class="text-2xl font-bold text-slate-800 dark:text-slate-100">提示词工程</h1>
<p class="text-sm text-slate-500 dark:text-slate-400 mt-1">深度定制 AI 的系统指令修改变量占位符将改变其核心逻辑</p>
</div>
<div class="space-y-8">
<!-- Translation Prompt -->
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 overflow-hidden flex flex-col">
<div class="px-5 py-3 border-b dark:border-slate-800 bg-slate-50 dark:bg-slate-950 flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-blue-500"></div>
<h3 class="text-sm font-bold text-slate-700 dark:text-slate-200">主翻译系统指令</h3>
</div>
<button @click="settings.systemPromptTemplate = DEFAULT_TEMPLATE" class="text-xs text-blue-600 dark:text-blue-400 hover:underline font-medium">恢复默认</button>
</div>
<textarea
v-model="settings.systemPromptTemplate"
rows="8"
class="w-full p-5 bg-transparent outline-none font-mono text-xs leading-relaxed text-slate-800 dark:text-slate-300 resize-y"
spellcheck="false"
></textarea>
<div class="px-5 py-3 bg-slate-50 dark:bg-slate-950 border-t dark:border-slate-800">
<div class="flex flex-wrap gap-1.5">
<span v-for="tag in ['{SOURCE_CODE}', '{TARGET_CODE}', '{SOURCE_LANG}', '{TARGET_LANG}', '{SPEAKER_IDENTITY}', '{TONE_REGISTER}']" :key="tag" class="px-2 py-0.5 bg-white dark:bg-slate-800 text-[10px] font-mono rounded-md border dark:border-slate-700 text-slate-500 shadow-sm">{{ tag }}</span>
</div>
</div>
</div>
<!-- Evaluation Prompt -->
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 overflow-hidden flex flex-col">
<div class="px-5 py-3 border-b dark:border-slate-800 bg-slate-50 dark:bg-slate-950 flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-amber-500"></div>
<h3 class="text-sm font-bold text-slate-700 dark:text-slate-200">质量审计指令</h3>
</div>
<button @click="settings.evaluationPromptTemplate = DEFAULT_EVALUATION_TEMPLATE" class="text-xs text-blue-600 dark:text-blue-400 hover:underline font-medium">恢复默认</button>
</div>
<textarea
v-model="settings.evaluationPromptTemplate"
rows="12"
class="w-full p-5 bg-transparent outline-none font-mono text-xs leading-relaxed text-slate-800 dark:text-slate-300 resize-y"
spellcheck="false"
></textarea>
<div class="px-5 py-3 bg-slate-50 dark:bg-slate-950 border-t dark:border-slate-800">
<div class="flex flex-wrap gap-1.5">
<span v-for="tag in ['{SOURCE_LANG}', '{TARGET_LANG}', '{SPEAKER_IDENTITY}', '{TONE_REGISTER}', '{CONTEXT}']" :key="tag" class="px-2 py-0.5 bg-white dark:bg-slate-800 text-[10px] font-mono rounded-md border dark:border-slate-700 text-slate-500 shadow-sm">{{ tag }}</span>
</div>
</div>
</div>
<!-- Refinement Prompt -->
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 overflow-hidden flex flex-col">
<div class="px-5 py-3 border-b dark:border-slate-800 bg-slate-50 dark:bg-slate-950 flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-green-500"></div>
<h3 class="text-sm font-bold text-slate-700 dark:text-slate-200">定向润色指令</h3>
</div>
<button @click="settings.refinementPromptTemplate = DEFAULT_REFINEMENT_TEMPLATE" class="text-xs text-blue-600 dark:text-blue-400 hover:underline font-medium">恢复默认</button>
</div>
<textarea
v-model="settings.refinementPromptTemplate"
rows="8"
class="w-full p-5 bg-transparent outline-none font-mono text-xs leading-relaxed text-slate-800 dark:text-slate-300 resize-y"
spellcheck="false"
></textarea>
<div class="px-5 py-3 bg-slate-50 dark:bg-slate-950 border-t dark:border-slate-800">
<div class="flex flex-wrap gap-1.5">
<span v-for="tag in ['{SOURCE_LANG}', '{TARGET_LANG}', '{SPEAKER_IDENTITY}', '{TONE_REGISTER}', '{CONTEXT}']" :key="tag" class="px-2 py-0.5 bg-white dark:bg-slate-800 text-[10px] font-mono rounded-md border dark:border-slate-700 text-slate-500 shadow-sm">{{ tag }}</span>
</div>
</div>
</div>
</div>
</template>
<!-- Chat Prompt Engineering -->
<template v-if="settingsCategory === 'chat-prompts'">
<div class="mb-6 border-b dark:border-slate-800 pb-4">
<h1 class="text-2xl font-bold text-slate-800 dark:text-slate-100">对话提示词</h1>
<p class="text-sm text-slate-500 dark:text-slate-400 mt-1">专门针对对话模式优化的系统指令模板</p>
</div>
<div class="space-y-8">
<!-- Chat Translation Prompt -->
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 overflow-hidden flex flex-col">
<div class="px-5 py-3 border-b dark:border-slate-800 bg-slate-50 dark:bg-slate-950 flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-blue-500"></div>
<h3 class="text-sm font-bold text-slate-700 dark:text-slate-200">对话翻译指令</h3>
</div>
<button @click="settings.chatSystemPromptTemplate = CONVERSATION_SYSTEM_PROMPT_TEMPLATE" class="text-xs text-blue-600 dark:text-blue-400 hover:underline font-medium">恢复默认</button>
</div>
<textarea
v-model="settings.chatSystemPromptTemplate"
rows="10"
class="w-full p-5 bg-transparent outline-none font-mono text-xs leading-relaxed text-slate-800 dark:text-slate-300 resize-y"
spellcheck="false"
></textarea>
<div class="px-5 py-3 bg-slate-50 dark:bg-slate-950 border-t dark:border-slate-800">
<div class="flex flex-wrap gap-1.5">
<span v-for="tag in ['{ME_NAME}', '{ME_GENDER}', '{ME_LANG}', '{PART_NAME}', '{PART_GENDER}', '{PART_LANG}', '{HISTORY_BLOCK}', '{SENDER_NAME}', '{FROM_LANG}', '{TO_LANG}', '{TARGET_TONE}']" :key="tag" class="px-2 py-0.5 bg-white dark:bg-slate-800 text-[10px] font-mono rounded-md border dark:border-slate-700 text-slate-500 shadow-sm">{{ tag }}</span>
</div>
</div>
</div>
<!-- Chat Evaluation Prompt -->
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 overflow-hidden flex flex-col">
<div class="px-5 py-3 border-b dark:border-slate-800 bg-slate-50 dark:bg-slate-950 flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-amber-500"></div>
<h3 class="text-sm font-bold text-slate-700 dark:text-slate-200">对话审计指令</h3>
</div>
<button @click="settings.chatEvaluationPromptTemplate = CONVERSATION_EVALUATION_PROMPT_TEMPLATE" class="text-xs text-blue-600 dark:text-blue-400 hover:underline font-medium">恢复默认</button>
</div>
<textarea
v-model="settings.chatEvaluationPromptTemplate"
rows="12"
class="w-full p-5 bg-transparent outline-none font-mono text-xs leading-relaxed text-slate-800 dark:text-slate-300 resize-y"
spellcheck="false"
></textarea>
<div class="px-5 py-3 bg-slate-50 dark:bg-slate-950 border-t dark:border-slate-800">
<div class="flex flex-wrap gap-1.5">
<span v-for="tag in ['{ME_NAME}', '{ME_GENDER}', '{ME_LANG}', '{PART_NAME}', '{PART_GENDER}', '{PART_LANG}', '{HISTORY_BLOCK}', '{SENDER_NAME}', '{FROM_LANG}', '{TO_LANG}', '{TARGET_TONE}']" :key="tag" class="px-2 py-0.5 bg-white dark:bg-slate-800 text-[10px] font-mono rounded-md border dark:border-slate-700 text-slate-500 shadow-sm">{{ tag }}</span>
</div>
</div>
</div>
<!-- Chat Refinement Prompt -->
<div class="bg-white/80 dark:bg-slate-900 rounded-2xl shadow-sm border dark:border-slate-800 overflow-hidden flex flex-col">
<div class="px-5 py-3 border-b dark:border-slate-800 bg-slate-50 dark:bg-slate-950 flex items-center justify-between">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-green-500"></div>
<h3 class="text-sm font-bold text-slate-700 dark:text-slate-200">对话润色指令</h3>
</div>
<button @click="settings.chatRefinementPromptTemplate = CONVERSATION_REFINEMENT_PROMPT_TEMPLATE" class="text-xs text-blue-600 dark:text-blue-400 hover:underline font-medium">恢复默认</button>
</div>
<textarea
v-model="settings.chatRefinementPromptTemplate"
rows="10"
class="w-full p-5 bg-transparent outline-none font-mono text-xs leading-relaxed text-slate-800 dark:text-slate-300 resize-y"
spellcheck="false"
></textarea>
<div class="px-5 py-3 bg-slate-50 dark:bg-slate-950 border-t dark:border-slate-800">
<div class="flex flex-wrap gap-1.5">
<span v-for="tag in ['{ME_NAME}', '{ME_GENDER}', '{ME_LANG}', '{PART_NAME}', '{PART_GENDER}', '{PART_LANG}', '{HISTORY_BLOCK}', '{SENDER_NAME}', '{FROM_LANG}', '{TO_LANG}', '{TARGET_TONE}']" :key="tag" class="px-2 py-0.5 bg-white dark:bg-slate-800 text-[10px] font-mono rounded-md border dark:border-slate-700 text-slate-500 shadow-sm">{{ tag }}</span>
</div>
</div>
</div>
</div>
</template>
</div>
</div>
</div>
</template>

View File

@@ -0,0 +1,647 @@
<script setup lang="ts">
import { ref, computed, onMounted, onUnmounted } from 'vue';
import { storeToRefs } from 'pinia';
import { ChevronDown, Check, ArrowRightLeft, Trash2, FileText, Plus, Loader2, Send, User, Type, Copy, Save } from 'lucide-vue-next';
import { listen } from '@tauri-apps/api/event';
import { LANGUAGES, SPEAKER_IDENTITY_OPTIONS, TONE_REGISTER_OPTIONS } from '../domain/translation';
import { useSettingsStore } from '../stores/settings';
import { useHistoryStore } from '../stores/history';
import { useLogsStore } from '../stores/logs';
import { useTranslationWorkspaceStore } from '../stores/translation-workspace';
import { cn } from '../lib/utils';
import { useClipboard } from '../composables/useClipboard';
import {
buildSingleEvaluationSystemPrompt,
buildSingleEvaluationUserPrompt,
buildSingleRefinementSystemPrompt,
buildSingleRefinementUserPrompt,
buildSingleTranslationSystemPrompt,
buildSingleTranslationUserPrompt,
} from '../lib/prompt-builders';
import {
executeTranslationRequest,
extractAssistantContent,
resolveModelConfig,
tryParseEvaluationResult,
type TranslationChunkEvent,
type TranslationPayload,
} from '../lib/translation-service';
const settings = useSettingsStore();
const historyStore = useHistoryStore();
const logsStore = useLogsStore();
const workspaceStore = useTranslationWorkspaceStore();
const { activeCopyId, copyWithFeedback } = useClipboard();
const {
sourceText,
context,
targetText,
isTranslating,
currentHistoryId,
evaluationResult,
isEvaluating,
isRefining,
selectedSuggestionIds,
appliedSuggestionIds,
activeStreamRequestId,
} = storeToRefs(workspaceStore);
const sourceDropdownOpen = ref(false);
const targetDropdownOpen = ref(false);
const speakerDropdownOpen = ref(false);
const toneDropdownOpen = ref(false);
const closeAllDropdowns = () => {
sourceDropdownOpen.value = false;
targetDropdownOpen.value = false;
speakerDropdownOpen.value = false;
toneDropdownOpen.value = false;
};
const toggleDropdown = (type: 'source' | 'target' | 'speaker' | 'tone') => {
const states = {
source: sourceDropdownOpen,
target: targetDropdownOpen,
speaker: speakerDropdownOpen,
tone: toneDropdownOpen
};
const targetState = states[type];
const currentValue = targetState.value;
closeAllDropdowns();
targetState.value = !currentValue;
};
const handleGlobalClick = (e: MouseEvent) => {
const target = e.target as HTMLElement;
if (!target.closest('.lang-dropdown')) {
closeAllDropdowns();
}
};
onMounted(() => window.addEventListener('click', handleGlobalClick));
onUnmounted(() => window.removeEventListener('click', handleGlobalClick));
let unlisten: (() => void) | null = null;
onMounted(async () => {
unlisten = await listen<TranslationChunkEvent>('translation-chunk', (event) => {
if ((isTranslating.value || isRefining.value) && event.payload.request_id === activeStreamRequestId.value) {
targetText.value += event.payload.chunk;
}
});
});
onUnmounted(() => { if (unlisten) unlisten(); });
const sourceLangCode = computed({
get: () => settings.sourceLang.code,
set: (code) => { const lang = LANGUAGES.find(l => l.code === code); if (lang) settings.sourceLang = lang; }
});
const targetLangCode = computed({
get: () => settings.targetLang.code,
set: (code) => { const lang = LANGUAGES.find(l => l.code === code); if (lang) settings.targetLang = lang; }
});
const sourceLang = computed(() => settings.sourceLang);
const targetLang = computed(() => settings.targetLang);
const currentSpeakerLabel = computed(() => SPEAKER_IDENTITY_OPTIONS.find(opt => opt.value === settings.speakerIdentity)?.label || '男性');
const currentToneLabel = computed(() => TONE_REGISTER_OPTIONS.find(opt => opt.value === settings.toneRegister)?.label || '正式专业');
const swapLanguages = () => {
const temp = { ...settings.sourceLang };
settings.sourceLang = { ...settings.targetLang };
settings.targetLang = temp;
};
const clearSource = () => {
workspaceStore.clearWorkspace();
};
const toggleSuggestion = (id: number) => {
workspaceStore.toggleSuggestion(id);
};
const evaluateTranslation = async () => {
if (!targetText.value) return;
isEvaluating.value = true;
workspaceStore.resetEvaluationState();
const modelConfig = resolveModelConfig({
apiBaseUrl: settings.apiBaseUrl,
apiKey: settings.apiKey,
modelName: settings.modelName,
}, settings.profiles, settings.evaluationProfileId);
const evaluationSystemPrompt = buildSingleEvaluationSystemPrompt(settings.evaluationPromptTemplate, {
sourceLang: sourceLang.value,
targetLang: targetLang.value,
speakerIdentity: settings.speakerIdentity,
toneRegister: settings.toneRegister,
context: context.value,
});
const evaluationUserPrompt = buildSingleEvaluationUserPrompt(sourceText.value, targetText.value);
const requestBody: TranslationPayload = {
model: modelConfig.modelName,
messages: [ { role: "system", content: evaluationSystemPrompt }, { role: "user", content: evaluationUserPrompt } ],
stream: false
};
try {
const response = await executeTranslationRequest({
apiAddress: modelConfig.apiBaseUrl,
apiKey: modelConfig.apiKey,
payload: requestBody,
logger: logsStore,
logType: 'evaluation',
});
const parsedEvaluation = tryParseEvaluationResult(extractAssistantContent(response));
if (!parsedEvaluation.ok) {
console.error(parsedEvaluation.error, response);
logsStore.addLog('error', `Evaluation parsing error: ${response}`);
}
evaluationResult.value = parsedEvaluation.result;
} catch {
} finally {
isEvaluating.value = false;
}
};
const refineTranslation = async () => {
if (!targetText.value || isRefining.value) return;
const selectedTexts = evaluationResult.value?.suggestions?.filter(s => selectedSuggestionIds.value?.includes(s.id)).map(s => s.text);
if (!selectedTexts || selectedTexts.length === 0) return;
isRefining.value = true;
const originalTranslation = targetText.value;
targetText.value = '';
const modelConfig = resolveModelConfig({
apiBaseUrl: settings.apiBaseUrl,
apiKey: settings.apiKey,
modelName: settings.modelName,
}, settings.profiles, settings.evaluationProfileId);
const refinementSystemPrompt = buildSingleRefinementSystemPrompt(settings.refinementPromptTemplate, {
sourceLang: sourceLang.value,
targetLang: targetLang.value,
speakerIdentity: settings.speakerIdentity,
toneRegister: settings.toneRegister,
context: context.value,
});
const refinementUserPrompt = buildSingleRefinementUserPrompt(sourceText.value, originalTranslation, selectedTexts);
const requestBody: TranslationPayload = {
model: modelConfig.modelName,
messages: [ { role: "system", content: refinementSystemPrompt }, { role: "user", content: refinementUserPrompt } ],
stream: settings.enableStreaming
};
try {
const response = await executeTranslationRequest({
apiAddress: modelConfig.apiBaseUrl,
apiKey: modelConfig.apiKey,
payload: requestBody,
logger: logsStore,
logType: 'refinement',
onStreamStart: (requestId) => {
activeStreamRequestId.value = requestId;
},
});
if (!settings.enableStreaming) targetText.value = extractAssistantContent(response);
if (evaluationResult.value?.suggestions) {
appliedSuggestionIds.value.push(...selectedSuggestionIds.value);
selectedSuggestionIds.value = [];
}
if (currentHistoryId.value) {
historyStore.updateHistoryItem(currentHistoryId.value, {
targetText: targetText.value
});
}
} catch (err: any) {
targetText.value = `Error: ${String(err)}`;
} finally {
isRefining.value = false;
activeStreamRequestId.value = null;
}
};
const translate = async () => {
if (!sourceText.value.trim() || isTranslating.value) return;
isTranslating.value = true;
currentHistoryId.value = null;
targetText.value = '';
evaluationResult.value = null;
const systemMessage = buildSingleTranslationSystemPrompt(settings.systemPromptTemplate, {
sourceLang: sourceLang.value,
targetLang: targetLang.value,
speakerIdentity: settings.speakerIdentity,
toneRegister: settings.toneRegister,
});
const userMessage = buildSingleTranslationUserPrompt(sourceText.value, context.value);
const requestBody: TranslationPayload = {
model: settings.modelName,
messages: [ { role: "system", content: systemMessage }, { role: "user", content: userMessage } ],
stream: settings.enableStreaming
};
try {
const response = await executeTranslationRequest({
apiAddress: settings.apiBaseUrl,
apiKey: settings.apiKey,
payload: requestBody,
logger: logsStore,
onStreamStart: (requestId) => {
activeStreamRequestId.value = requestId;
},
});
let finalTargetText = '';
if (settings.enableStreaming) {
finalTargetText = targetText.value;
} else {
finalTargetText = extractAssistantContent(response);
targetText.value = finalTargetText;
}
currentHistoryId.value = historyStore.addHistory({
sourceLang: { ...sourceLang.value },
targetLang: { ...targetLang.value },
sourceText: sourceText.value,
targetText: finalTargetText,
context: context.value,
speakerIdentity: settings.speakerIdentity,
toneRegister: settings.toneRegister,
modelName: settings.modelName
});
} catch (err: any) {
targetText.value = `Error: ${String(err)}`;
} finally {
isTranslating.value = false;
activeStreamRequestId.value = null;
}
if (settings.enableEvaluation) await evaluateTranslation();
};
</script>
<template>
<!-- Translation View -->
<div class="flex-1 flex flex-col md:flex-row divide-y md:divide-y-0 md:divide-x dark:divide-slate-800 bg-white/50 dark:bg-slate-900 overflow-hidden h-full">
<!-- Source Pane -->
<div class="flex-1 flex flex-col min-h-0 relative h-full">
<div class="flex items-center gap-3 px-6 py-3 border-b dark:border-slate-800 bg-slate-100/40 dark:bg-slate-800/30 relative z-40 shrink-0">
<!-- Custom Source Dropdown -->
<div class="relative lang-dropdown min-w-30">
<button
@click.stop="toggleDropdown('source')"
class="flex items-center gap-2 px-3 py-1.5 rounded-lg hover:bg-slate-200/60 dark:hover:bg-slate-700/60 transition-colors text-sm font-semibold text-slate-700 dark:text-slate-200 w-full justify-between group"
>
<span class="truncate">{{ sourceLang.displayName }}</span>
<ChevronDown :class="cn('w-4 h-4 text-slate-400 transition-transform duration-200', sourceDropdownOpen && 'rotate-180')" />
</button>
<!-- Dropdown Menu -->
<transition
enter-active-class="transition duration-100 ease-out"
enter-from-class="transform scale-95 opacity-0"
enter-to-class="transform scale-100 opacity-100"
leave-active-class="transition duration-75 ease-in"
leave-from-class="transform scale-100 opacity-100"
leave-to-class="transform scale-95 opacity-0"
>
<div
v-if="sourceDropdownOpen"
class="absolute left-0 mt-2 w-56 max-h-80 overflow-y-auto bg-white dark:bg-slate-800 rounded-xl shadow-xl border border-slate-200 dark:border-slate-700 z-50 py-2 flex flex-col custom-scrollbar"
>
<button
v-for="lang in LANGUAGES"
:key="lang.code"
@click="sourceLangCode = lang.code; sourceDropdownOpen = false"
:class="cn(
'px-4 py-2.5 text-sm text-left transition-colors flex items-center justify-between',
sourceLangCode === lang.code ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400 font-bold' : 'text-slate-600 dark:text-slate-300 hover:bg-slate-50 dark:hover:bg-slate-700/50'
)"
>
{{ lang.displayName }}
<Check v-if="sourceLangCode === lang.code" class="w-3.5 h-3.5" />
</button>
</div>
</transition>
</div>
<button @click="swapLanguages" class="p-1.5 hover:bg-slate-200 dark:hover:bg-slate-700 rounded-md transition-colors" title="交换语言">
<ArrowRightLeft class="w-4 h-4 text-slate-500 dark:text-slate-400" />
</button>
<div class="ml-auto flex items-center gap-2">
<button @click="clearSource" class="p-1.5 hover:bg-slate-200 dark:hover:bg-slate-700 rounded-md transition-colors" title="清空内容">
<Trash2 class="w-4 h-4 text-slate-500 dark:text-slate-400" />
</button>
</div>
</div>
<textarea
v-model="sourceText"
placeholder="请输入待翻译内容..."
class="flex-1 p-6 resize-none outline-none text-lg leading-relaxed placeholder:text-slate-300 dark:placeholder:text-slate-600 bg-transparent min-h-0"
></textarea>
<!-- Context Input Area -->
<div class="px-6 py-3 bg-slate-200/20 dark:bg-slate-800/20 border-t border-dashed dark:border-slate-800 group/context relative">
<div class="flex items-center justify-between mb-1.5 h-5">
<div class="flex items-center gap-1.5">
<FileText class="w-4 h-4 text-slate-400" />
<span class="text-[12px] font-bold text-slate-400 uppercase tracking-widest">情景背景 (可选)</span>
</div>
<button
v-if="context"
@click="context = ''"
class="p-1 hover:bg-slate-200 dark:hover:bg-slate-700 rounded opacity-0 group-hover/context:opacity-100 transition-opacity"
title="清空背景"
>
<Plus class="w-3 h-3 rotate-45 text-slate-400" />
</button>
</div>
<textarea
v-model="context"
placeholder="在此输入背景信息,有助于提升翻译准确度..."
class="w-full bg-transparent border-none outline-none text-sm text-slate-500 dark:text-slate-400 resize-none h-14 leading-normal placeholder:italic placeholder:text-slate-300 dark:placeholder:text-slate-600"
></textarea>
</div>
<div class="p-4 border-t dark:border-slate-800 bg-slate-50/30 dark:bg-transparent flex justify-end shrink-0"> <button
@click="translate"
:disabled="isTranslating || isEvaluating || isRefining || !sourceText.trim()"
class="bg-blue-600 hover:bg-blue-700 disabled:bg-blue-300 dark:disabled:bg-blue-900/40 text-white px-6 py-2.5 rounded-lg font-medium transition-all flex items-center gap-2 shadow-sm"
>
<Loader2 v-if="isTranslating" class="w-4 h-4 animate-spin" />
<Send v-else class="w-4 h-4" />
{{ isTranslating ? '正在翻译...' : '翻译' }}
</button>
</div>
</div>
<!-- Target Pane -->
<div class="flex-1 flex flex-col min-h-0 bg-slate-100/20 dark:bg-slate-900/50 relative h-full">
<div class="flex items-center gap-3 px-6 py-3 border-b dark:border-slate-800 bg-slate-100/40 dark:bg-slate-800/30 relative z-40 shrink-0">
<!-- Custom Target Dropdown -->
<div class="relative lang-dropdown min-w-30">
<button
@click.stop="toggleDropdown('target')"
class="flex items-center gap-2 px-3 py-1.5 rounded-lg hover:bg-slate-200/60 dark:hover:bg-slate-700/60 transition-colors text-sm font-semibold text-slate-700 dark:text-slate-200 w-full justify-between"
>
<span class="truncate">{{ targetLang.displayName }}</span>
<ChevronDown :class="cn('w-4 h-4 text-slate-400 transition-transform duration-200', targetDropdownOpen && 'rotate-180')" />
</button>
<!-- Dropdown Menu -->
<transition
enter-active-class="transition duration-100 ease-out"
enter-from-class="transform scale-95 opacity-0"
enter-to-class="transform scale-100 opacity-100"
leave-active-class="transition duration-75 ease-in"
leave-from-class="transform scale-100 opacity-100"
leave-to-class="transform scale-95 opacity-0"
>
<div
v-if="targetDropdownOpen"
class="absolute left-0 mt-2 w-56 max-h-80 overflow-y-auto bg-white dark:bg-slate-800 rounded-xl shadow-xl border border-slate-200 dark:border-slate-700 z-50 py-2 flex flex-col custom-scrollbar"
>
<button
v-for="lang in LANGUAGES"
:key="lang.code"
@click="targetLangCode = lang.code; targetDropdownOpen = false"
:class="cn(
'px-4 py-2.5 text-sm text-left transition-colors flex items-center justify-between',
targetLangCode === lang.code ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400 font-bold' : 'text-slate-600 dark:text-slate-300 hover:bg-slate-50 dark:hover:bg-slate-700/50'
)"
>
{{ lang.displayName }}
<Check v-if="targetLangCode === lang.code" class="w-3.5 h-3.5" />
</button>
</div>
</transition>
</div>
<!-- Speaker Identity Dropdown -->
<div class="relative lang-dropdown min-w-24">
<button
@click.stop="toggleDropdown('speaker')"
class="flex items-center gap-2 px-3 py-1.5 rounded-lg hover:bg-slate-200/60 dark:hover:bg-slate-700/60 transition-colors text-sm font-medium text-slate-600 dark:text-slate-300 w-full justify-between group"
title="说话人身份"
>
<div class="flex items-center gap-1.5 truncate">
<User class="w-3.5 h-3.5 text-slate-400" />
<span class="truncate">{{ currentSpeakerLabel }}</span>
</div>
<ChevronDown :class="cn('w-3.5 h-3.5 text-slate-400 transition-transform duration-200 shrink-0', speakerDropdownOpen && 'rotate-180')" />
</button>
<transition
enter-active-class="transition duration-100 ease-out"
enter-from-class="transform scale-95 opacity-0"
enter-to-class="transform scale-100 opacity-100"
leave-active-class="transition duration-75 ease-in"
leave-from-class="transform scale-100 opacity-100"
leave-to-class="transform scale-95 opacity-0"
>
<div
v-if="speakerDropdownOpen"
class="absolute left-0 mt-2 w-40 max-h-80 overflow-y-auto bg-white dark:bg-slate-800 rounded-xl shadow-xl border border-slate-200 dark:border-slate-700 z-50 py-2 flex flex-col custom-scrollbar"
>
<button
v-for="opt in SPEAKER_IDENTITY_OPTIONS"
:key="opt.value"
@click="settings.speakerIdentity = opt.value; speakerDropdownOpen = false"
:class="cn(
'px-4 py-2 text-sm text-left transition-colors flex items-center justify-between',
settings.speakerIdentity === opt.value ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400 font-bold' : 'text-slate-600 dark:text-slate-300 hover:bg-slate-50 dark:hover:bg-slate-700/50'
)"
>
{{ opt.label }}
<Check v-if="settings.speakerIdentity === opt.value" class="w-3.5 h-3.5" />
</button>
</div>
</transition>
</div>
<!-- Tone & Register Dropdown -->
<div class="relative lang-dropdown min-w-32">
<button
@click.stop="toggleDropdown('tone')"
class="flex items-center gap-2 px-3 py-1.5 rounded-lg hover:bg-slate-200/60 dark:hover:bg-slate-700/60 transition-colors text-sm font-medium text-slate-600 dark:text-slate-300 w-full justify-between group"
title="语气风格"
>
<div class="flex items-center gap-1.5 truncate">
<Type class="w-3.5 h-3.5 text-slate-400" />
<span class="truncate">{{ currentToneLabel }}</span>
</div>
<ChevronDown :class="cn('w-3.5 h-3.5 text-slate-400 transition-transform duration-200 shrink-0', toneDropdownOpen && 'rotate-180')" />
</button>
<transition
enter-active-class="transition duration-100 ease-out"
enter-from-class="transform scale-95 opacity-0"
enter-to-class="transform scale-100 opacity-100"
leave-active-class="transition duration-75 ease-in"
leave-from-class="transform scale-100 opacity-100"
leave-to-class="transform scale-95 opacity-0"
>
<div
v-if="toneDropdownOpen"
class="absolute left-0 mt-2 w-56 max-h-80 overflow-y-auto bg-white dark:bg-slate-800 rounded-xl shadow-xl border border-slate-200 dark:border-slate-700 z-50 py-2 flex flex-col custom-scrollbar"
>
<button
v-for="opt in TONE_REGISTER_OPTIONS"
:key="opt.value"
@click="settings.toneRegister = opt.value; toneDropdownOpen = false"
:class="cn(
'px-4 py-2.5 text-sm text-left transition-colors flex flex-col gap-0.5',
settings.toneRegister === opt.value ? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400 font-bold' : 'text-slate-600 dark:text-slate-300 hover:bg-slate-50 dark:hover:bg-slate-700/50'
)"
>
<div class="flex items-center justify-between w-full">
{{ opt.label }}
<Check v-if="settings.toneRegister === opt.value" class="w-3.5 h-3.5" />
</div>
<span class="text-[10px] opacity-60 font-normal truncate">{{ opt.description }}</span>
</button>
</div>
</transition>
</div>
<div class="ml-auto flex items-center gap-2">
<button @click="copyWithFeedback(targetText, 'main-target')" class="p-1.5 hover:bg-slate-200 dark:hover:bg-slate-700 rounded-md transition-colors relative" title="复制结果">
<Check v-if="activeCopyId === 'main-target'" class="w-4 h-4 text-green-600" />
<Copy v-else class="w-4 h-4 text-slate-500 dark:text-slate-400" />
</button>
</div>
</div>
<div class="flex-1 p-6 overflow-y-auto text-lg leading-relaxed whitespace-pre-wrap min-h-0">
<template v-if="targetText">
{{ targetText }}
</template>
<span v-else class="text-slate-300 dark:text-slate-600 italic">翻译结果将在此显示...</span>
</div>
<!-- Evaluation Results -->
<div v-if="isEvaluating || evaluationResult" class="px-6 py-4 bg-slate-200/20 dark:bg-slate-800/20 border-t border-dashed dark:border-slate-800 space-y-4 animate-in fade-in slide-in-from-bottom-2 duration-500 overflow-y-auto max-h-80 shrink-0">
<div class="flex items-center justify-between">
<div class="flex items-center gap-2">
<div :class="cn(
'w-2 h-2 rounded-full',
isEvaluating ? 'bg-blue-400 animate-pulse' : (evaluationResult?.score && evaluationResult.score >= 80 ? 'bg-green-500' : evaluationResult?.score && evaluationResult.score >= 60 ? 'bg-amber-500' : 'bg-red-500')
)"></div>
<h3 class="text-xs font-bold text-slate-400 uppercase tracking-widest">质量审计</h3>
</div>
<div v-if="evaluationResult" :class="cn(
'text-lg font-black font-mono',
evaluationResult.score >= 80 ? 'text-green-600' : evaluationResult.score >= 60 ? 'text-amber-600' : 'text-red-600'
)">
{{ evaluationResult.score }} <span class="text-[10px] font-normal opacity-50">/ 100</span>
</div>
<div v-else-if="isEvaluating" class="flex items-center gap-1.5 text-xs text-blue-500 font-medium">
<Loader2 class="w-3 h-3 animate-spin" />
正在审计...
</div>
</div>
<div v-if="evaluationResult" class="space-y-3">
<div class="bg-slate-50 dark:bg-slate-800/40 p-3 rounded-lg border border-slate-100 dark:border-slate-800/60">
<p class="text-xs text-slate-600 dark:text-slate-300 leading-relaxed">
{{ evaluationResult.analysis }}
</p>
</div>
<div v-if="evaluationResult.suggestions && evaluationResult.suggestions.length > 0" class="space-y-4 pt-2">
<!-- Pending Suggestions -->
<div v-if="evaluationResult.suggestions.some(s => !appliedSuggestionIds.includes(s.id))" class="space-y-2">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-blue-500"></div>
<h3 class="text-xs font-bold text-slate-400 uppercase tracking-widest">修改建议</h3>
</div>
<div class="space-y-2">
<div
v-for="sug in evaluationResult.suggestions.filter(s => !appliedSuggestionIds.includes(s.id))"
:key="sug.id"
@click="toggleSuggestion(sug.id)"
:class="cn(
'flex items-start gap-3 p-3 rounded-xl border transition-all cursor-pointer group',
selectedSuggestionIds?.includes(sug.id)
? 'bg-blue-50 dark:bg-blue-900/20 border-blue-200 dark:border-blue-800'
: 'bg-white dark:bg-slate-800/40 border-slate-100 dark:border-slate-800 hover:border-slate-300 dark:hover:border-slate-700'
)"
>
<div :class="cn(
'w-4 h-4 rounded border mt-0.5 shrink-0 flex items-center justify-center transition-colors',
selectedSuggestionIds?.includes(sug.id) ? 'bg-blue-600 border-blue-600' : 'border-slate-300 dark:border-slate-600'
)">
<Check v-if="selectedSuggestionIds?.includes(sug.id)" class="w-3.5 h-3.5 text-white" stroke-width="4" />
</div>
<div class="flex-1 space-y-1.5 min-w-0">
<p class="text-xs text-slate-700 dark:text-slate-200 leading-normal">{{ sug.text }}</p>
<div class="flex items-center gap-2">
<div class="flex-1 h-1 bg-slate-100 dark:bg-slate-700 rounded-full overflow-hidden">
<div
class="h-full rounded-full transition-all duration-1000"
:class="sug.importance >= 80 ? 'bg-red-500' : sug.importance >= 40 ? 'bg-amber-500' : 'bg-blue-500'"
:style="{ width: `${sug.importance}%` }"
></div>
</div>
<span class="text-[9px] font-bold opacity-40 uppercase tracking-tighter w-8 shrink-0">{{ sug.importance }}%</span>
</div>
</div>
</div>
</div>
</div>
<!-- Applied Suggestions -->
<div v-if="appliedSuggestionIds.length > 0" class="space-y-2 border-t dark:border-slate-800 pt-4">
<div class="flex items-center gap-2">
<div class="w-2 h-2 rounded-full bg-slate-400"></div>
<h3 class="text-xs font-bold text-slate-400 uppercase tracking-widest">已润色</h3>
</div>
<div class="space-y-2">
<div
v-for="sug in evaluationResult.suggestions.filter(s => appliedSuggestionIds.includes(s.id))"
:key="'applied-' + sug.id"
class="p-3 rounded-xl border border-slate-100 dark:border-slate-800/60 bg-white/30 dark:bg-slate-800/20 opacity-70"
>
<p class="text-xs text-slate-500 dark:text-slate-400 leading-normal">{{ sug.text }}</p>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="p-4 border-t dark:border-slate-800 bg-slate-50/30 dark:bg-transparent flex justify-end gap-2 shrink-0">
<button
@click="refineTranslation"
v-if="evaluationResult && evaluationResult.suggestions && evaluationResult.suggestions.length > 0"
:disabled="isRefining || isEvaluating || isTranslating || selectedSuggestionIds.length === 0"
class="bg-blue-600 enabled:hover:bg-blue-700 disabled:bg-blue-300 dark:disabled:bg-blue-900/40 text-white px-6 py-2.5 rounded-lg font-medium transition-all flex items-center gap-2 shadow-sm"
>
<Loader2 v-if="isRefining" class="w-4 h-4 animate-spin" />
<Save v-else class="w-4 h-4" />
{{ isRefining ? '正在润色...' : '润色' }}
</button>
<button
@click="evaluateTranslation"
:disabled="isEvaluating || isTranslating || isRefining || !targetText.trim()"
class="bg-blue-600 enabled:hover:bg-blue-700 disabled:bg-blue-300 dark:disabled:bg-blue-900/40 text-white px-6 py-2.5 rounded-lg font-medium transition-all flex items-center gap-2 shadow-sm"
>
<Loader2 v-if="isEvaluating" class="w-4 h-4 animate-spin" />
<Check v-else class="w-4 h-4" />
{{ isEvaluating ? '正在审计...' : '审计' }}
</button>
</div>
</div>
</div>
</template>

View File

@@ -0,0 +1,21 @@
import { ref } from 'vue';
const activeCopyId = ref<string | null>(null);
export function useClipboard() {
const copyWithFeedback = async (text: string, id: string) => {
try {
await navigator.clipboard.writeText(text);
activeCopyId.value = id;
setTimeout(() => {
if (activeCopyId.value === id) {
activeCopyId.value = null;
}
}, 2000);
} catch (err) {
console.error('Failed to copy text: ', err);
}
};
return { activeCopyId, copyWithFeedback };
}

89
src/domain/translation.ts Normal file
View File

@@ -0,0 +1,89 @@
export interface Language {
displayName: string;
englishName: string;
code: string;
}
export const LANGUAGES: Language[] = [
{ displayName: '中文(简体)', englishName: 'Simplified Chinese', code: 'zh-Hans' },
{ displayName: '中文(繁体)', englishName: 'Traditional Chinese', code: 'zh-Hant' },
{ displayName: '英语(美国)', englishName: 'American English', code: 'en-US' },
{ displayName: '英语(英国)', englishName: 'British English', code: 'en-GB' },
{ displayName: '西班牙语', englishName: 'Spanish', code: 'es' },
{ displayName: '葡萄牙语', englishName: 'Portuguese', code: 'pt' },
{ displayName: '日语', englishName: 'Japanese', code: 'ja' },
{ displayName: '韩语', englishName: 'Korean', code: 'ko' },
{ displayName: '法语', englishName: 'French', code: 'fr' },
{ displayName: '德语', englishName: 'German', code: 'de' },
{ displayName: '意大利语', englishName: 'Italian', code: 'it' },
{ displayName: '俄语', englishName: 'Russian', code: 'ru' },
{ displayName: '越南语', englishName: 'Vietnamese', code: 'vi' },
{ displayName: '泰语', englishName: 'Thai', code: 'th' },
{ displayName: '阿拉伯语', englishName: 'Arabic', code: 'ar' },
];
export const SPEAKER_IDENTITY_OPTIONS = [
{ label: '男性', value: 'Male' },
{ label: '女性', value: 'Female' },
{ label: '中性', value: 'Gender-neutral' },
] as const;
export const TONE_REGISTER_OPTIONS = [
{ label: '自动识别', value: 'Auto-detect', description: '分析并保持原文的语气、情绪和礼貌程度' },
{ label: '正式专业', value: 'Formal & Professional', description: '商务邮件、法律合同、官方报告' },
{ label: '礼貌客气', value: 'Polite & Respectful', description: '与长辈、客户或初次见面的人交流' },
{ label: '礼貌随和', value: 'Polite & Conversational', description: '得体但不刻板的日常对话' },
{ label: '中性标准', value: 'Neutral & Standard', description: '维基百科、说明书、客观的新闻报道' },
{ label: '非正式', value: 'Casual & Informal', description: '朋友聊天、社交媒体、非正式简讯' },
{ label: '亲切友好', value: 'Warm & Friendly', description: '社区信函、给朋友的建议、温馨提示' },
{ label: '严谨权威', value: 'Strict & Authoritative', description: '警示标志、强制规定、上级指令' },
{ label: '热情生动', value: 'Enthusiastic & Vivid', description: '广告文案、旅游推荐、博主推文' },
] as const;
export interface ApiProfile {
id: string;
name: string;
apiBaseUrl: string;
apiKey: string;
modelName: string;
}
export interface HistoryItem {
id: string;
timestamp: string;
sourceLang: Language;
targetLang: Language;
sourceText: string;
targetText: string;
context: string;
speakerIdentity: string;
toneRegister: string;
modelName: string;
}
export interface Participant {
name: string;
gender: string;
language: Language;
tone: string;
}
export interface ChatMessage {
id: string;
sender: 'me' | 'partner';
original: string;
translated: string;
timestamp: string;
evaluation?: string;
isEvaluating?: boolean;
isRefining?: boolean;
}
export interface ChatSession {
id: string;
title: string;
me: Participant;
partner: Participant;
messages: ChatMessage[];
lastActivity: string;
}

103
src/lib/prompt-builders.ts Normal file
View File

@@ -0,0 +1,103 @@
import type { Language, Participant } from '../domain/translation';
interface SingleTranslationPromptContext {
sourceLang: Language;
targetLang: Language;
speakerIdentity: string;
toneRegister: string;
context: string;
}
interface ConversationPromptContext {
me: Participant;
partner: Participant;
historyBlock: string;
senderName: string;
fromLang: Language;
toLang: Language;
targetTone: string;
}
function replaceTokens(template: string, values: Record<string, string>) {
return Object.entries(values).reduce(
(result, [key, value]) => result.replace(new RegExp(`\\{${key}\\}`, 'g'), value),
template,
);
}
export function buildSingleTranslationSystemPrompt(
template: string,
context: Omit<SingleTranslationPromptContext, 'context'>,
) {
return replaceTokens(template, {
SOURCE_LANG: context.sourceLang.englishName,
SOURCE_CODE: context.sourceLang.code,
TARGET_LANG: context.targetLang.englishName,
TARGET_CODE: context.targetLang.code,
SPEAKER_IDENTITY: context.speakerIdentity,
TONE_REGISTER: context.toneRegister,
});
}
export function buildSingleEvaluationSystemPrompt(
template: string,
context: SingleTranslationPromptContext,
) {
return replaceTokens(template, {
SOURCE_LANG: context.sourceLang.englishName,
TARGET_LANG: context.targetLang.englishName,
SPEAKER_IDENTITY: context.speakerIdentity,
TONE_REGISTER: context.toneRegister,
CONTEXT: context.context || 'None',
});
}
export function buildSingleRefinementSystemPrompt(
template: string,
context: SingleTranslationPromptContext,
) {
return buildSingleEvaluationSystemPrompt(template, context);
}
export function buildSingleTranslationUserPrompt(sourceText: string, context: string) {
return context
? `[Context]\n${context}\n\n[Text to Translate]\n${sourceText}`
: `[Text to Translate]\n${sourceText}`;
}
export function buildSingleEvaluationUserPrompt(sourceText: string, targetText: string) {
return `[Source Text]\n${sourceText}\n\n[Translated Text]\n${targetText}`;
}
export function buildSingleRefinementUserPrompt(sourceText: string, currentTranslation: string, suggestions: string[]) {
const formattedSuggestions = suggestions.map((text, index) => `${index + 1}. ${text}`).join('\n');
return `[Source Text]\n${sourceText}\n\n[Current Translation]\n${currentTranslation}\n\n[User Feedback]\n${formattedSuggestions}`;
}
export function buildConversationSystemPrompt(template: string, context: ConversationPromptContext, emptyHistoryFallback: string) {
return replaceTokens(template, {
ME_NAME: context.me.name,
ME_GENDER: context.me.gender,
ME_LANG: context.me.language.englishName,
PART_NAME: context.partner.name,
PART_GENDER: context.partner.gender,
PART_LANG: context.partner.language.englishName,
HISTORY_BLOCK: context.historyBlock || emptyHistoryFallback,
SENDER_NAME: context.senderName,
FROM_LANG: context.fromLang.englishName,
TO_LANG: context.toLang.englishName,
TARGET_TONE: context.targetTone,
});
}
export function buildConversationTranslationUserPrompt(text: string) {
return `[Text to Translate]\n${text}`;
}
export function buildConversationEvaluationUserPrompt(sourceText: string, currentTranslation: string) {
return `[Source Text]\n${sourceText}\n\n[Current Translation]\n${currentTranslation}`;
}
export function buildConversationRefinementUserPrompt(sourceText: string, currentTranslation: string, suggestions: string[]) {
return `[Source Text]\n${sourceText}\n\n[Current Translation]\n${currentTranslation}\n\n[Suggestions]\n${suggestions.map((text) => `- ${text}`).join('\n')}`;
}

View File

@@ -0,0 +1,164 @@
import { invoke } from '@tauri-apps/api/core';
import type { ApiProfile } from '../domain/translation';
interface Message {
role: string;
content: string;
}
export interface TranslationPayload {
model: string;
messages: Message[];
stream: boolean;
}
export interface TranslationChunkEvent {
request_id: string;
chunk: string;
}
export interface EvaluationSuggestion {
id: number;
text: string;
importance: number;
}
export interface EvaluationResult {
score: number;
analysis: string;
suggestions: EvaluationSuggestion[];
}
export interface ModelConfig {
apiBaseUrl: string;
apiKey: string;
modelName: string;
}
type LogType = 'request' | 'response' | 'error';
interface Logger {
addLog: (type: LogType, content: any, curl?: string) => void;
}
interface ExecuteTranslationRequestOptions {
apiAddress: string;
apiKey: string;
payload: TranslationPayload;
logger: Logger;
logType?: string;
onStreamStart?: (requestId: string) => void;
}
const FALLBACK_EVALUATION_RESULT: EvaluationResult = {
score: 0,
analysis: '无法解析审计结果,请查看日志',
suggestions: [],
};
export function resolveModelConfig(
primary: ModelConfig,
profiles: ApiProfile[],
profileId: string | null,
): ModelConfig {
if (!profileId) return primary;
const profile = profiles.find((item) => item.id === profileId);
if (!profile) return primary;
return {
apiBaseUrl: profile.apiBaseUrl,
apiKey: profile.apiKey,
modelName: profile.modelName,
};
}
export function generateCurl(apiBaseUrl: string, apiKey: string, body: TranslationPayload) {
const fullUrl = `${apiBaseUrl.replace(/\/$/, '')}/chat/completions`;
const maskedKey = apiKey ? `${apiKey.slice(0, 6)}...${apiKey.slice(-4)}` : 'YOUR_API_KEY';
return `curl "${fullUrl}" \\
-H "Content-Type: application/json" \\
-H "Authorization: Bearer ${maskedKey}" \\
-d '${JSON.stringify(body, null, 2)}'`;
}
export async function executeTranslationRequest({
apiAddress,
apiKey,
payload,
logger,
logType,
onStreamStart,
}: ExecuteTranslationRequestOptions) {
const requestId = crypto.randomUUID();
const requestLog = logType ? { type: logType, ...payload } : payload;
logger.addLog('request', requestLog, generateCurl(apiAddress, apiKey, payload));
try {
if (payload.stream) onStreamStart?.(requestId);
const response = await invoke<string>('translate', {
apiAddress,
apiKey,
payload,
requestId,
});
logger.addLog('response', payload.stream ? response : safeParseJson(response) ?? response);
return response;
} catch (error) {
logger.addLog('error', String(error));
throw error;
}
}
export function safeParseJson(value: string) {
try {
return JSON.parse(value);
} catch {
return null;
}
}
export function extractAssistantContent(response: string) {
const parsed = safeParseJson(response);
if (parsed && typeof parsed === 'object') {
return (parsed as any).choices?.[0]?.message?.content || response;
}
return response;
}
export function tryParseEvaluationResult(raw?: string) {
if (!raw) {
return {
ok: false as const,
error: 'Evaluation result is empty',
result: FALLBACK_EVALUATION_RESULT,
};
}
try {
let cleanStr = raw.trim();
if (cleanStr.startsWith('```')) {
cleanStr = cleanStr.replace(/^```[a-zA-Z]*\n?/, '').replace(/\n?```$/, '').trim();
}
const parsed = JSON.parse(cleanStr);
return {
ok: true as const,
result: {
score: Number(parsed.score) || 0,
analysis: typeof parsed.analysis === 'string' ? parsed.analysis : '',
suggestions: Array.isArray(parsed.suggestions) ? parsed.suggestions : [],
} satisfies EvaluationResult,
};
} catch (error) {
return {
ok: false as const,
error: `Failed to parse evaluation JSON: ${String(error)}`,
result: FALLBACK_EVALUATION_RESULT,
};
}
}

6
src/lib/utils.ts Normal file
View File

@@ -0,0 +1,6 @@
import { clsx, type ClassValue } from 'clsx';
import { twMerge } from 'tailwind-merge';
export function cn(...inputs: ClassValue[]) {
return twMerge(clsx(inputs));
}

View File

@@ -0,0 +1,86 @@
import { defineStore } from 'pinia';
import { useLocalStorage } from '@vueuse/core';
import type { ChatMessage, ChatSession, Participant } from '../domain/translation';
function formatTimestamp() {
const now = new Date();
return `${now.getFullYear()}-${String(now.getMonth() + 1).padStart(2, '0')}-${String(now.getDate()).padStart(2, '0')} ${String(now.getHours()).padStart(2, '0')}:${String(now.getMinutes()).padStart(2, '0')}:${String(now.getSeconds()).padStart(2, '0')}`;
}
export const useConversationStore = defineStore('conversation', () => {
const chatSessions = useLocalStorage<ChatSession[]>('chat-sessions-v1', []);
const activeSessionId = useLocalStorage<string | null>('active-session-id-v1', null);
const createSession = (me: Participant, partner: Participant) => {
const id = crypto.randomUUID();
const timestamp = formatTimestamp();
const newSession: ChatSession = {
id,
title: `${partner.name} 的对话`,
me,
partner,
messages: [],
lastActivity: timestamp,
};
chatSessions.value.unshift(newSession);
activeSessionId.value = id;
return id;
};
const deleteSession = (id: string) => {
chatSessions.value = chatSessions.value.filter((session) => session.id !== id);
if (activeSessionId.value === id) {
activeSessionId.value = chatSessions.value[0]?.id || null;
}
};
const addMessageToSession = (sessionId: string, sender: 'me' | 'partner', original: string, translated = '') => {
const session = chatSessions.value.find((item) => item.id === sessionId);
if (!session) return null;
const timestamp = formatTimestamp();
const newMessage: ChatMessage = {
id: crypto.randomUUID(),
sender,
original,
translated,
timestamp,
};
session.messages.push(newMessage);
session.lastActivity = timestamp;
const index = chatSessions.value.findIndex((item) => item.id === sessionId);
if (index > 0) {
const [current] = chatSessions.value.splice(index, 1);
chatSessions.value.unshift(current);
}
return newMessage.id;
};
const updateChatMessage = (sessionId: string, messageId: string, updates: Partial<ChatMessage>) => {
const session = chatSessions.value.find((item) => item.id === sessionId);
const message = session?.messages.find((item) => item.id === messageId);
if (message) Object.assign(message, updates);
};
const deleteChatMessage = (sessionId: string, messageId: string) => {
const session = chatSessions.value.find((item) => item.id === sessionId);
if (session) {
session.messages = session.messages.filter((item) => item.id !== messageId);
}
};
return {
chatSessions,
activeSessionId,
createSession,
deleteSession,
addMessageToSession,
updateChatMessage,
deleteChatMessage,
};
});

51
src/stores/history.ts Normal file
View File

@@ -0,0 +1,51 @@
import { defineStore } from 'pinia';
import { useLocalStorage } from '@vueuse/core';
import type { HistoryItem } from '../domain/translation';
function formatTimestamp() {
const now = new Date();
return `${now.getFullYear()}-${String(now.getMonth() + 1).padStart(2, '0')}-${String(now.getDate()).padStart(2, '0')} ${String(now.getHours()).padStart(2, '0')}:${String(now.getMinutes()).padStart(2, '0')}:${String(now.getSeconds()).padStart(2, '0')}`;
}
export const useHistoryStore = defineStore('history', () => {
const history = useLocalStorage<HistoryItem[]>('translation-history-v1', []);
const addHistory = (item: Omit<HistoryItem, 'id' | 'timestamp'>) => {
const id = crypto.randomUUID();
history.value.unshift({
...item,
id,
timestamp: formatTimestamp(),
});
if (history.value.length > 100) {
history.value = history.value.slice(0, 100);
}
return id;
};
const updateHistoryItem = (id: string, updates: Partial<HistoryItem>) => {
const index = history.value.findIndex((item) => item.id === id);
if (index !== -1) {
history.value[index] = { ...history.value[index], ...updates };
}
};
const deleteHistoryItem = (id: string) => {
history.value = history.value.filter((item) => item.id !== id);
};
const clearHistory = () => {
history.value = [];
};
return {
history,
addHistory,
updateHistoryItem,
deleteHistoryItem,
clearHistory,
};
});

41
src/stores/logs.ts Normal file
View File

@@ -0,0 +1,41 @@
import { ref } from 'vue';
import { defineStore } from 'pinia';
export interface LogEntry {
id: string;
timestamp: string;
type: 'request' | 'response' | 'error';
content: any;
curl?: string;
}
function createTimestamp() {
const now = new Date();
return `${now.getFullYear()}-${String(now.getMonth() + 1).padStart(2, '0')}-${String(now.getDate()).padStart(2, '0')} ${String(now.getHours()).padStart(2, '0')}:${String(now.getMinutes()).padStart(2, '0')}:${String(now.getSeconds()).padStart(2, '0')}`;
}
export const useLogsStore = defineStore('logs', () => {
const logs = ref<LogEntry[]>([]);
const addLog = (type: LogEntry['type'], content: any, curl?: string) => {
logs.value.unshift({
id: crypto.randomUUID(),
timestamp: createTimestamp(),
type,
content,
curl,
});
if (logs.value.length > 50) logs.value.pop();
};
const clearLogs = () => {
logs.value = [];
};
return {
logs,
addLog,
clearLogs,
};
});

View File

@@ -1,48 +1,7 @@
import { ref, computed } from 'vue';
import { computed } from 'vue';
import { defineStore } from 'pinia';
import { useLocalStorage } from '@vueuse/core';
export interface Language {
displayName: string; // UI 显示的中文名,如 "英语(英国)"
englishName: string; // 文件中的第二列,用于 {SOURCE_LANG}
code: string; // 文件中的第一列,用于 {SOURCE_CODE}
}
export const LANGUAGES: Language[] = [
{ displayName: '中文(简体)', englishName: 'Simplified Chinese', code: 'zh-Hans' },
{ displayName: '中文(繁体)', englishName: 'Traditional Chinese', code: 'zh-Hant' },
{ displayName: '英语(美国)', englishName: 'American English', code: 'en-US' },
{ displayName: '英语(英国)', englishName: 'British English', code: 'en-GB' },
{ displayName: '西班牙语', englishName: 'Spanish', code: 'es' },
{ displayName: '葡萄牙语', englishName: 'Portuguese', code: 'pt' },
{ displayName: '日语', englishName: 'Japanese', code: 'ja' },
{ displayName: '韩语', englishName: 'Korean', code: 'ko' },
{ displayName: '法语', englishName: 'French', code: 'fr' },
{ displayName: '德语', englishName: 'German', code: 'de' },
{ displayName: '意大利语', englishName: 'Italian', code: 'it' },
{ displayName: '俄语', englishName: 'Russian', code: 'ru' },
{ displayName: '越南语', englishName: 'Vietnamese', code: 'vi' },
{ displayName: '泰语', englishName: 'Thai', code: 'th' },
{ displayName: '阿拉伯语', englishName: 'Arabic', code: 'ar' },
];
export const SPEAKER_IDENTITY_OPTIONS = [
{ label: '男性', value: 'Male' },
{ label: '女性', value: 'Female' },
{ label: '中性', value: 'Gender-neutral' },
];
export const TONE_REGISTER_OPTIONS = [
{ label: '自动识别', value: 'Auto-detect', description: '分析并保持原文的语气、情绪和礼貌程度' },
{ label: '正式专业', value: 'Formal & Professional', description: '商务邮件、法律合同、官方报告' },
{ label: '礼貌客气', value: 'Polite & Respectful', description: '与长辈、客户或初次见面的人交流' },
{ label: '礼貌随和', value: 'Polite & Conversational', description: '得体但不刻板的日常对话' },
{ label: '中性标准', value: 'Neutral & Standard', description: '维基百科、说明书、客观的新闻报道' },
{ label: '非正式', value: 'Casual & Informal', description: '朋友聊天、社交媒体、非正式简讯' },
{ label: '亲切友好', value: 'Warm & Friendly', description: '社区信函、给朋友的建议、温馨提示' },
{ label: '严谨权威', value: 'Strict & Authoritative', description: '警示标志、强制规定、上级指令' },
{ label: '热情生动', value: 'Enthusiastic & Vivid', description: '广告文案、旅游推荐、博主推文' },
];
import { LANGUAGES, SPEAKER_IDENTITY_OPTIONS, TONE_REGISTER_OPTIONS, type ApiProfile, type Language } from '../domain/translation';
export const DEFAULT_TEMPLATE = `You are a professional {SOURCE_LANG} ({SOURCE_CODE}) to {TARGET_LANG} ({TARGET_CODE}) translator. Your goal is to accurately convey the meaning and nuances of the original {SOURCE_LANG} text while adhering to {TARGET_LANG} grammar, vocabulary, and cultural sensitivities.
@@ -106,26 +65,92 @@ export const DEFAULT_REFINEMENT_TEMPLATE = `You are a senior translation editor.
4. If a piece of feedback contradicts the [Source Text], prioritize accuracy and provide a balanced refinement.
5. Produce ONLY the refined {TARGET_LANG} translation, without any additional explanations, notes, or commentary.`;
export interface ApiProfile {
id: string;
name: string;
apiBaseUrl: string;
apiKey: string;
modelName: string;
}
export const CONVERSATION_SYSTEM_PROMPT_TEMPLATE = `# Role: Professional Real-time Conversation Translator
export interface HistoryItem {
id: string;
timestamp: string;
sourceLang: Language;
targetLang: Language;
sourceText: string;
targetText: string;
context: string;
speakerIdentity: string;
toneRegister: string;
modelName: string;
}
# Participants:
- Participant A: [Name: {ME_NAME}, Gender: {ME_GENDER}, Language: {ME_LANG}]
- Participant B: [Name: {PART_NAME}, Gender: {PART_GENDER}, Language: {PART_LANG}]
# Recent Conversation Flow:
{HISTORY_BLOCK}
# Current Turn to Translate:
- Speaker: {SENDER_NAME}
- Source Language: {FROM_LANG}
- Target Language: {TO_LANG}
- Intended Tone/Register: {TARGET_TONE}
# Constraints
1. Contextual Awareness: Use the [Conversation History] to resolve pronouns (it, that, etc.) and maintain consistency.
2. Personalization & Tone: Ensure all grammatical agreements and self-referential terms reflect speaker's gender. Faithfully replicate the intended tone, maintaining the formality, emotional nuance, and unique style of the source text without neutralizing it.
3. Natural Flow: Keep the translation concise and natural for a chat environment. Avoid "translationese".
4. Strictly avoid over-translation: Do not add extra information not present in the source text.
5. Output ONLY the translated text, no explanations.`;
export const CONVERSATION_EVALUATION_PROMPT_TEMPLATE = `# Role: Expert Conversation Auditor
# Participants:
- Participant A: [Name: {ME_NAME}, Gender: {ME_GENDER}, Language: {ME_LANG}]
- Participant B: [Name: {PART_NAME}, Gender: {PART_GENDER}, Language: {PART_LANG}]
# Recent Conversation Flow:
{HISTORY_BLOCK}
# Current Turn to Audit:
- Speaker: {SENDER_NAME}
- Source Language: {FROM_LANG}
- Target Language: {TO_LANG}
- Intended Tone/Register: {TARGET_TONE}
# Audit Criteria
1. **Contextual Inaccuracy**: Failure to correctly reflect the meaning based on the [Recent Conversation Flow]
2. **Semantic Error**: Objective misalignment with the source meaning or complete hallucinations.
3. **Grammatical Error**: Clear violations of target language grammar or syntax rules.
4. **Tone Failure**: A tone that is the opposite or significantly different from the [Intended Tone/Register].
5. **Poor Readability**: The phrasing is so stiff, unnatural, or convoluted that it hinders smooth comprehension (e.g., obvious "translationese" or broken logic).
**Note**: Do NOT penalize if the translation is simply "not the most elegant" or if there's a subjective preference for a different synonym. If it's natural enough for a native speaker to understand without effort, it's acceptable.
# Instructions
1. **Evaluation**: Compare the [Source Text] and [Translation] based on the [Audit Criteria].
2. **Scoring Strategy**:
- **90-100**: Accurate, grammatically sound, and flows naturally.
- **75-89**: Accurate meaning, but suffers from "stiff" phrasing or minor flow issues that need adjustment.
- **Below 75**: Contains semantic errors, severe grammar issues, or tone mismatches.
3. **Analysis**: Provide a concise explanation in Simplified Chinese. Focus on *why* the error matters (e.g., "meaning is reversed" or "too awkward to read").
4. **Suggestions**: Provide a list of specific, actionable suggestions. For each, assign an "importance" from 0 to 100 (0 = unnecessary/optional, 100 = critical error).
# Output Format
Respond ONLY in JSON. "analysis" and "text" MUST be in Simplified Chinese:
{
"score": number,
"analysis": "string",
"suggestions": [
{ "id": 1, "text": "suggestion text", "importance": number }
]
}`;
export const CONVERSATION_REFINEMENT_PROMPT_TEMPLATE = `# Role: Professional Conversation Editor
# Participants:
- Participant A: [Name: {ME_NAME}, Gender: {ME_GENDER}, Language: {ME_LANG}]
- Participant B: [Name: {PART_NAME}, Gender: {PART_GENDER}, Language: {PART_LANG}]
# Recent Conversation Flow:
{HISTORY_BLOCK}
# Current Turn to Refine:
- Speaker: {SENDER_NAME}
- Source Language: {FROM_LANG}
- Target Language: {TO_LANG}
- Intended Tone/Register: {TARGET_TONE}
# Instructions:
1. Carefully review the [Suggestions] and apply the requested improvements to the [Current Translation] while ensuring it fits naturally into the [Recent Conversation Flow].
2. Ensure that the refined translation remains semantically identical to the [Source Text].
3. Maintain the speaker's gender and [Intended Tone/Register] as specified.
4. If a piece of feedback contradicts the [Source Text], prioritize accuracy and provide a balanced refinement.
5. Produce ONLY the refined {TO_LANG} translation, without any additional explanations, notes, or commentary.`;
export const useSettingsStore = defineStore('settings', () => {
const isDark = useLocalStorage('is-dark', false);
@@ -141,6 +166,10 @@ export const useSettingsStore = defineStore('settings', () => {
const evaluationProfileId = useLocalStorage<string | null>('evaluation-profile-id', null);
const refinementPromptTemplate = useLocalStorage('refinement-prompt-template', DEFAULT_REFINEMENT_TEMPLATE);
const chatSystemPromptTemplate = useLocalStorage('chat-system-prompt-template', CONVERSATION_SYSTEM_PROMPT_TEMPLATE);
const chatEvaluationPromptTemplate = useLocalStorage('chat-evaluation-prompt-template', CONVERSATION_EVALUATION_PROMPT_TEMPLATE);
const chatRefinementPromptTemplate = useLocalStorage('chat-refinement-prompt-template', CONVERSATION_REFINEMENT_PROMPT_TEMPLATE);
// 存储整个对象以保持一致性
const sourceLang = useLocalStorage<Language>('source-lang-v2', LANGUAGES[0]);
const targetLang = useLocalStorage<Language>('target-lang-v2', LANGUAGES[4]);
@@ -159,37 +188,6 @@ export const useSettingsStore = defineStore('settings', () => {
set: (val) => { toneRegisterMap.value[sourceLang.value.code] = val; }
});
const logs = ref<{ timestamp: string; type: 'request' | 'response' | 'error'; content: any }[]>([]);
const history = useLocalStorage<HistoryItem[]>('translation-history-v1', []);
const addLog = (type: 'request' | 'response' | 'error', content: any) => {
const now = new Date();
const timestamp = `${now.getFullYear()}-${String(now.getMonth() + 1).padStart(2, '0')}-${String(now.getDate()).padStart(2, '0')} ${String(now.getHours()).padStart(2, '0')}:${String(now.getMinutes()).padStart(2, '0')}:${String(now.getSeconds()).padStart(2, '0')}`;
logs.value.unshift({
timestamp,
type,
content
});
if (logs.value.length > 20) logs.value.pop();
};
const addHistory = (item: Omit<HistoryItem, 'id' | 'timestamp'>) => {
const now = new Date();
const timestamp = `${now.getFullYear()}-${String(now.getMonth() + 1).padStart(2, '0')}-${String(now.getDate()).padStart(2, '0')} ${String(now.getHours()).padStart(2, '0')}:${String(now.getMinutes()).padStart(2, '0')}:${String(now.getSeconds()).padStart(2, '0')}`;
history.value.unshift({
...item,
id: crypto.randomUUID(),
timestamp
});
// 限制 100 条
if (history.value.length > 100) {
history.value = history.value.slice(0, 100);
}
};
return {
isDark,
apiBaseUrl,
@@ -202,13 +200,12 @@ export const useSettingsStore = defineStore('settings', () => {
evaluationPromptTemplate,
evaluationProfileId,
refinementPromptTemplate,
chatSystemPromptTemplate,
chatEvaluationPromptTemplate,
chatRefinementPromptTemplate,
sourceLang,
targetLang,
speakerIdentity,
toneRegister,
logs,
history,
addLog,
addHistory
};
});

View File

@@ -0,0 +1,53 @@
import { ref } from 'vue';
import { defineStore } from 'pinia';
import type { EvaluationResult } from '../lib/translation-service';
export const useTranslationWorkspaceStore = defineStore('translationWorkspace', () => {
const sourceText = ref('');
const context = ref('');
const targetText = ref('');
const isTranslating = ref(false);
const currentHistoryId = ref<string | null>(null);
const evaluationResult = ref<EvaluationResult | null>(null);
const isEvaluating = ref(false);
const isRefining = ref(false);
const selectedSuggestionIds = ref<number[]>([]);
const appliedSuggestionIds = ref<number[]>([]);
const activeStreamRequestId = ref<string | null>(null);
const resetEvaluationState = () => {
evaluationResult.value = null;
selectedSuggestionIds.value = [];
appliedSuggestionIds.value = [];
};
const clearWorkspace = () => {
sourceText.value = '';
targetText.value = '';
resetEvaluationState();
};
const toggleSuggestion = (id: number) => {
const index = selectedSuggestionIds.value.indexOf(id);
if (index > -1) selectedSuggestionIds.value.splice(index, 1);
else selectedSuggestionIds.value.push(id);
};
return {
sourceText,
context,
targetText,
isTranslating,
currentHistoryId,
evaluationResult,
isEvaluating,
isRefining,
selectedSuggestionIds,
appliedSuggestionIds,
activeStreamRequestId,
resetEvaluationState,
clearWorkspace,
toggleSuggestion,
};
});