* feat(providers): add notes field for provider management - Add notes field to Provider model (backend and frontend) - Display notes with higher priority than URL in provider card - Style notes as non-clickable text to differentiate from URLs - Add notes input field in provider form - Add i18n support (zh/en) for notes field * chore: format code and clean up unused props - Run cargo fmt on Rust backend code - Format TypeScript imports and code style - Remove unused appId prop from ProviderPresetSelector - Clean up unused variables in tests - Integrate notes field handling in provider dialogs * feat(deeplink): implement ccswitch:// protocol for provider import Add deep link support to enable one-click provider configuration import via ccswitch:// URLs. Backend: - Implement URL parsing and validation (src-tauri/src/deeplink.rs) - Add Tauri commands for parse and import (src-tauri/src/commands/deeplink.rs) - Register ccswitch:// protocol in macOS Info.plist - Add comprehensive unit tests (src-tauri/tests/deeplink_import.rs) Frontend: - Create confirmation dialog with security review UI (src/components/DeepLinkImportDialog.tsx) - Add API wrapper (src/lib/api/deeplink.ts) - Integrate event listeners in App.tsx Configuration: - Update Tauri config for deep link handling - Add i18n support for Chinese and English - Include test page for deep link validation (deeplink-test.html) Files: 15 changed, 1312 insertions(+) * chore(deeplink): integrate deep link handling into app lifecycle Wire up deep link infrastructure with app initialization and event handling. Backend Integration: - Register deep link module and commands in mod.rs - Add URL handling in app setup (src-tauri/src/lib.rs:handle_deeplink_url) - Handle deep links from single instance callback (Windows/Linux CLI) - Handle deep links from macOS system events - Add tauri-plugin-deep-link dependency (Cargo.toml) Frontend Integration: - Listen for deeplink-import/deeplink-error events in App.tsx - Update DeepLinkImportDialog component imports Configuration: - Enable deep link plugin in tauri.conf.json - Update Cargo.lock for new dependencies Localization: - Add Chinese translations for deep link UI (zh.json) - Add English translations for deep link UI (en.json) Files: 9 changed, 359 insertions(+), 18 deletions(-) * refactor(deeplink): enhance Codex provider template generation Align deep link import with UI preset generation logic by: - Adding complete config.toml template matching frontend defaults - Generating safe provider name from sanitized input - Including model_provider, reasoning_effort, and wire_api settings - Removing minimal template that only contained base_url - Cleaning up deprecated test file deeplink-test.html * style: fix clippy uninlined_format_args warnings Apply clippy --fix to use inline format arguments in: - src/mcp.rs (8 fixes) - src/services/env_manager.rs (10 fixes) * style: apply code formatting and cleanup - Format TypeScript files with Prettier (App.tsx, EnvWarningBanner.tsx, formatters.ts) - Organize Rust imports and module order alphabetically - Add newline at end of JSON files (en.json, zh.json) - Update Cargo.lock for dependency changes * feat: add model name configuration support for Codex and fix Gemini model handling - Add visual model name input field for Codex providers - Add model name extraction and update utilities in providerConfigUtils - Implement model name state management in useCodexConfigState hook - Add conditional model field rendering in CodexFormFields (non-official only) - Integrate model name sync with TOML config in ProviderForm - Fix Gemini deeplink model injection bug - Correct environment variable name from GOOGLE_GEMINI_MODEL to GEMINI_MODEL - Add test cases for Gemini model injection (with/without model) - All tests passing (9/9) - Fix Gemini model field binding in edit mode - Add geminiModel state to useGeminiConfigState hook - Extract model value during initialization and reset - Sync model field with geminiEnv state to prevent data loss on submit - Fix missing model value display when editing Gemini providers Changes: - 6 files changed, 245 insertions(+), 13 deletions(-)
157 lines
4.4 KiB
TypeScript
157 lines
4.4 KiB
TypeScript
import { useCallback, useEffect, useMemo, useState } from "react";
|
||
import { useTranslation } from "react-i18next";
|
||
import { Save } from "lucide-react";
|
||
import {
|
||
Dialog,
|
||
DialogContent,
|
||
DialogDescription,
|
||
DialogFooter,
|
||
DialogHeader,
|
||
DialogTitle,
|
||
} from "@/components/ui/dialog";
|
||
import { Button } from "@/components/ui/button";
|
||
import type { Provider } from "@/types";
|
||
import {
|
||
ProviderForm,
|
||
type ProviderFormValues,
|
||
} from "@/components/providers/forms/ProviderForm";
|
||
import { providersApi, vscodeApi, type AppId } from "@/lib/api";
|
||
|
||
interface EditProviderDialogProps {
|
||
open: boolean;
|
||
provider: Provider | null;
|
||
onOpenChange: (open: boolean) => void;
|
||
onSubmit: (provider: Provider) => Promise<void> | void;
|
||
appId: AppId;
|
||
}
|
||
|
||
export function EditProviderDialog({
|
||
open,
|
||
provider,
|
||
onOpenChange,
|
||
onSubmit,
|
||
appId,
|
||
}: EditProviderDialogProps) {
|
||
const { t } = useTranslation();
|
||
|
||
// 默认使用传入的 provider.settingsConfig,若当前编辑对象是“当前生效供应商”,则尝试读取实时配置替换初始值
|
||
const [liveSettings, setLiveSettings] = useState<Record<
|
||
string,
|
||
unknown
|
||
> | null>(null);
|
||
|
||
useEffect(() => {
|
||
let cancelled = false;
|
||
const load = async () => {
|
||
if (!open || !provider) {
|
||
setLiveSettings(null);
|
||
return;
|
||
}
|
||
try {
|
||
const currentId = await providersApi.getCurrent(appId);
|
||
if (currentId && provider.id === currentId) {
|
||
try {
|
||
const live = (await vscodeApi.getLiveProviderSettings(
|
||
appId,
|
||
)) as Record<string, unknown>;
|
||
if (!cancelled && live && typeof live === "object") {
|
||
setLiveSettings(live);
|
||
}
|
||
} catch {
|
||
// 读取实时配置失败则回退到 SSOT(不打断编辑流程)
|
||
if (!cancelled) setLiveSettings(null);
|
||
}
|
||
} else {
|
||
if (!cancelled) setLiveSettings(null);
|
||
}
|
||
} finally {
|
||
// no-op
|
||
}
|
||
};
|
||
void load();
|
||
return () => {
|
||
cancelled = true;
|
||
};
|
||
}, [open, provider, appId]);
|
||
|
||
const initialSettingsConfig = useMemo(() => {
|
||
return (liveSettings ?? provider?.settingsConfig ?? {}) as Record<
|
||
string,
|
||
unknown
|
||
>;
|
||
}, [liveSettings, provider]);
|
||
|
||
const handleSubmit = useCallback(
|
||
async (values: ProviderFormValues) => {
|
||
if (!provider) return;
|
||
|
||
const parsedConfig = JSON.parse(values.settingsConfig) as Record<
|
||
string,
|
||
unknown
|
||
>;
|
||
|
||
const updatedProvider: Provider = {
|
||
...provider,
|
||
name: values.name.trim(),
|
||
notes: values.notes?.trim() || undefined,
|
||
websiteUrl: values.websiteUrl?.trim() || undefined,
|
||
settingsConfig: parsedConfig,
|
||
...(values.presetCategory ? { category: values.presetCategory } : {}),
|
||
// 保留或更新 meta 字段
|
||
...(values.meta ? { meta: values.meta } : {}),
|
||
};
|
||
|
||
await onSubmit(updatedProvider);
|
||
onOpenChange(false);
|
||
},
|
||
[onSubmit, onOpenChange, provider],
|
||
);
|
||
|
||
if (!provider) {
|
||
return null;
|
||
}
|
||
|
||
return (
|
||
<Dialog open={open} onOpenChange={onOpenChange}>
|
||
<DialogContent className="max-w-3xl max-h-[85vh] min-h-[600px] flex flex-col">
|
||
<DialogHeader>
|
||
<DialogTitle>{t("provider.editProvider")}</DialogTitle>
|
||
<DialogDescription>
|
||
{t("provider.editProviderHint")}
|
||
</DialogDescription>
|
||
</DialogHeader>
|
||
|
||
<div className="flex-1 overflow-y-auto px-6 py-4">
|
||
<ProviderForm
|
||
appId={appId}
|
||
providerId={provider.id}
|
||
submitLabel={t("common.save")}
|
||
onSubmit={handleSubmit}
|
||
onCancel={() => onOpenChange(false)}
|
||
initialData={{
|
||
name: provider.name,
|
||
notes: provider.notes,
|
||
websiteUrl: provider.websiteUrl,
|
||
// 若读取到实时配置则优先使用
|
||
settingsConfig: initialSettingsConfig,
|
||
category: provider.category,
|
||
meta: provider.meta,
|
||
}}
|
||
showButtons={false}
|
||
/>
|
||
</div>
|
||
|
||
<DialogFooter>
|
||
<Button variant="outline" onClick={() => onOpenChange(false)}>
|
||
{t("common.cancel")}
|
||
</Button>
|
||
<Button type="submit" form="provider-form">
|
||
<Save className="h-4 w-4" />
|
||
{t("common.save")}
|
||
</Button>
|
||
</DialogFooter>
|
||
</DialogContent>
|
||
</Dialog>
|
||
);
|
||
}
|