feat(mcp): import Codex MCP from ~/.codex/config.toml
- Support both TOML schemas: [mcp.servers.<id>] and [mcp_servers.<id>] - Non-destructive merge of imported servers (enabled=true only) - Preserve existing TOML schema when syncing (prefer mcp_servers) - Remove both mcp and mcp_servers when no enabled items feat(ui): auto-import Codex MCP on panel init (app=codex) chore(tauri): add import_mcp_from_codex command and register chore(types): expose window.api.importMcpFromCodex and typings fix(ui): remove unused variable for typecheck
This commit is contained in:
@@ -859,6 +859,21 @@ pub async fn import_mcp_from_claude(state: State<'_, AppState>) -> Result<usize,
|
|||||||
Ok(changed)
|
Ok(changed)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// 从 ~/.codex/config.toml 导入 MCP 定义到 config.json(Codex 作用域),返回变更数量
|
||||||
|
#[tauri::command]
|
||||||
|
pub async fn import_mcp_from_codex(state: State<'_, AppState>) -> Result<usize, String> {
|
||||||
|
let mut cfg = state
|
||||||
|
.config
|
||||||
|
.lock()
|
||||||
|
.map_err(|e| format!("获取锁失败: {}", e))?;
|
||||||
|
let changed = crate::mcp::import_from_codex(&mut cfg)?;
|
||||||
|
drop(cfg);
|
||||||
|
if changed > 0 {
|
||||||
|
state.save()?;
|
||||||
|
}
|
||||||
|
Ok(changed)
|
||||||
|
}
|
||||||
|
|
||||||
/// 获取设置
|
/// 获取设置
|
||||||
#[tauri::command]
|
#[tauri::command]
|
||||||
pub async fn get_settings() -> Result<crate::settings::AppSettings, String> {
|
pub async fn get_settings() -> Result<crate::settings::AppSettings, String> {
|
||||||
|
|||||||
@@ -437,6 +437,7 @@ pub fn run() {
|
|||||||
commands::sync_enabled_mcp_to_claude,
|
commands::sync_enabled_mcp_to_claude,
|
||||||
commands::sync_enabled_mcp_to_codex,
|
commands::sync_enabled_mcp_to_codex,
|
||||||
commands::import_mcp_from_claude,
|
commands::import_mcp_from_claude,
|
||||||
|
commands::import_mcp_from_codex,
|
||||||
// ours: endpoint speed test + custom endpoint management
|
// ours: endpoint speed test + custom endpoint management
|
||||||
commands::test_api_endpoints,
|
commands::test_api_endpoints,
|
||||||
commands::get_custom_endpoints,
|
commands::get_custom_endpoints,
|
||||||
|
|||||||
@@ -162,6 +162,147 @@ pub fn import_from_claude(config: &mut MultiAppConfig) -> Result<usize, String>
|
|||||||
Ok(changed)
|
Ok(changed)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// 从 ~/.codex/config.toml 导入 MCP 到 config.json(Codex 作用域),并将导入项设为 enabled=true。
|
||||||
|
/// 支持两种 schema:[mcp.servers.<id>] 与 [mcp_servers.<id>]。
|
||||||
|
/// 已存在的项仅强制 enabled=true,不覆盖其他字段。
|
||||||
|
pub fn import_from_codex(config: &mut MultiAppConfig) -> Result<usize, String> {
|
||||||
|
let text = crate::codex_config::read_and_validate_codex_config_text()?;
|
||||||
|
if text.trim().is_empty() {
|
||||||
|
return Ok(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
let root: toml::Table = toml::from_str(&text)
|
||||||
|
.map_err(|e| format!("解析 ~/.codex/config.toml 失败: {}", e))?;
|
||||||
|
|
||||||
|
let mut changed_total = 0usize;
|
||||||
|
|
||||||
|
// helper:处理一组 servers 表
|
||||||
|
let mut import_servers_tbl = |servers_tbl: &toml::value::Table| {
|
||||||
|
let mut changed = 0usize;
|
||||||
|
for (id, entry_val) in servers_tbl.iter() {
|
||||||
|
let Some(entry_tbl) = entry_val.as_table() else { continue };
|
||||||
|
|
||||||
|
// type 缺省为 stdio
|
||||||
|
let typ = entry_tbl
|
||||||
|
.get("type")
|
||||||
|
.and_then(|v| v.as_str())
|
||||||
|
.unwrap_or("stdio");
|
||||||
|
|
||||||
|
// 构建 JSON 规范
|
||||||
|
let mut spec = serde_json::Map::new();
|
||||||
|
spec.insert("type".into(), json!(typ));
|
||||||
|
|
||||||
|
match typ {
|
||||||
|
"stdio" => {
|
||||||
|
if let Some(cmd) = entry_tbl.get("command").and_then(|v| v.as_str()) {
|
||||||
|
spec.insert("command".into(), json!(cmd));
|
||||||
|
}
|
||||||
|
if let Some(args) = entry_tbl.get("args").and_then(|v| v.as_array()) {
|
||||||
|
let arr = args
|
||||||
|
.iter()
|
||||||
|
.filter_map(|x| x.as_str())
|
||||||
|
.map(|s| json!(s))
|
||||||
|
.collect::<Vec<_>>();
|
||||||
|
if !arr.is_empty() {
|
||||||
|
spec.insert("args".into(), serde_json::Value::Array(arr));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if let Some(cwd) = entry_tbl.get("cwd").and_then(|v| v.as_str()) {
|
||||||
|
if !cwd.trim().is_empty() {
|
||||||
|
spec.insert("cwd".into(), json!(cwd));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if let Some(env_tbl) = entry_tbl.get("env").and_then(|v| v.as_table()) {
|
||||||
|
let mut env_json = serde_json::Map::new();
|
||||||
|
for (k, v) in env_tbl.iter() {
|
||||||
|
if let Some(sv) = v.as_str() {
|
||||||
|
env_json.insert(k.clone(), json!(sv));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if !env_json.is_empty() {
|
||||||
|
spec.insert("env".into(), serde_json::Value::Object(env_json));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
"http" => {
|
||||||
|
if let Some(url) = entry_tbl.get("url").and_then(|v| v.as_str()) {
|
||||||
|
spec.insert("url".into(), json!(url));
|
||||||
|
}
|
||||||
|
if let Some(headers_tbl) = entry_tbl.get("headers").and_then(|v| v.as_table()) {
|
||||||
|
let mut headers_json = serde_json::Map::new();
|
||||||
|
for (k, v) in headers_tbl.iter() {
|
||||||
|
if let Some(sv) = v.as_str() {
|
||||||
|
headers_json.insert(k.clone(), json!(sv));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if !headers_json.is_empty() {
|
||||||
|
spec.insert("headers".into(), serde_json::Value::Object(headers_json));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
_ => {}
|
||||||
|
}
|
||||||
|
|
||||||
|
let spec_v = serde_json::Value::Object(spec);
|
||||||
|
|
||||||
|
// 校验
|
||||||
|
if let Err(e) = validate_mcp_spec(&spec_v) {
|
||||||
|
log::warn!("跳过无效 Codex MCP 项 '{}': {}", id, e);
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
// 合并:仅强制 enabled=true
|
||||||
|
use std::collections::hash_map::Entry;
|
||||||
|
let entry = config
|
||||||
|
.mcp_for_mut(&AppType::Codex)
|
||||||
|
.servers
|
||||||
|
.entry(id.clone());
|
||||||
|
match entry {
|
||||||
|
Entry::Vacant(vac) => {
|
||||||
|
let mut obj = spec_v.as_object().cloned().unwrap_or_default();
|
||||||
|
obj.insert("enabled".into(), json!(true));
|
||||||
|
vac.insert(serde_json::Value::Object(obj));
|
||||||
|
changed += 1;
|
||||||
|
}
|
||||||
|
Entry::Occupied(mut occ) => {
|
||||||
|
if let Some(mut existing) = occ.get().as_object().cloned() {
|
||||||
|
let prev = existing
|
||||||
|
.get("enabled")
|
||||||
|
.and_then(|b| b.as_bool())
|
||||||
|
.unwrap_or(false);
|
||||||
|
if !prev {
|
||||||
|
existing.insert("enabled".into(), json!(true));
|
||||||
|
occ.insert(serde_json::Value::Object(existing));
|
||||||
|
changed += 1;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
changed
|
||||||
|
};
|
||||||
|
|
||||||
|
// 1) 处理 mcp.servers
|
||||||
|
if let Some(mcp_val) = root.get("mcp") {
|
||||||
|
if let Some(mcp_tbl) = mcp_val.as_table() {
|
||||||
|
if let Some(servers_val) = mcp_tbl.get("servers") {
|
||||||
|
if let Some(servers_tbl) = servers_val.as_table() {
|
||||||
|
changed_total += import_servers_tbl(servers_tbl);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 2) 处理 mcp_servers
|
||||||
|
if let Some(servers_val) = root.get("mcp_servers") {
|
||||||
|
if let Some(servers_tbl) = servers_val.as_table() {
|
||||||
|
changed_total += import_servers_tbl(servers_tbl);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Ok(changed_total)
|
||||||
|
}
|
||||||
|
|
||||||
/// 将 config.json 中 Codex 的 enabled==true 项以 TOML 形式写入 ~/.codex/config.toml 的 [mcp.servers]
|
/// 将 config.json 中 Codex 的 enabled==true 项以 TOML 形式写入 ~/.codex/config.toml 的 [mcp.servers]
|
||||||
/// 策略:
|
/// 策略:
|
||||||
/// - 读取现有 config.toml;若语法无效则报错,不尝试覆盖
|
/// - 读取现有 config.toml;若语法无效则报错,不尝试覆盖
|
||||||
@@ -182,10 +323,12 @@ pub fn sync_enabled_to_codex(config: &MultiAppConfig) -> Result<(), String> {
|
|||||||
.map_err(|e| format!("解析 config.toml 失败: {}", e))?
|
.map_err(|e| format!("解析 config.toml 失败: {}", e))?
|
||||||
};
|
};
|
||||||
|
|
||||||
// 3) 构建 mcp.servers 表
|
// 3) 写入 servers 表(支持 mcp.servers 与 mcp_servers;优先沿用已有风格,默认 mcp_servers)
|
||||||
|
let prefer_mcp_servers = root.contains_key("mcp_servers") || !root.contains_key("mcp");
|
||||||
if enabled.is_empty() {
|
if enabled.is_empty() {
|
||||||
// 无启用项:清理 mcp 节点
|
// 无启用项:移除两种节点
|
||||||
root.remove("mcp");
|
root.remove("mcp");
|
||||||
|
root.remove("mcp_servers");
|
||||||
} else {
|
} else {
|
||||||
let mut servers_tbl = TomlTable::new();
|
let mut servers_tbl = TomlTable::new();
|
||||||
|
|
||||||
@@ -257,19 +400,21 @@ pub fn sync_enabled_to_codex(config: &MultiAppConfig) -> Result<(), String> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
_ => {
|
_ => {}
|
||||||
// 已在 validate_mcp_spec 保障,这里忽略
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
servers_tbl.insert(id.clone(), TomlValue::Table(s));
|
servers_tbl.insert(id.clone(), TomlValue::Table(s));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if prefer_mcp_servers {
|
||||||
|
root.insert("mcp_servers".into(), TomlValue::Table(servers_tbl));
|
||||||
|
root.remove("mcp");
|
||||||
|
} else {
|
||||||
let mut mcp_tbl = TomlTable::new();
|
let mut mcp_tbl = TomlTable::new();
|
||||||
mcp_tbl.insert("servers".into(), TomlValue::Table(servers_tbl));
|
mcp_tbl.insert("servers".into(), TomlValue::Table(servers_tbl));
|
||||||
|
|
||||||
// 覆盖写入 mcp 节点
|
|
||||||
root.insert("mcp".into(), TomlValue::Table(mcp_tbl));
|
root.insert("mcp".into(), TomlValue::Table(mcp_tbl));
|
||||||
|
root.remove("mcp_servers");
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 4) 序列化并写回 config.toml(仅改 TOML,不触碰 auth.json)
|
// 4) 序列化并写回 config.toml(仅改 TOML,不触碰 auth.json)
|
||||||
|
|||||||
@@ -23,7 +23,7 @@ function App() {
|
|||||||
const [currentProviderId, setCurrentProviderId] = useState<string>("");
|
const [currentProviderId, setCurrentProviderId] = useState<string>("");
|
||||||
const [isAddModalOpen, setIsAddModalOpen] = useState(false);
|
const [isAddModalOpen, setIsAddModalOpen] = useState(false);
|
||||||
const [editingProviderId, setEditingProviderId] = useState<string | null>(
|
const [editingProviderId, setEditingProviderId] = useState<string | null>(
|
||||||
null
|
null,
|
||||||
);
|
);
|
||||||
const [notification, setNotification] = useState<{
|
const [notification, setNotification] = useState<{
|
||||||
message: string;
|
message: string;
|
||||||
@@ -44,7 +44,7 @@ function App() {
|
|||||||
const showNotification = (
|
const showNotification = (
|
||||||
message: string,
|
message: string,
|
||||||
type: "success" | "error",
|
type: "success" | "error",
|
||||||
duration = 3000
|
duration = 3000,
|
||||||
) => {
|
) => {
|
||||||
// 清除之前的定时器
|
// 清除之前的定时器
|
||||||
if (timeoutRef.current) {
|
if (timeoutRef.current) {
|
||||||
@@ -196,7 +196,7 @@ function App() {
|
|||||||
? t("notifications.removedFromClaudePlugin")
|
? t("notifications.removedFromClaudePlugin")
|
||||||
: t("notifications.appliedToClaudePlugin"),
|
: t("notifications.appliedToClaudePlugin"),
|
||||||
"success",
|
"success",
|
||||||
2000
|
2000,
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
} catch (error: any) {
|
} catch (error: any) {
|
||||||
@@ -219,7 +219,7 @@ function App() {
|
|||||||
showNotification(
|
showNotification(
|
||||||
t("notifications.switchSuccess", { appName }),
|
t("notifications.switchSuccess", { appName }),
|
||||||
"success",
|
"success",
|
||||||
2000
|
2000,
|
||||||
);
|
);
|
||||||
// 更新托盘菜单
|
// 更新托盘菜单
|
||||||
await window.api.updateTrayMenu();
|
await window.api.updateTrayMenu();
|
||||||
|
|||||||
@@ -44,7 +44,7 @@ const McpFormModal: React.FC<McpFormModalProps> = ({
|
|||||||
const { t } = useTranslation();
|
const { t } = useTranslation();
|
||||||
const [formId, setFormId] = useState(editingId || "");
|
const [formId, setFormId] = useState(editingId || "");
|
||||||
const [formDescription, setFormDescription] = useState(
|
const [formDescription, setFormDescription] = useState(
|
||||||
(initialData as any)?.description || ""
|
(initialData as any)?.description || "",
|
||||||
);
|
);
|
||||||
const [formJson, setFormJson] = useState(
|
const [formJson, setFormJson] = useState(
|
||||||
initialData ? JSON.stringify(initialData, null, 2) : "",
|
initialData ? JSON.stringify(initialData, null, 2) : "",
|
||||||
|
|||||||
@@ -51,9 +51,11 @@ const McpPanel: React.FC<McpPanelProps> = ({ onClose, onNotify, appType }) => {
|
|||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const setup = async () => {
|
const setup = async () => {
|
||||||
try {
|
try {
|
||||||
// Claude:从 ~/.claude.json 导入已存在的 MCP(设为 enabled=true)
|
// 初始化导入:按应用类型从对应客户端导入已有 MCP(设为 enabled=true)
|
||||||
if (appType === "claude") {
|
if (appType === "claude") {
|
||||||
await window.api.importMcpFromClaude();
|
await window.api.importMcpFromClaude();
|
||||||
|
} else if (appType === "codex") {
|
||||||
|
await window.api.importMcpFromCodex();
|
||||||
}
|
}
|
||||||
|
|
||||||
// 读取现有 config.json 内容
|
// 读取现有 config.json 内容
|
||||||
@@ -86,7 +88,11 @@ const McpPanel: React.FC<McpPanelProps> = ({ onClose, onNotify, appType }) => {
|
|||||||
if (!server) {
|
if (!server) {
|
||||||
const preset = mcpPresets.find((p) => p.id === id);
|
const preset = mcpPresets.find((p) => p.id === id);
|
||||||
if (!preset) return;
|
if (!preset) return;
|
||||||
await window.api.upsertMcpServerInConfig(appType, id, preset.server as McpServer);
|
await window.api.upsertMcpServerInConfig(
|
||||||
|
appType,
|
||||||
|
id,
|
||||||
|
preset.server as McpServer,
|
||||||
|
);
|
||||||
}
|
}
|
||||||
await window.api.setMcpEnabled(appType, id, enabled);
|
await window.api.setMcpEnabled(appType, id, enabled);
|
||||||
await reload();
|
await reload();
|
||||||
@@ -177,7 +183,8 @@ const McpPanel: React.FC<McpPanelProps> = ({ onClose, onNotify, appType }) => {
|
|||||||
{/* Header */}
|
{/* Header */}
|
||||||
<div className="flex-shrink-0 flex items-center justify-between p-6 border-b border-gray-200 dark:border-gray-800">
|
<div className="flex-shrink-0 flex items-center justify-between p-6 border-b border-gray-200 dark:border-gray-800">
|
||||||
<h3 className="text-lg font-semibold text-gray-900 dark:text-gray-100">
|
<h3 className="text-lg font-semibold text-gray-900 dark:text-gray-100">
|
||||||
{t("mcp.title")} · {t(appType === "claude" ? "apps.claude" : "apps.codex")}
|
{t("mcp.title")} ·{" "}
|
||||||
|
{t(appType === "claude" ? "apps.claude" : "apps.codex")}
|
||||||
</h3>
|
</h3>
|
||||||
|
|
||||||
<div className="flex items-center gap-3">
|
<div className="flex items-center gap-3">
|
||||||
@@ -252,10 +259,6 @@ const McpPanel: React.FC<McpPanelProps> = ({ onClose, onNotify, appType }) => {
|
|||||||
|
|
||||||
{/* 预设(未安装) */}
|
{/* 预设(未安装) */}
|
||||||
{notInstalledPresets.map((p) => {
|
{notInstalledPresets.map((p) => {
|
||||||
const s = {
|
|
||||||
...(p.server as McpServer),
|
|
||||||
enabled: false,
|
|
||||||
} as McpServer;
|
|
||||||
return (
|
return (
|
||||||
<div
|
<div
|
||||||
key={`preset-${p.id}`}
|
key={`preset-${p.id}`}
|
||||||
|
|||||||
@@ -17,8 +17,7 @@ export const buttonStyles = {
|
|||||||
"px-4 py-2 bg-red-500 text-white rounded-lg hover:bg-red-600 dark:bg-red-600 dark:hover:bg-red-700 transition-colors text-sm font-medium",
|
"px-4 py-2 bg-red-500 text-white rounded-lg hover:bg-red-600 dark:bg-red-600 dark:hover:bg-red-700 transition-colors text-sm font-medium",
|
||||||
|
|
||||||
// MCP 专属按钮:绿底白字
|
// MCP 专属按钮:绿底白字
|
||||||
mcp:
|
mcp: "px-4 py-2 bg-emerald-500 text-white rounded-lg hover:bg-emerald-600 dark:bg-emerald-600 dark:hover:bg-emerald-700 transition-colors text-sm font-medium",
|
||||||
"px-4 py-2 bg-emerald-500 text-white rounded-lg hover:bg-emerald-600 dark:bg-emerald-600 dark:hover:bg-emerald-700 transition-colors text-sm font-medium",
|
|
||||||
|
|
||||||
// 幽灵按钮:无背景,仅悬浮反馈
|
// 幽灵按钮:无背景,仅悬浮反馈
|
||||||
ghost:
|
ghost:
|
||||||
|
|||||||
@@ -355,7 +355,11 @@ export const tauriAPI = {
|
|||||||
spec: McpServer | Record<string, any>,
|
spec: McpServer | Record<string, any>,
|
||||||
): Promise<boolean> => {
|
): Promise<boolean> => {
|
||||||
try {
|
try {
|
||||||
return await invoke<boolean>("upsert_mcp_server_in_config", { app, id, spec });
|
return await invoke<boolean>("upsert_mcp_server_in_config", {
|
||||||
|
app,
|
||||||
|
id,
|
||||||
|
spec,
|
||||||
|
});
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error("写入 MCP(config.json)失败:", error);
|
console.error("写入 MCP(config.json)失败:", error);
|
||||||
throw error;
|
throw error;
|
||||||
@@ -415,6 +419,16 @@ export const tauriAPI = {
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
|
||||||
|
// 从 ~/.codex/config.toml 导入 MCP(Codex 作用域)
|
||||||
|
importMcpFromCodex: async (): Promise<number> => {
|
||||||
|
try {
|
||||||
|
return await invoke<number>("import_mcp_from_codex");
|
||||||
|
} catch (error) {
|
||||||
|
console.error("从 ~/.codex/config.toml 导入 MCP 失败:", error);
|
||||||
|
throw error;
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
// ours: 第三方/自定义供应商——测速与端点管理
|
// ours: 第三方/自定义供应商——测速与端点管理
|
||||||
// 第三方/自定义供应商:批量测试端点延迟
|
// 第三方/自定义供应商:批量测试端点延迟
|
||||||
testApiEndpoints: async (
|
testApiEndpoints: async (
|
||||||
|
|||||||
14
src/vite-env.d.ts
vendored
14
src/vite-env.d.ts
vendored
@@ -1,6 +1,12 @@
|
|||||||
/// <reference types="vite/client" />
|
/// <reference types="vite/client" />
|
||||||
|
|
||||||
import { Provider, Settings, CustomEndpoint, McpStatus, McpConfigResponse } from "./types";
|
import {
|
||||||
|
Provider,
|
||||||
|
Settings,
|
||||||
|
CustomEndpoint,
|
||||||
|
McpStatus,
|
||||||
|
McpConfigResponse,
|
||||||
|
} from "./types";
|
||||||
import { AppType } from "./lib/tauri-api";
|
import { AppType } from "./lib/tauri-api";
|
||||||
import type { UnlistenFn } from "@tauri-apps/api/event";
|
import type { UnlistenFn } from "@tauri-apps/api/event";
|
||||||
|
|
||||||
@@ -77,7 +83,10 @@ declare global {
|
|||||||
id: string,
|
id: string,
|
||||||
spec: Record<string, any>,
|
spec: Record<string, any>,
|
||||||
) => Promise<boolean>;
|
) => Promise<boolean>;
|
||||||
deleteMcpServerInConfig: (app: AppType | undefined, id: string) => Promise<boolean>;
|
deleteMcpServerInConfig: (
|
||||||
|
app: AppType | undefined,
|
||||||
|
id: string,
|
||||||
|
) => Promise<boolean>;
|
||||||
setMcpEnabled: (
|
setMcpEnabled: (
|
||||||
app: AppType | undefined,
|
app: AppType | undefined,
|
||||||
id: string,
|
id: string,
|
||||||
@@ -86,6 +95,7 @@ declare global {
|
|||||||
syncEnabledMcpToClaude: () => Promise<boolean>;
|
syncEnabledMcpToClaude: () => Promise<boolean>;
|
||||||
syncEnabledMcpToCodex: () => Promise<boolean>;
|
syncEnabledMcpToCodex: () => Promise<boolean>;
|
||||||
importMcpFromClaude: () => Promise<number>;
|
importMcpFromClaude: () => Promise<number>;
|
||||||
|
importMcpFromCodex: () => Promise<number>;
|
||||||
testApiEndpoints: (
|
testApiEndpoints: (
|
||||||
urls: string[],
|
urls: string[],
|
||||||
options?: { timeoutSecs?: number },
|
options?: { timeoutSecs?: number },
|
||||||
|
|||||||
Reference in New Issue
Block a user