Compare commits

...

23 Commits
v0.5.1 ... old

Author SHA1 Message Date
Supra4E8C
a05145bf48 feat: implement iFlow OAuth access restrictions to local machine only, enhancing visibility logic and user notifications 2025-12-08 12:33:11 +08:00
Supra4E8C
1007dbbf44 feat: adjust sidebar positioning and height for improved layout, adding padding for navbar integration 2025-12-07 17:45:36 +08:00
Supra4E8C
3046375b3c feat: update OAuth card visibility logic to retain iFlow card for Cookie login functionality and enhance comments for clarity 2025-12-07 17:38:08 +08:00
Supra4E8C
48956aa0a7 feat: enhance OpenAI model discovery with fallback to simple GET request for improved CORS handling and user notifications 2025-12-07 17:29:47 +08:00
Supra4E8C
d3db2680cf feat: add favicon support and enhance logo setup logic to ensure favicon updates alongside site logos 2025-12-07 17:21:06 +08:00
Supra4E8C
8e4132200d feat: refactor model price display and editing functionality with improved layout and interaction 2025-12-06 16:46:37 +08:00
Supra4E8C
fc10db3b0a feat: update layout for usage filter actions and chart line group to improve responsiveness and visual hierarchy 2025-12-06 16:36:23 +08:00
Supra4E8C
2bcaf15fe8 feat: enhance usage statistics overview with responsive design, improved layout, and sparkline charts for better data visualization 2025-12-06 16:32:47 +08:00
Supra4E8C
28750ab068 feat: implement responsive brand title behavior for mobile viewports with animation handling and CSS adjustments 2025-12-06 14:57:19 +08:00
Supra4E8C
69f808e180 feat: enhance file upload functionality to support multiple JSON file uploads with improved validation and notification handling 2025-12-06 13:16:09 +08:00
Supra4E8C
86edc1ee95 feat: implement OpenAI provider connection testing with UI integration, status updates, and internationalization support 2025-12-06 01:25:04 +08:00
Supra4E8C
112f86966d feat: add version check functionality with UI integration, status updates, and internationalization support 2025-12-06 00:15:44 +08:00
Supra4E8C
658814bf6a refactor: streamline model name handling in updateApiStatsTable function for improved readability 2025-12-05 19:02:49 +08:00
Supra4E8C
ac4f310fe8 feat: add sensitive value masking functionality to usage module and update UI for system info localization 2025-12-05 18:30:01 +08:00
Supra4E8C
ba6a461a40 feat: implement available models loading functionality with UI integration, status updates, and internationalization support 2025-12-05 02:01:21 +08:00
Supra4E8C
0e01ee0456 feat: add log search functionality with UI input, filtering logic, and internationalization support 2025-12-04 23:42:13 +08:00
Supra4E8C
d235cfde81 refactor: simplify gemini key retrieval logic by removing legacy key handling 2025-12-04 01:07:59 +08:00
Supra4E8C
4d419448e8 feat: implement chart line deletion functionality with UI controls and internationalization support 2025-12-04 00:55:24 +08:00
Supra4E8C
63c0e5ffe2 refactor: remove min-height from config management card for improved layout flexibility 2025-12-03 23:38:22 +08:00
Supra4E8C
79b73dd3a0 feat: implement dynamic chart line management with UI controls, internationalization, and enhanced data handling 2025-12-03 18:51:31 +08:00
Supra4E8C
9e41fa0aa7 feat: add model search functionality with UI components and internationalization support 2025-12-03 18:13:23 +08:00
Supra4E8C
a607b8d9c1 feat: implement OAuth excluded models configuration handling with fallback data loading and UI updates 2025-12-03 18:07:08 +08:00
Supra4E8C
9a540791f5 refactor: adjust YAML editor dimensions and layout for improved consistency in config management 2025-12-03 12:17:38 +08:00
15 changed files with 2797 additions and 351 deletions

346
app.js
View File

@@ -56,6 +56,9 @@ class CLIProxyManager {
this.uiVersion = null;
this.serverVersion = null;
this.serverBuildDate = null;
this.latestVersion = null;
this.versionCheckStatus = 'muted';
this.versionCheckMessage = i18n.t('system_info.version_check_idle');
// 配置缓存 - 改为分段缓存(交由 ConfigService 管理)
this.cacheExpiry = CACHE_EXPIRY_MS;
@@ -65,6 +68,9 @@ class CLIProxyManager {
});
this.configCache = this.configService.cache;
this.cacheTimestamps = this.configService.cacheTimestamps;
this.availableModels = [];
this.availableModelApiKeysCache = null;
this.availableModelsLoading = false;
// 状态更新定时器
this.statusUpdateTimer = null;
@@ -77,7 +83,9 @@ class CLIProxyManager {
this.logsRefreshTimer = null;
// 当前展示的日志行
this.allLogLines = [];
this.displayedLogLines = [];
this.logSearchQuery = '';
this.maxDisplayLogLines = MAX_LOG_LINES;
this.logFetchLimit = LOG_FETCH_LIMIT;
@@ -108,6 +116,20 @@ class CLIProxyManager {
result: null
};
// 顶栏标题动画状态
this.brandCollapseTimer = null;
this.brandCollapseDelayMs = 5000;
this.brandIsCollapsed = false;
this.brandAnimationReady = false;
this.brandElements = {
toggle: null,
wrapper: null,
fullText: null,
shortText: null
};
this.brandResizeHandler = null;
this.brandToggleHandler = null;
// 主题管理
this.currentTheme = 'light';
@@ -207,13 +229,25 @@ class CLIProxyManager {
}
}
isLocalHostname(hostname = (typeof window !== 'undefined' ? window.location.hostname : '')) {
const host = (hostname || '').toLowerCase();
return host === 'localhost' || host === '127.0.0.1' || host === '::1';
}
isIflowOAuthAllowed(hostname = (typeof window !== 'undefined' ? window.location.hostname : '')) {
const host = (hostname || '').toLowerCase();
// iFlow OAuth 仅允许在本机回环地址访问
return host === '127.0.0.1' || host === 'localhost' || host === '::1';
}
// 检查主机名并隐藏 OAuth 登录框
checkHostAndHideOAuth() {
const hostname = window.location.hostname;
const isLocalhost = hostname === 'localhost' || hostname === '127.0.0.1' || hostname === '::1';
const isLocalhost = this.isLocalHostname(hostname);
const isIflowOAuthAllowed = this.isIflowOAuthAllowed(hostname);
if (!isLocalhost) {
// 隐藏所有 OAuth 登录卡片
// 隐藏所有 OAuth 登录卡片(除了 iFlow, 因为它有 Cookie 登录功能可远程使用)
OAUTH_CARD_IDS.forEach(cardId => {
const card = document.getElementById(cardId);
if (card) {
@@ -225,17 +259,44 @@ class CLIProxyManager {
const oauthCardElements = document.querySelectorAll('.card');
oauthCardElements.forEach(card => {
const cardText = card.textContent || '';
// 不再隐藏包含 'iFlow' 的卡片
if (cardText.includes('Codex OAuth') ||
cardText.includes('Anthropic OAuth') ||
cardText.includes('Antigravity OAuth') ||
cardText.includes('Gemini CLI OAuth') ||
cardText.includes('Qwen OAuth') ||
cardText.includes('iFlow OAuth')) {
cardText.includes('Qwen OAuth')) {
card.style.display = 'none';
}
});
console.log(`当前主机名: ${hostname},已隐藏 OAuth 登录框`);
console.log(`当前主机名: ${hostname},已隐藏 OAuth 登录框(保留 iFlow Cookie 登录)`);
}
if (!isIflowOAuthAllowed) {
// 对于 iFlow card, 仅在本机允许 OAuth其余情况只保留 Cookie 登录
const iflowCard = document.getElementById('iflow-oauth-card');
if (iflowCard) {
const oauthContent = document.getElementById('iflow-oauth-content');
const oauthButton = document.getElementById('iflow-oauth-btn');
const oauthStatus = document.getElementById('iflow-oauth-status');
const oauthUrlGroup = document.getElementById('iflow-oauth-url')?.closest('.form-group');
const oauthHint = iflowCard.querySelector('[data-i18n="auth_login.iflow_oauth_hint"]');
if (oauthContent) oauthContent.style.display = 'none';
if (oauthButton) oauthButton.style.display = 'none';
if (oauthStatus) {
oauthStatus.textContent = i18n.t('auth_login.iflow_oauth_local_only');
oauthStatus.style.display = 'block';
oauthStatus.style.color = 'var(--warning-text)';
}
if (oauthUrlGroup) oauthUrlGroup.style.display = 'none';
if (oauthHint) oauthHint.style.display = 'none';
// 保持整个 card 可见, 因为 Cookie 登录部分仍然可用
iflowCard.style.display = 'block';
}
console.log(`当前主机名: ${hostname}iFlow OAuth 已限制为本机访问,仅保留 Cookie 登录`);
}
}
@@ -274,6 +335,8 @@ class CLIProxyManager {
// 连接状态检查
const connectionStatus = document.getElementById('connection-status');
const refreshAll = document.getElementById('refresh-all');
const availableModelsRefresh = document.getElementById('available-models-refresh');
const versionCheckBtn = document.getElementById('version-check-btn');
if (connectionStatus) {
connectionStatus.addEventListener('click', () => this.checkConnectionStatus());
@@ -281,6 +344,12 @@ class CLIProxyManager {
if (refreshAll) {
refreshAll.addEventListener('click', () => this.refreshAllData());
}
if (availableModelsRefresh) {
availableModelsRefresh.addEventListener('click', () => this.loadAvailableModels({ forceRefresh: true }));
}
if (versionCheckBtn) {
versionCheckBtn.addEventListener('click', () => this.checkLatestVersion());
}
// 基础设置
const debugToggle = document.getElementById('debug-toggle');
@@ -333,6 +402,7 @@ class CLIProxyManager {
const downloadLogs = document.getElementById('download-logs');
const clearLogs = document.getElementById('clear-logs');
const logsAutoRefreshToggle = document.getElementById('logs-auto-refresh-toggle');
const logsSearchInput = document.getElementById('logs-search-input');
if (refreshLogs) {
refreshLogs.addEventListener('click', () => this.refreshLogs());
@@ -349,6 +419,14 @@ class CLIProxyManager {
if (logsAutoRefreshToggle) {
logsAutoRefreshToggle.addEventListener('change', (e) => this.toggleLogsAutoRefresh(e.target.checked));
}
if (logsSearchInput) {
const debouncedLogSearch = this.debounce((value) => {
this.updateLogSearchQuery(value);
}, 200);
logsSearchInput.addEventListener('input', (e) => {
debouncedLogSearch(e?.target?.value ?? '');
});
}
// API 密钥管理
const addApiKey = document.getElementById('add-api-key');
@@ -524,7 +602,9 @@ class CLIProxyManager {
const tokensDayBtn = document.getElementById('tokens-day-btn');
const costHourBtn = document.getElementById('cost-hour-btn');
const costDayBtn = document.getElementById('cost-day-btn');
const addChartLineBtn = document.getElementById('add-chart-line');
const chartLineSelects = document.querySelectorAll('.chart-line-select');
const chartLineDeleteButtons = document.querySelectorAll('.chart-line-delete');
const modelPriceForm = document.getElementById('model-price-form');
const resetModelPricesBtn = document.getElementById('reset-model-prices');
const modelPriceSelect = document.getElementById('model-price-model-select');
@@ -550,6 +630,9 @@ class CLIProxyManager {
if (costDayBtn) {
costDayBtn.addEventListener('click', () => this.switchCostPeriod('day'));
}
if (addChartLineBtn) {
addChartLineBtn.addEventListener('click', () => this.changeChartLineCount(1));
}
if (chartLineSelects.length) {
chartLineSelects.forEach(select => {
select.addEventListener('change', (event) => {
@@ -558,6 +641,15 @@ class CLIProxyManager {
});
});
}
if (chartLineDeleteButtons.length) {
chartLineDeleteButtons.forEach(button => {
button.addEventListener('click', () => {
const index = Number.parseInt(button.getAttribute('data-line-index'), 10);
this.removeChartLine(Number.isNaN(index) ? -1 : index);
});
});
}
this.updateChartLineControlsUI();
if (modelPriceForm) {
modelPriceForm.addEventListener('submit', (event) => {
event.preventDefault();
@@ -627,6 +719,226 @@ class CLIProxyManager {
});
}
// 顶栏标题动画与状态
isMobileViewport() {
return typeof window !== 'undefined' ? window.innerWidth <= 768 : false;
}
setupBrandTitleAnimation() {
const mainPage = document.getElementById('main-page');
if (mainPage && mainPage.style.display === 'none') {
return;
}
const toggle = document.getElementById('brand-name-toggle');
const wrapper = document.getElementById('brand-texts');
const fullText = document.querySelector('.brand-text-full');
const shortText = document.querySelector('.brand-text-short');
if (!toggle || !wrapper || !fullText || !shortText) {
return;
}
this.brandElements = { toggle, wrapper, fullText, shortText };
if (!this.brandToggleHandler) {
this.brandToggleHandler = () => this.handleBrandToggle();
toggle.addEventListener('click', this.brandToggleHandler);
}
if (!this.brandResizeHandler) {
this.brandResizeHandler = () => this.handleBrandResize();
window.addEventListener('resize', this.brandResizeHandler);
}
if (this.isMobileViewport()) {
this.applyMobileBrandState();
} else {
this.enableBrandAnimation();
}
}
enableBrandAnimation() {
const { toggle } = this.brandElements || {};
if (toggle) {
toggle.removeAttribute('aria-disabled');
toggle.style.pointerEvents = '';
}
this.brandAnimationReady = true;
}
applyMobileBrandState() {
const { toggle, wrapper, shortText } = this.brandElements || {};
if (!toggle || !wrapper || !shortText) {
return;
}
this.clearBrandCollapseTimer();
this.brandIsCollapsed = true;
this.brandAnimationReady = false;
toggle.classList.add('collapsed');
toggle.classList.remove('expanded');
toggle.setAttribute('aria-disabled', 'true');
toggle.style.pointerEvents = 'none';
const targetWidth = this.getBrandTextWidth(shortText);
this.applyBrandWidth(targetWidth, { animate: false });
}
getBrandTextWidth(element) {
if (!element) {
return 0;
}
const width = element.scrollWidth || element.getBoundingClientRect().width || 0;
return Number.isFinite(width) ? Math.ceil(width) : 0;
}
applyBrandWidth(targetWidth, { animate = true } = {}) {
const wrapper = this.brandElements?.wrapper;
if (!wrapper || !Number.isFinite(targetWidth)) {
return;
}
if (!animate) {
const previousTransition = wrapper.style.transition;
wrapper.style.transition = 'none';
wrapper.style.width = `${targetWidth}px`;
wrapper.getBoundingClientRect(); // 强制重绘以应用无动画的宽度
wrapper.style.transition = previousTransition;
return;
}
wrapper.style.width = `${targetWidth}px`;
}
updateBrandTextWidths(options = {}) {
const { wrapper, fullText, shortText } = this.brandElements || {};
if (!wrapper || !fullText || !shortText) {
return;
}
const targetSpan = this.brandIsCollapsed ? shortText : fullText;
const targetWidth = this.getBrandTextWidth(targetSpan);
this.applyBrandWidth(targetWidth, { animate: !options.immediate });
}
setBrandCollapsed(collapsed, options = {}) {
const { toggle, fullText, shortText } = this.brandElements || {};
if (!toggle || !fullText || !shortText) {
return;
}
this.brandIsCollapsed = collapsed;
const targetSpan = collapsed ? shortText : fullText;
const targetWidth = this.getBrandTextWidth(targetSpan);
this.applyBrandWidth(targetWidth, { animate: options.animate !== false });
toggle.classList.toggle('collapsed', collapsed);
toggle.classList.toggle('expanded', !collapsed);
}
handleBrandResize() {
if (!this.brandElements?.wrapper) {
return;
}
if (this.isMobileViewport()) {
this.applyMobileBrandState();
return;
}
if (!this.brandAnimationReady) {
this.enableBrandAnimation();
this.brandIsCollapsed = false;
this.setBrandCollapsed(false, { animate: false });
this.scheduleBrandCollapse(this.brandCollapseDelayMs);
return;
}
this.updateBrandTextWidths({ immediate: true });
}
scheduleBrandCollapse(delayMs = this.brandCollapseDelayMs) {
this.clearBrandCollapseTimer();
this.brandCollapseTimer = window.setTimeout(() => {
this.setBrandCollapsed(true);
this.brandCollapseTimer = null;
}, delayMs);
}
clearBrandCollapseTimer() {
if (this.brandCollapseTimer) {
clearTimeout(this.brandCollapseTimer);
this.brandCollapseTimer = null;
}
}
startBrandCollapseCycle() {
this.setupBrandTitleAnimation();
if (this.isMobileViewport()) {
this.applyMobileBrandState();
return;
}
if (!this.brandAnimationReady) {
return;
}
this.clearBrandCollapseTimer();
this.brandIsCollapsed = false;
this.setBrandCollapsed(false, { animate: false });
this.scheduleBrandCollapse(this.brandCollapseDelayMs);
}
resetBrandTitleState() {
this.clearBrandCollapseTimer();
const mainPage = document.getElementById('main-page');
if (this.isMobileViewport()) {
this.applyMobileBrandState();
return;
}
if (!this.brandAnimationReady || (mainPage && mainPage.style.display === 'none')) {
this.brandIsCollapsed = false;
return;
}
this.brandIsCollapsed = false;
this.setBrandCollapsed(false, { animate: false });
}
refreshBrandTitleAfterTextChange() {
if (this.isMobileViewport()) {
this.applyMobileBrandState();
return;
}
if (!this.brandAnimationReady) {
return;
}
this.updateBrandTextWidths({ immediate: true });
if (!this.brandIsCollapsed) {
this.scheduleBrandCollapse(this.brandCollapseDelayMs);
}
}
handleBrandToggle() {
if (!this.brandAnimationReady) {
return;
}
const nextCollapsed = !this.brandIsCollapsed;
this.setBrandCollapsed(nextCollapsed);
this.clearBrandCollapseTimer();
if (!nextCollapsed) {
// 展开后给用户留出一点时间阅读再收起
this.scheduleBrandCollapse(this.brandCollapseDelayMs + 1500);
}
}
// 显示通知
showNotification(message, type = 'info') {
@@ -661,12 +973,21 @@ class CLIProxyManager {
tokensChart = null;
costChart = null;
currentUsageData = null;
chartLineSelections = ['none', 'none', 'none'];
chartLineSelectIds = ['chart-line-select-0', 'chart-line-select-1', 'chart-line-select-2'];
chartLineMaxCount = 9;
chartLineVisibleCount = 3;
chartLineSelections = Array(3).fill('none');
chartLineSelectionsInitialized = false;
chartLineSelectIds = Array.from({ length: 9 }, (_, idx) => `chart-line-select-${idx}`);
chartLineStyles = [
{ borderColor: '#3b82f6', backgroundColor: 'rgba(59, 130, 246, 0.15)' },
{ borderColor: '#a855f7', backgroundColor: 'rgba(168, 85, 247, 0.15)' },
{ borderColor: '#10b981', backgroundColor: 'rgba(16, 185, 129, 0.15)' }
{ borderColor: '#10b981', backgroundColor: 'rgba(16, 185, 129, 0.15)' },
{ borderColor: '#f97316', backgroundColor: 'rgba(249, 115, 22, 0.15)' },
{ borderColor: '#ec4899', backgroundColor: 'rgba(236, 72, 153, 0.15)' },
{ borderColor: '#14b8a6', backgroundColor: 'rgba(20, 184, 166, 0.15)' },
{ borderColor: '#8b5cf6', backgroundColor: 'rgba(139, 92, 246, 0.15)' },
{ borderColor: '#f59e0b', backgroundColor: 'rgba(245, 158, 11, 0.15)' },
{ borderColor: '#22c55e', backgroundColor: 'rgba(34, 197, 94, 0.15)' }
];
modelPriceStorageKey = 'cli-proxy-model-prices-v2';
modelPrices = {};
@@ -729,7 +1050,8 @@ function exposeManagerInstance(instance) {
function setupSiteLogo() {
const img = document.getElementById('site-logo');
const loginImg = document.getElementById('login-logo');
if (!img && !loginImg) return;
const favicon = document.getElementById('favicon-link');
if (!img && !loginImg && !favicon) return;
const inlineLogo = typeof window !== 'undefined' ? window.__INLINE_LOGO__ : null;
if (inlineLogo) {
@@ -741,6 +1063,9 @@ function setupSiteLogo() {
loginImg.src = inlineLogo;
loginImg.style.display = 'inline-block';
}
if (favicon) {
favicon.href = inlineLogo;
}
return;
}
@@ -762,6 +1087,9 @@ function setupSiteLogo() {
loginImg.src = test.src;
loginImg.style.display = 'inline-block';
}
if (favicon) {
favicon.href = test.src;
}
};
test.onerror = () => {
idx++;

106
i18n.js
View File

@@ -52,6 +52,7 @@ const i18n = {
// 页面标题
'title.main': 'CLI Proxy API Management Center',
'title.login': 'CLI Proxy API Management Center',
'title.abbr': 'CPAMC',
// 自动登录
'auto_login.title': '正在自动登录...',
@@ -94,7 +95,7 @@ const i18n = {
'nav.usage_stats': '使用统计',
'nav.config_management': '配置管理',
'nav.logs': '日志查看',
'nav.system_info': '系统信息',
'nav.system_info': '中心信息',
// 基础设置
'basic_settings.title': '基础设置',
@@ -224,6 +225,9 @@ const i18n = {
'ai_providers.openai_models_fetch_error': '获取模型失败',
'ai_providers.openai_models_fetch_back': '返回编辑',
'ai_providers.openai_models_fetch_apply': '添加所选模型',
'ai_providers.openai_models_search_label': '搜索模型',
'ai_providers.openai_models_search_placeholder': '按名称、别名或描述筛选',
'ai_providers.openai_models_search_empty': '没有匹配的模型,请更换关键字试试。',
'ai_providers.openai_models_fetch_invalid_url': '请先填写有效的 Base URL',
'ai_providers.openai_models_fetch_added': '已添加 {count} 个新模型',
'ai_providers.openai_edit_modal_title': '编辑OpenAI兼容提供商',
@@ -234,6 +238,15 @@ const i18n = {
'ai_providers.openai_delete_confirm': '确定要删除这个OpenAI提供商吗',
'ai_providers.openai_keys_count': '密钥数量',
'ai_providers.openai_models_count': '模型数量',
'ai_providers.openai_test_title': '连通性测试',
'ai_providers.openai_test_hint': '使用当前配置向 /v1/chat/completions 请求,验证是否可用。',
'ai_providers.openai_test_model_placeholder': '选择或输入要测试的模型',
'ai_providers.openai_test_action': '发送测试',
'ai_providers.openai_test_running': '正在发送测试请求...',
'ai_providers.openai_test_success': '测试成功,模型可用。',
'ai_providers.openai_test_failed': '测试失败',
'ai_providers.openai_test_select_placeholder': '从当前模型列表选择',
'ai_providers.openai_test_select_empty': '当前未配置模型,可直接输入',
// 认证文件管理
@@ -418,6 +431,7 @@ const i18n = {
'auth_login.iflow_oauth_title': 'iFlow OAuth',
'auth_login.iflow_oauth_button': '开始 iFlow 登录',
'auth_login.iflow_oauth_hint': '通过 OAuth 流程登录 iFlow 服务,自动获取并保存认证文件。',
'auth_login.iflow_oauth_local_only': 'iFlow OAuth 仅在本机 (127.0.0.1) 访问时可用,请使用 Cookie 登录。',
'auth_login.iflow_oauth_url_label': '授权链接:',
'auth_login.iflow_open_link': '打开链接',
'auth_login.iflow_copy_link': '复制链接',
@@ -460,7 +474,18 @@ const i18n = {
'usage_stats.chart_line_label_1': '曲线 1',
'usage_stats.chart_line_label_2': '曲线 2',
'usage_stats.chart_line_label_3': '曲线 3',
'usage_stats.chart_line_label_4': '曲线 4',
'usage_stats.chart_line_label_5': '曲线 5',
'usage_stats.chart_line_label_6': '曲线 6',
'usage_stats.chart_line_label_7': '曲线 7',
'usage_stats.chart_line_label_8': '曲线 8',
'usage_stats.chart_line_label_9': '曲线 9',
'usage_stats.chart_line_hidden': '不显示',
'usage_stats.chart_line_actions_label': '曲线数量',
'usage_stats.chart_line_add': '增加曲线',
'usage_stats.chart_line_all': '全部',
'usage_stats.chart_line_delete': '删除曲线',
'usage_stats.chart_line_hint': '最多同时显示 9 条模型曲线',
'usage_stats.no_data': '暂无数据',
'usage_stats.loading_error': '加载失败',
'usage_stats.api_endpoint': 'API端点',
@@ -515,6 +540,9 @@ const i18n = {
'logs.auto_refresh': '自动刷新',
'logs.auto_refresh_enabled': '自动刷新已开启',
'logs.auto_refresh_disabled': '自动刷新已关闭',
'logs.search_placeholder': '搜索日志内容或关键字',
'logs.search_empty_title': '未找到匹配的日志',
'logs.search_empty_desc': '尝试更换关键字或清空搜索条件。',
'logs.lines': '行',
'logs.removed': '已删除',
'logs.upgrade_required_title': '需要升级 CLI Proxy API',
@@ -540,7 +568,7 @@ const i18n = {
'config_management.editor_placeholder': 'key: value',
// 系统信息
'system_info.title': '系统信息',
'system_info.title': '管理中心信息',
'system_info.connection_status_title': '连接状态',
'system_info.api_status_label': 'API 状态:',
'system_info.config_status_label': '配置状态:',
@@ -549,6 +577,24 @@ const i18n = {
'system_info.real_time_data': '实时数据',
'system_info.not_loaded': '未加载',
'system_info.seconds_ago': '秒前',
'system_info.models_title': '可用模型列表',
'system_info.models_desc': '展示 /v1/models 返回的模型,并自动使用服务器保存的 API Key 进行鉴权。',
'system_info.models_loading': '正在加载可用模型...',
'system_info.models_empty': '未从 /v1/models 获取到模型数据',
'system_info.models_error': '获取模型列表失败',
'system_info.models_count': '可用模型 {count} 个',
'system_info.version_check_title': '版本检查',
'system_info.version_check_desc': '调用 /latest-version 接口比对服务器版本,提示是否有可用更新。',
'system_info.version_current_label': '当前版本',
'system_info.version_latest_label': '最新版本',
'system_info.version_check_button': '检查更新',
'system_info.version_check_idle': '点击检查更新',
'system_info.version_checking': '正在检查最新版本...',
'system_info.version_update_available': '有新版本可用:{version}',
'system_info.version_is_latest': '当前已是最新版本',
'system_info.version_check_error': '检查更新失败',
'system_info.version_current_missing': '未获取到服务器版本号,暂无法比对',
'system_info.version_unknown': '未知',
// 通知消息
'notification.debug_updated': '调试设置已更新',
@@ -583,6 +629,9 @@ const i18n = {
'notification.openai_provider_updated': 'OpenAI提供商更新成功',
'notification.openai_provider_deleted': 'OpenAI提供商删除成功',
'notification.openai_model_name_required': '请填写模型名称',
'notification.openai_test_url_required': '请先填写有效的 Base URL 以进行测试',
'notification.openai_test_key_required': '请至少填写一个 API 密钥以进行测试',
'notification.openai_test_model_required': '请选择或输入要测试的模型',
'notification.data_refreshed': '数据刷新成功',
'notification.connection_required': '请先建立连接',
'notification.refresh_failed': '刷新失败',
@@ -671,6 +720,7 @@ const i18n = {
// Page titles
'title.main': 'CLI Proxy API Management Center',
'title.login': 'CLI Proxy API Management Center',
'title.abbr': 'CPAMC',
// Auto login
'auto_login.title': 'Auto Login in Progress...',
@@ -713,7 +763,7 @@ const i18n = {
'nav.usage_stats': 'Usage Statistics',
'nav.config_management': 'Config Management',
'nav.logs': 'Logs Viewer',
'nav.system_info': 'System Info',
'nav.system_info': 'Management Center Info',
// Basic settings
'basic_settings.title': 'Basic Settings',
@@ -843,6 +893,9 @@ const i18n = {
'ai_providers.openai_models_fetch_error': 'Failed to fetch models',
'ai_providers.openai_models_fetch_back': 'Back to edit',
'ai_providers.openai_models_fetch_apply': 'Add selected models',
'ai_providers.openai_models_search_label': 'Search models',
'ai_providers.openai_models_search_placeholder': 'Filter by name, alias, or description',
'ai_providers.openai_models_search_empty': 'No models match your search. Try a different keyword.',
'ai_providers.openai_models_fetch_invalid_url': 'Please enter a valid Base URL first',
'ai_providers.openai_models_fetch_added': '{count} new models added',
'ai_providers.openai_edit_modal_title': 'Edit OpenAI Compatible Provider',
@@ -853,6 +906,15 @@ const i18n = {
'ai_providers.openai_delete_confirm': 'Are you sure you want to delete this OpenAI provider?',
'ai_providers.openai_keys_count': 'Keys Count',
'ai_providers.openai_models_count': 'Models Count',
'ai_providers.openai_test_title': 'Connection Test',
'ai_providers.openai_test_hint': 'Send a /v1/chat/completions request with the current settings to verify availability.',
'ai_providers.openai_test_model_placeholder': 'Model to test',
'ai_providers.openai_test_action': 'Run Test',
'ai_providers.openai_test_running': 'Sending test request...',
'ai_providers.openai_test_success': 'Test succeeded. The model responded.',
'ai_providers.openai_test_failed': 'Test failed',
'ai_providers.openai_test_select_placeholder': 'Choose from current models',
'ai_providers.openai_test_select_empty': 'No models configured, enter manually',
// Auth files management
@@ -1036,6 +1098,7 @@ const i18n = {
'auth_login.iflow_oauth_title': 'iFlow OAuth',
'auth_login.iflow_oauth_button': 'Start iFlow Login',
'auth_login.iflow_oauth_hint': 'Login to iFlow service through OAuth flow, automatically obtain and save authentication files.',
'auth_login.iflow_oauth_local_only': 'iFlow OAuth is only available from 127.0.0.1 (local machine); please use Cookie login remotely.',
'auth_login.iflow_oauth_url_label': 'Authorization URL:',
'auth_login.iflow_open_link': 'Open Link',
'auth_login.iflow_copy_link': 'Copy Link',
@@ -1078,7 +1141,18 @@ const i18n = {
'usage_stats.chart_line_label_1': 'Line 1',
'usage_stats.chart_line_label_2': 'Line 2',
'usage_stats.chart_line_label_3': 'Line 3',
'usage_stats.chart_line_label_4': 'Line 4',
'usage_stats.chart_line_label_5': 'Line 5',
'usage_stats.chart_line_label_6': 'Line 6',
'usage_stats.chart_line_label_7': 'Line 7',
'usage_stats.chart_line_label_8': 'Line 8',
'usage_stats.chart_line_label_9': 'Line 9',
'usage_stats.chart_line_hidden': 'Hide',
'usage_stats.chart_line_actions_label': 'Lines to display',
'usage_stats.chart_line_add': 'Add line',
'usage_stats.chart_line_all': 'All',
'usage_stats.chart_line_delete': 'Delete line',
'usage_stats.chart_line_hint': 'Show up to 9 model lines at once',
'usage_stats.no_data': 'No Data Available',
'usage_stats.loading_error': 'Loading Failed',
'usage_stats.api_endpoint': 'API Endpoint',
@@ -1133,6 +1207,9 @@ const i18n = {
'logs.auto_refresh': 'Auto Refresh',
'logs.auto_refresh_enabled': 'Auto refresh enabled',
'logs.auto_refresh_disabled': 'Auto refresh disabled',
'logs.search_placeholder': 'Search logs by content or keyword',
'logs.search_empty_title': 'No matching logs found',
'logs.search_empty_desc': 'Try a different keyword or clear the search filter.',
'logs.lines': 'lines',
'logs.removed': 'Removed',
'logs.upgrade_required_title': 'Please Upgrade CLI Proxy API',
@@ -1158,7 +1235,7 @@ const i18n = {
'config_management.editor_placeholder': 'key: value',
// System info
'system_info.title': 'System Information',
'system_info.title': 'Management Center Info',
'system_info.connection_status_title': 'Connection Status',
'system_info.api_status_label': 'API Status:',
'system_info.config_status_label': 'Config Status:',
@@ -1167,6 +1244,24 @@ const i18n = {
'system_info.real_time_data': 'Real-time Data',
'system_info.not_loaded': 'Not Loaded',
'system_info.seconds_ago': 'seconds ago',
'system_info.models_title': 'Available Models',
'system_info.models_desc': 'Shows the /v1/models response and uses saved API keys for auth automatically.',
'system_info.models_loading': 'Loading available models...',
'system_info.models_empty': 'No models returned by /v1/models',
'system_info.models_error': 'Failed to load model list',
'system_info.models_count': '{count} available models',
'system_info.version_check_title': 'Update Check',
'system_info.version_check_desc': 'Call the /latest-version endpoint to compare with the server version and see if an update is available.',
'system_info.version_current_label': 'Current version',
'system_info.version_latest_label': 'Latest version',
'system_info.version_check_button': 'Check for updates',
'system_info.version_check_idle': 'Click to check for updates',
'system_info.version_checking': 'Checking for the latest version...',
'system_info.version_update_available': 'An update is available: {version}',
'system_info.version_is_latest': 'You are on the latest version',
'system_info.version_check_error': 'Update check failed',
'system_info.version_current_missing': 'Server version is unavailable; cannot compare',
'system_info.version_unknown': 'Unknown',
// Notification messages
'notification.debug_updated': 'Debug settings updated',
@@ -1201,6 +1296,9 @@ const i18n = {
'notification.openai_provider_updated': 'OpenAI provider updated successfully',
'notification.openai_provider_deleted': 'OpenAI provider deleted successfully',
'notification.openai_model_name_required': 'Model name is required',
'notification.openai_test_url_required': 'Please provide a valid Base URL before testing',
'notification.openai_test_key_required': 'Please add at least one API key before testing',
'notification.openai_test_model_required': 'Please select or enter a model to test',
'notification.data_refreshed': 'Data refreshed successfully',
'notification.connection_required': 'Please establish connection first',
'notification.refresh_failed': 'Refresh failed',

View File

@@ -5,6 +5,7 @@
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title data-i18n="title.login">CLI Proxy API Management Center</title>
<link rel="icon" type="image/x-icon" id="favicon-link">
<link rel="stylesheet" href="styles.css">
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.4.0/css/all.min.css">
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/codemirror.min.css">
@@ -126,7 +127,12 @@
</button>
<div class="top-navbar-brand">
<img id="site-logo" class="top-navbar-brand-logo" alt="Logo" style="display:none" />
<span class="top-navbar-brand-text" data-i18n="title.main">CLI Proxy API Management Center</span>
<button class="top-navbar-brand-toggle expanded" id="brand-name-toggle" type="button" aria-label="展开标题">
<span class="brand-texts" id="brand-texts">
<span class="top-navbar-brand-text brand-text brand-text-full" data-i18n="title.main">CLI Proxy API Management Center</span>
<span class="top-navbar-brand-text brand-text brand-text-short" data-i18n="title.abbr">CPAMC</span>
</span>
</button>
</div>
</div>
<div class="top-navbar-actions">
@@ -182,7 +188,7 @@
<i class="fas fa-scroll"></i> <span data-i18n="nav.logs">日志查看</span>
</a></li>
<li data-i18n-tooltip="nav.system_info"><a href="#system-info" class="nav-item" data-section="system-info">
<i class="fas fa-info-circle"></i> <span data-i18n="nav.system_info">系统信息</span>
<i class="fas fa-info-circle"></i> <span data-i18n="nav.system_info">中心信息</span>
</a></li>
</ul>
</nav>
@@ -553,7 +559,7 @@
<i class="fas fa-chevron-right"></i>
</button>
</div>
<input type="file" id="auth-file-input" accept=".json" style="display: none;">
<input type="file" id="auth-file-input" accept=".json" multiple style="display: none;">
</div>
</div>
@@ -839,27 +845,33 @@
<h2 data-i18n="logs.title">日志查看</h2>
<div class="card">
<div class="card-header">
<h3><i class="fas fa-scroll"></i> <span data-i18n="logs.log_content">日志内容</span></h3>
<div class="card-header logs-header">
<div class="logs-header-main">
<h3><i class="fas fa-scroll"></i> <span data-i18n="logs.log_content">日志内容</span></h3>
<div class="logs-search">
<i class="fas fa-search"></i>
<input type="text" id="logs-search-input" aria-label="搜索日志" data-i18n-placeholder="logs.search_placeholder" placeholder="搜索日志...">
</div>
</div>
<div class="header-actions">
<div class="toggle-group" style="margin-right: 15px;">
<label class="toggle-switch" style="margin-right: 5px;">
<input type="checkbox" id="logs-auto-refresh-toggle">
<span class="slider"></span>
</label>
<span class="toggle-label" data-i18n="logs.auto_refresh" style="font-size: 0.9em;">自动刷新</span>
</div>
<button id="refresh-logs" class="btn btn-primary">
<i class="fas fa-sync-alt"></i> <span data-i18n="logs.refresh_button">刷新日志</span>
</button>
<button id="select-error-log" class="btn btn-secondary">
<i class="fas fa-file-circle-exclamation"></i> <span data-i18n="logs.error_log_button">选择错误日志</span>
</button>
<button id="download-logs" class="btn btn-secondary">
<i class="fas fa-download"></i> <span data-i18n="logs.download_button">下载日志</span>
</button>
<button id="clear-logs" class="btn btn-danger">
<i class="fas fa-trash"></i> <span data-i18n="logs.clear_button">清空日志</span>
<span class="toggle-label" data-i18n="logs.auto_refresh" style="font-size: 0.9em;">自动刷新</span>
</div>
<button id="refresh-logs" class="btn btn-primary">
<i class="fas fa-sync-alt"></i> <span data-i18n="logs.refresh_button">刷新日志</span>
</button>
<button id="select-error-log" class="btn btn-secondary">
<i class="fas fa-file-circle-exclamation"></i> <span data-i18n="logs.error_log_button">选择错误日志</span>
</button>
<button id="download-logs" class="btn btn-secondary">
<i class="fas fa-download"></i> <span data-i18n="logs.download_button">下载日志</span>
</button>
<button id="clear-logs" class="btn btn-danger">
<i class="fas fa-trash"></i> <span data-i18n="logs.clear_button">清空日志</span>
</button>
</div>
</div>
@@ -869,6 +881,7 @@
</div>
</div>
</div>
</section>
<!-- 使用统计 -->
@@ -878,104 +891,215 @@
<!-- 概览统计卡片 -->
<div class="stats-overview">
<div class="stat-card">
<div class="stat-icon">
<i class="fas fa-paper-plane"></i>
</div>
<div class="stat-content">
<div class="stat-number" id="total-requests">0</div>
<div class="stat-label" data-i18n="usage_stats.total_requests">请求</div>
</div>
</div>
<div class="stat-card">
<div class="stat-icon success">
<i class="fas fa-check-circle"></i>
</div>
<div class="stat-content">
<div class="stat-number" id="success-requests">0</div>
<div class="stat-label" data-i18n="usage_stats.success_requests">成功请求</div>
</div>
</div>
<div class="stat-card">
<div class="stat-icon error">
<i class="fas fa-exclamation-circle"></i>
</div>
<div class="stat-content">
<div class="stat-number" id="failed-requests">0</div>
<div class="stat-label" data-i18n="usage_stats.failed_requests">失败请求</div>
</div>
</div>
<div class="stat-card">
<div class="stat-icon">
<i class="fas fa-coins"></i>
</div>
<div class="stat-content">
<div class="stat-number" id="total-tokens">0</div>
<div class="stat-label" data-i18n="usage_stats.total_tokens">总Token数</div>
<div class="stat-subtext">
<span data-i18n="usage_stats.cached_tokens">缓存 Token 数</span>:
<span id="cached-tokens">0</span>
<div class="stat-card-header">
<div class="stat-meta">
<div class="stat-label" data-i18n="usage_stats.total_requests">总请求数</div>
<div class="stat-number" id="total-requests">0</div>
<div class="stat-subtext stat-subtext-inline">
<span><span data-i18n="usage_stats.success_requests">成功请求</span> <span id="success-requests">0</span></span>
<span class="dot-divider"></span>
<span><span data-i18n="usage_stats.failed_requests">失败请求</span> <span id="failed-requests">0</span></span>
</div>
</div>
<div class="stat-subtext">
<span data-i18n="usage_stats.reasoning_tokens">思考 Token 数</span>:
<span id="reasoning-tokens">0</span>
<div class="stat-icon">
<i class="fas fa-paper-plane"></i>
</div>
</div>
</div>
<div class="stat-card">
<div class="stat-icon">
<i class="fas fa-gauge-high"></i>
</div>
<div class="stat-content">
<div class="stat-number" id="rpm-30m">0</div>
<div class="stat-label" data-i18n="usage_stats.rpm_30m">RPM近30分钟</div>
<div class="stat-sparkline" aria-label="30分钟请求趋势">
<canvas id="requests-sparkline"></canvas>
</div>
</div>
<div class="stat-card">
<div class="stat-icon">
<i class="fas fa-stopwatch"></i>
<div class="stat-card-header">
<div class="stat-meta">
<div class="stat-label" data-i18n="usage_stats.total_tokens">总Token数</div>
<div class="stat-number" id="total-tokens">0</div>
<div class="stat-subtext">
<span data-i18n="usage_stats.cached_tokens">缓存 Token 数</span>:
<span id="cached-tokens">0</span>
</div>
<div class="stat-subtext">
<span data-i18n="usage_stats.reasoning_tokens">思考 Token 数</span>:
<span id="reasoning-tokens">0</span>
</div>
</div>
<div class="stat-icon">
<i class="fas fa-coins"></i>
</div>
</div>
<div class="stat-content">
<div class="stat-number" id="tpm-30m">0</div>
<div class="stat-label" data-i18n="usage_stats.tpm_30m">TPM近30分钟</div>
<div class="stat-sparkline" aria-label="30分钟Token趋势">
<canvas id="tokens-sparkline"></canvas>
</div>
</div>
<div class="stat-card">
<div class="stat-card-header">
<div class="stat-meta">
<div class="stat-label" data-i18n="usage_stats.rpm_30m">RPM近30分钟</div>
<div class="stat-number" id="rpm-30m">0</div>
</div>
<div class="stat-icon">
<i class="fas fa-gauge-high"></i>
</div>
</div>
<div class="stat-sparkline" aria-label="30分钟RPM趋势">
<canvas id="rpm-sparkline"></canvas>
</div>
</div>
<div class="stat-card">
<div class="stat-card-header">
<div class="stat-meta">
<div class="stat-label" data-i18n="usage_stats.tpm_30m">TPM近30分钟</div>
<div class="stat-number" id="tpm-30m">0</div>
</div>
<div class="stat-icon">
<i class="fas fa-stopwatch"></i>
</div>
</div>
<div class="stat-sparkline" aria-label="30分钟TPM趋势">
<canvas id="tpm-sparkline"></canvas>
</div>
</div>
<div class="stat-card cost-summary-card">
<div class="stat-icon">
<i class="fas fa-dollar-sign"></i>
<div class="stat-card-header">
<div class="stat-meta">
<div class="stat-label" data-i18n="usage_stats.total_cost">总花费</div>
<div class="stat-number" id="total-cost">--</div>
<div class="stat-subtext" id="total-cost-hint" data-i18n="usage_stats.total_cost_hint">基于已设置的模型单价</div>
</div>
<div class="stat-icon">
<i class="fas fa-dollar-sign"></i>
</div>
</div>
<div class="stat-content">
<div class="stat-number" id="total-cost">--</div>
<div class="stat-label" data-i18n="usage_stats.total_cost">总花费</div>
<div class="stat-subtext" id="total-cost-hint" data-i18n="usage_stats.total_cost_hint">基于已设置的模型单价</div>
<div class="stat-sparkline" aria-label="30分钟花费趋势">
<canvas id="cost-sparkline"></canvas>
</div>
</div>
</div>
<!-- 图表曲线选择 -->
<div class="usage-filter-bar">
<div class="usage-filter-group">
<div class="usage-filter-bar" id="chart-line-bar">
<div class="usage-filter-group usage-filter-actions">
<label data-i18n="usage_stats.chart_line_actions_label">曲线数量</label>
<div class="chart-line-actions">
<button type="button" class="btn btn-small" id="add-chart-line">
<i class="fas fa-plus"></i>
<span data-i18n="usage_stats.chart_line_add">增加曲线</span>
</button>
<span class="chart-line-count" id="chart-line-count">3/9</span>
</div>
<div class="chart-line-hint" data-i18n="usage_stats.chart_line_hint">最多显示 9 条模型曲线</div>
</div>
<div class="usage-filter-group chart-line-group" data-line-index="0">
<label for="chart-line-select-0" data-i18n="usage_stats.chart_line_label_1">曲线 1</label>
<select id="chart-line-select-0" class="model-filter-select chart-line-select" data-line-index="0" disabled>
<option value="none" data-i18n="usage_stats.chart_line_hidden">不显示</option>
</select>
<div class="chart-line-control">
<select id="chart-line-select-0" class="model-filter-select chart-line-select" data-line-index="0" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="0">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group">
<div class="usage-filter-group chart-line-group" data-line-index="1">
<label for="chart-line-select-1" data-i18n="usage_stats.chart_line_label_2">曲线 2</label>
<select id="chart-line-select-1" class="model-filter-select chart-line-select" data-line-index="1" disabled>
<option value="none" data-i18n="usage_stats.chart_line_hidden">不显示</option>
</select>
<div class="chart-line-control">
<select id="chart-line-select-1" class="model-filter-select chart-line-select" data-line-index="1" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="1">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group">
<div class="usage-filter-group chart-line-group" data-line-index="2">
<label for="chart-line-select-2" data-i18n="usage_stats.chart_line_label_3">曲线 3</label>
<select id="chart-line-select-2" class="model-filter-select chart-line-select" data-line-index="2" disabled>
<option value="none" data-i18n="usage_stats.chart_line_hidden">不显示</option>
</select>
<div class="chart-line-control">
<select id="chart-line-select-2" class="model-filter-select chart-line-select" data-line-index="2" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="2">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group chart-line-group chart-line-hidden" data-line-index="3">
<label for="chart-line-select-3" data-i18n="usage_stats.chart_line_label_4">曲线 4</label>
<div class="chart-line-control">
<select id="chart-line-select-3" class="model-filter-select chart-line-select" data-line-index="3" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="3">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group chart-line-group chart-line-hidden" data-line-index="4">
<label for="chart-line-select-4" data-i18n="usage_stats.chart_line_label_5">曲线 5</label>
<div class="chart-line-control">
<select id="chart-line-select-4" class="model-filter-select chart-line-select" data-line-index="4" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="4">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group chart-line-group chart-line-hidden" data-line-index="5">
<label for="chart-line-select-5" data-i18n="usage_stats.chart_line_label_6">曲线 6</label>
<div class="chart-line-control">
<select id="chart-line-select-5" class="model-filter-select chart-line-select" data-line-index="5" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="5">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group chart-line-group chart-line-hidden" data-line-index="6">
<label for="chart-line-select-6" data-i18n="usage_stats.chart_line_label_7">曲线 7</label>
<div class="chart-line-control">
<select id="chart-line-select-6" class="model-filter-select chart-line-select" data-line-index="6" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="6">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group chart-line-group chart-line-hidden" data-line-index="7">
<label for="chart-line-select-7" data-i18n="usage_stats.chart_line_label_8">曲线 8</label>
<div class="chart-line-control">
<select id="chart-line-select-7" class="model-filter-select chart-line-select" data-line-index="7" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="7">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
<div class="usage-filter-group chart-line-group chart-line-hidden" data-line-index="8">
<label for="chart-line-select-8" data-i18n="usage_stats.chart_line_label_9">曲线 9</label>
<div class="chart-line-control">
<select id="chart-line-select-8" class="model-filter-select chart-line-select" data-line-index="8" disabled>
<option value="all" data-i18n="usage_stats.chart_line_all">全部</option>
</select>
<button type="button" class="btn btn-small btn-danger chart-line-delete" data-line-index="8">
<i class="fas fa-trash"></i>
<span data-i18n="usage_stats.chart_line_delete">删除</span>
</button>
</div>
</div>
</div>
@@ -1128,9 +1252,23 @@
</div>
</section>
<!-- 系统信息 -->
<!-- 管理中心信息 -->
<section id="system-info" class="content-section">
<h2 data-i18n="system_info.title">系统信息</h2>
<h2 data-i18n="system_info.title">管理中心信息</h2>
<div class="card">
<div class="card-header">
<h3><i class="fas fa-layer-group"></i> <span data-i18n="system_info.models_title">可用模型列表</span></h3>
<button type="button" id="available-models-refresh" class="btn btn-secondary">
<i class="fas fa-sync-alt"></i> <span data-i18n="common.refresh">刷新</span>
</button>
</div>
<div class="card-content">
<p class="form-hint" data-i18n="system_info.models_desc">展示当前服务返回的 /v1/models 列表(使用服务器保存的 API Key 自动鉴权)。</p>
<div id="available-models-status" class="available-models-status" data-i18n="common.loading">加载中...</div>
<div id="available-models-list" class="available-models-list"></div>
</div>
</div>
<!-- 连接信息卡片 -->
<div class="card">
@@ -1188,6 +1326,31 @@
</div>
</div>
</div>
<div class="card">
<div class="card-header">
<h3><i class="fas fa-arrows-rotate"></i> <span data-i18n="system_info.version_check_title">版本检查</span></h3>
</div>
<div class="card-content version-check">
<p class="form-hint" data-i18n="system_info.version_check_desc">调用 /latest-version 接口比对服务器版本,提示是否有可用更新。</p>
<div class="version-check-rows">
<div class="version-check-row">
<span class="status-label" data-i18n="system_info.version_current_label">当前版本</span>
<span id="version-check-current" class="version-check-value">-</span>
</div>
<div class="version-check-row">
<span class="status-label" data-i18n="system_info.version_latest_label">最新版本</span>
<span id="version-check-latest" class="version-check-value">-</span>
</div>
</div>
<div class="version-check-actions">
<button type="button" id="version-check-btn" class="btn btn-primary">
<i class="fas fa-search"></i> <span data-i18n="system_info.version_check_button">检查更新</span>
</button>
<span id="version-check-result" class="version-check-result" data-i18n="system_info.version_check_idle">点击检查更新</span>
</div>
</div>
</div>
</section>
</div>
<!-- /内容区域 -->

View File

@@ -3,6 +3,34 @@
import { STATUS_UPDATE_INTERVAL_MS, DEFAULT_API_PORT } from '../utils/constants.js';
import { secureStorage } from '../utils/secure-storage.js';
import { normalizeModelList, classifyModels } from '../utils/models.js';
const buildModelsEndpoint = (baseUrl) => {
if (!baseUrl) return '';
const trimmed = String(baseUrl).trim().replace(/\/+$/g, '');
if (!trimmed) return '';
return trimmed.endsWith('/v1') ? `${trimmed}/models` : `${trimmed}/v1/models`;
};
const normalizeApiKeyList = (input) => {
if (!Array.isArray(input)) return [];
const seen = new Set();
const keys = [];
input.forEach(item => {
const value = typeof item === 'string'
? item
: (item && item['api-key'] ? item['api-key'] : '');
const trimmed = String(value || '').trim();
if (!trimmed || seen.has(trimmed)) {
return;
}
seen.add(trimmed);
keys.push(trimmed);
});
return keys;
};
export const connectionModule = {
// 规范化基础地址,移除尾部斜杠与 /v0/management
@@ -101,6 +129,56 @@ export const connectionModule = {
}
},
renderVersionCheckStatus({
currentVersion,
latestVersion,
message,
status
} = {}) {
const resolvedCurrent = (typeof currentVersion === 'undefined' || currentVersion === null)
? this.serverVersion
: currentVersion;
const resolvedLatest = (typeof latestVersion === 'undefined' || latestVersion === null)
? this.latestVersion
: latestVersion;
const resolvedMessage = (typeof message === 'undefined' || message === null)
? (this.versionCheckMessage || i18n.t('system_info.version_check_idle'))
: message;
const resolvedStatus = status || this.versionCheckStatus || 'muted';
this.latestVersion = resolvedLatest || null;
this.versionCheckMessage = resolvedMessage;
this.versionCheckStatus = resolvedStatus;
const currentEl = document.getElementById('version-check-current');
if (currentEl) {
currentEl.textContent = resolvedCurrent || i18n.t('system_info.version_unknown');
}
const latestEl = document.getElementById('version-check-latest');
if (latestEl) {
latestEl.textContent = resolvedLatest || '-';
}
const resultEl = document.getElementById('version-check-result');
if (resultEl) {
resultEl.textContent = resolvedMessage;
resultEl.className = `version-check-result ${resolvedStatus}`.trim();
}
},
resetVersionCheckStatus() {
this.latestVersion = null;
this.versionCheckMessage = i18n.t('system_info.version_check_idle');
this.versionCheckStatus = 'muted';
this.renderVersionCheckStatus({
currentVersion: this.serverVersion,
latestVersion: this.latestVersion,
message: this.versionCheckMessage,
status: this.versionCheckStatus
});
},
// 渲染底栏的版本与构建时间
renderVersionInfo() {
const versionEl = document.getElementById('api-version');
@@ -121,12 +199,20 @@ export const connectionModule = {
const domVersion = this.readUiVersionFromDom();
uiVersionEl.textContent = this.uiVersion || domVersion || 'v0.0.0-dev';
}
this.renderVersionCheckStatus({
currentVersion: this.serverVersion,
latestVersion: this.latestVersion,
message: this.versionCheckMessage,
status: this.versionCheckStatus
});
},
// 清空版本信息(例如登出时)
resetVersionInfo() {
this.serverVersion = null;
this.serverBuildDate = null;
this.resetVersionCheckStatus();
this.renderVersionInfo();
},
@@ -143,6 +229,119 @@ export const connectionModule = {
return buildDate;
},
parseVersionSegments(version) {
if (!version || typeof version !== 'string') return null;
const cleaned = version.trim().replace(/^v/i, '');
if (!cleaned) return null;
const parts = cleaned.split(/[^0-9]+/).filter(Boolean).map(segment => {
const parsed = parseInt(segment, 10);
return Number.isFinite(parsed) ? parsed : 0;
});
return parts.length ? parts : null;
},
compareVersions(latestVersion, currentVersion) {
const latestParts = this.parseVersionSegments(latestVersion);
const currentParts = this.parseVersionSegments(currentVersion);
if (!latestParts || !currentParts) {
return null;
}
const length = Math.max(latestParts.length, currentParts.length);
for (let i = 0; i < length; i++) {
const latest = latestParts[i] || 0;
const current = currentParts[i] || 0;
if (latest > current) return 1;
if (latest < current) return -1;
}
return 0;
},
async checkLatestVersion() {
if (!this.isConnected) {
const message = i18n.t('notification.connection_required');
this.renderVersionCheckStatus({
currentVersion: this.serverVersion,
latestVersion: this.latestVersion,
message,
status: 'warning'
});
this.showNotification(message, 'error');
return;
}
const button = document.getElementById('version-check-btn');
const originalLabel = button ? button.innerHTML : '';
if (button) {
button.disabled = true;
button.innerHTML = `<div class="loading"></div> ${i18n.t('system_info.version_checking')}`;
}
this.renderVersionCheckStatus({
currentVersion: this.serverVersion,
latestVersion: this.latestVersion,
message: i18n.t('system_info.version_checking'),
status: 'info'
});
try {
const data = await this.makeRequest('/latest-version');
const latestVersion = data?.['latest-version'] || data?.latest_version || '';
const latestParts = this.parseVersionSegments(latestVersion);
const currentParts = this.parseVersionSegments(this.serverVersion);
const comparison = (latestParts && currentParts)
? this.compareVersions(latestVersion, this.serverVersion)
: null;
let messageKey = 'system_info.version_check_error';
let statusClass = 'error';
if (!latestParts) {
messageKey = 'system_info.version_check_error';
} else if (!currentParts) {
messageKey = 'system_info.version_current_missing';
statusClass = 'warning';
} else if (comparison > 0) {
messageKey = 'system_info.version_update_available';
statusClass = 'warning';
} else {
messageKey = 'system_info.version_is_latest';
statusClass = 'success';
}
const message = i18n.t(messageKey, latestVersion ? { version: latestVersion } : undefined);
this.renderVersionCheckStatus({
currentVersion: this.serverVersion,
latestVersion,
message,
status: statusClass
});
if (latestVersion && comparison !== null) {
const notifyKey = comparison > 0
? 'system_info.version_update_available'
: 'system_info.version_is_latest';
const notifyType = comparison > 0 ? 'warning' : 'success';
this.showNotification(i18n.t(notifyKey, { version: latestVersion }), notifyType);
}
} catch (error) {
const message = `${i18n.t('system_info.version_check_error')}: ${error.message}`;
this.renderVersionCheckStatus({
currentVersion: this.serverVersion,
latestVersion: this.latestVersion,
message,
status: 'error'
});
this.showNotification(message, 'error');
} finally {
if (button) {
button.disabled = false;
button.innerHTML = originalLabel;
}
}
},
// API 请求方法
async makeRequest(endpoint, options = {}) {
try {
@@ -153,6 +352,178 @@ export const connectionModule = {
}
},
buildAvailableModelsEndpoint() {
return buildModelsEndpoint(this.apiBase || this.apiClient?.apiBase || '');
},
setAvailableModelsStatus(message = '', type = 'info') {
const statusEl = document.getElementById('available-models-status');
if (!statusEl) return;
statusEl.textContent = message || '';
statusEl.className = `available-models-status ${type}`;
},
renderAvailableModels(models = []) {
const listEl = document.getElementById('available-models-list');
if (!listEl) return;
if (!models.length) {
listEl.innerHTML = `
<div class="available-models-empty">
<i class="fas fa-inbox"></i>
<span>${i18n.t('system_info.models_empty')}</span>
</div>
`;
return;
}
const language = (i18n?.currentLanguage || '').toLowerCase();
const otherLabel = language.startsWith('zh') ? '其他' : 'Other';
const groups = classifyModels(models, { otherLabel });
const groupHtml = groups.map(group => {
const pills = group.items.map(model => {
const name = this.escapeHtml(model.name || '');
const alias = model.alias ? `<span class="model-alias">${this.escapeHtml(model.alias)}</span>` : '';
const description = model.description ? this.escapeHtml(model.description) : '';
const titleAttr = description ? ` title="${description}"` : '';
return `
<span class="provider-model-tag available-model-tag"${titleAttr}>
<span class="model-name">${name}</span>
${alias}
</span>
`;
}).join('');
const label = this.escapeHtml(group.label || group.id || '');
return `
<div class="available-model-group">
<div class="available-model-group-header">
<div class="available-model-group-title">
<span class="available-model-group-label">${label}</span>
<span class="available-model-group-count">${group.items.length}</span>
</div>
</div>
<div class="available-model-group-body">
${pills}
</div>
</div>
`;
}).join('');
listEl.innerHTML = groupHtml;
},
clearAvailableModels(messageKey = 'system_info.models_empty') {
this.availableModels = [];
this.availableModelApiKeysCache = null;
const listEl = document.getElementById('available-models-list');
if (listEl) {
listEl.innerHTML = '';
}
this.setAvailableModelsStatus(i18n.t(messageKey), 'warning');
},
async resolveApiKeysForModels({ config = null, forceRefresh = false } = {}) {
if (!forceRefresh && Array.isArray(this.availableModelApiKeysCache) && this.availableModelApiKeysCache.length) {
return this.availableModelApiKeysCache;
}
const configKeys = normalizeApiKeyList(config?.['api-keys'] || this.configCache?.['api-keys']);
if (configKeys.length) {
this.availableModelApiKeysCache = configKeys;
return configKeys;
}
try {
const data = await this.makeRequest('/api-keys');
const keys = normalizeApiKeyList(data?.['api-keys']);
if (keys.length) {
this.availableModelApiKeysCache = keys;
}
return keys;
} catch (error) {
console.warn('自动获取 API Key 失败:', error);
return [];
}
},
async loadAvailableModels({ config = null, forceRefresh = false } = {}) {
const listEl = document.getElementById('available-models-list');
const statusEl = document.getElementById('available-models-status');
if (!listEl || !statusEl) {
return;
}
if (!this.isConnected) {
this.setAvailableModelsStatus(i18n.t('common.disconnected'), 'warning');
listEl.innerHTML = '';
return;
}
const endpoint = this.buildAvailableModelsEndpoint();
if (!endpoint) {
this.setAvailableModelsStatus(i18n.t('system_info.models_error'), 'error');
listEl.innerHTML = `
<div class="available-models-empty">
<i class="fas fa-exclamation-circle"></i>
<span>${i18n.t('login.error_invalid')}</span>
</div>
`;
return;
}
this.availableModelsLoading = true;
this.setAvailableModelsStatus(i18n.t('system_info.models_loading'), 'info');
listEl.innerHTML = '<div class="available-models-placeholder"><i class="fas fa-spinner fa-spin"></i></div>';
try {
const headers = {};
const keys = await this.resolveApiKeysForModels({ config, forceRefresh });
if (keys.length) {
headers.Authorization = `Bearer ${keys[0]}`;
}
const response = await fetch(endpoint, { headers });
if (!response.ok) {
throw new Error(`${response.status} ${response.statusText}`);
}
let data;
try {
data = await response.json();
} catch (err) {
const text = await response.text();
throw new Error(text || err.message || 'Invalid JSON');
}
const models = normalizeModelList(data, { dedupe: true });
this.availableModels = models;
if (!models.length) {
this.setAvailableModelsStatus(i18n.t('system_info.models_empty'), 'warning');
this.renderAvailableModels([]);
return;
}
this.setAvailableModelsStatus(i18n.t('system_info.models_count', { count: models.length }), 'success');
this.renderAvailableModels(models);
} catch (error) {
console.error('加载可用模型失败:', error);
this.availableModels = [];
this.setAvailableModelsStatus(`${i18n.t('system_info.models_error')}: ${error.message}`, 'error');
listEl.innerHTML = `
<div class="available-models-empty">
<i class="fas fa-exclamation-circle"></i>
<span>${this.escapeHtml(error.message || '')}</span>
</div>
`;
} finally {
this.availableModelsLoading = false;
}
},
// 测试连接(简化版,用于内部调用)
async testConnection() {
try {
@@ -203,6 +574,11 @@ export const connectionModule = {
apiStatus.textContent = i18n.t('common.disconnected');
configStatus.textContent = i18n.t('system_info.not_loaded');
configStatus.style.color = '#6b7280';
this.setAvailableModelsStatus(i18n.t('common.disconnected'), 'warning');
const modelsList = document.getElementById('available-models-list');
if (modelsList) {
modelsList.innerHTML = '';
}
}
lastUpdate.textContent = new Date().toLocaleString('zh-CN');
@@ -280,8 +656,12 @@ export const connectionModule = {
this.configService.clearCache(section);
this.configCache = this.configService.cache;
this.cacheTimestamps = this.configService.cacheTimestamps;
if (!section || section === 'api-keys') {
this.availableModelApiKeysCache = null;
}
if (!section) {
this.configYamlCache = '';
this.availableModels = [];
}
},
@@ -329,6 +709,8 @@ export const connectionModule = {
// 从配置中提取并设置各个设置项现在传递keyStats
await this.updateSettingsFromConfig(config, keyStats);
await this.loadAvailableModels({ config, forceRefresh });
if (this.events && typeof this.events.emit === 'function') {
this.events.emit('data:config-loaded', {
config,

View File

@@ -2,6 +2,8 @@
// 这些函数依赖于 CLIProxyManager 实例上的 makeRequest/getConfig/clearCache/showNotification 等能力,
// 以及 apiKeysModule 中的工具方法(如 applyHeadersToConfig/renderHeaderBadges
import { normalizeModelList } from '../utils/models.js';
const getStatsBySource = (stats) => {
if (stats && typeof stats === 'object' && stats.bySource) {
return stats.bySource;
@@ -21,42 +23,17 @@ const buildModelEndpoint = (baseUrl) => {
return `${trimmed}/v1/models`;
};
const normalizeModelList = (payload) => {
const toModel = (entry) => {
if (typeof entry === 'string') {
return { name: entry };
}
if (!entry || typeof entry !== 'object') {
return null;
}
const name = entry.id || entry.name || entry.model || entry.value;
if (!name) return null;
const alias = entry.alias || entry.display_name || entry.displayName;
const description = entry.description || entry.note || entry.comment;
const model = { name: String(name) };
if (alias && alias !== name) {
model.alias = String(alias);
}
if (description) {
model.description = String(description);
}
return model;
};
if (Array.isArray(payload)) {
return payload.map(toModel).filter(Boolean);
const buildChatCompletionsEndpoint = (baseUrl) => {
if (!baseUrl) return '';
const trimmed = String(baseUrl).trim().replace(/\/+$/g, '');
if (!trimmed) return '';
if (trimmed.endsWith('/chat/completions')) {
return trimmed;
}
if (payload && typeof payload === 'object') {
if (Array.isArray(payload.data)) {
return payload.data.map(toModel).filter(Boolean);
}
if (Array.isArray(payload.models)) {
return payload.models.map(toModel).filter(Boolean);
}
if (trimmed.endsWith('/v1')) {
return `${trimmed}/chat/completions`;
}
return [];
return `${trimmed}/v1/chat/completions`;
};
const normalizeExcludedModels = (input) => {
@@ -128,25 +105,7 @@ export function getGeminiKeysFromConfig(config) {
}
const geminiKeys = Array.isArray(config['gemini-api-key']) ? config['gemini-api-key'] : [];
if (geminiKeys.length > 0) {
return geminiKeys;
}
const legacyKeys = Array.isArray(config['generative-language-api-key']) ? config['generative-language-api-key'] : [];
return legacyKeys
.map(item => {
if (item && typeof item === 'object') {
return { ...item };
}
if (typeof item === 'string') {
const trimmed = item.trim();
if (trimmed) {
return { 'api-key': trimmed };
}
}
return null;
})
.filter(Boolean);
return geminiKeys;
}
export async function renderGeminiKeys(keys, keyStats = null) {
@@ -1152,6 +1111,10 @@ function ensureOpenAIModelDiscoveryCard(manager) {
<button type="button" class="btn btn-secondary" id="openai-model-discovery-refresh">${i18n.t('ai_providers.openai_models_fetch_refresh')}</button>
</div>
</div>
<div class="form-group">
<label for="openai-model-discovery-search">${i18n.t('ai_providers.openai_models_search_label')}</label>
<input type="text" id="openai-model-discovery-search" placeholder="${i18n.t('ai_providers.openai_models_search_placeholder')}">
</div>
<div id="openai-model-discovery-status" class="model-discovery-status"></div>
<div id="openai-model-discovery-list" class="model-discovery-list"></div>
<div class="modal-actions">
@@ -1174,6 +1137,13 @@ function ensureOpenAIModelDiscoveryCard(manager) {
bind('openai-model-discovery-cancel', () => manager.closeOpenAIModelDiscovery());
bind('openai-model-discovery-refresh', () => manager.refreshOpenAIModelDiscovery());
bind('openai-model-discovery-apply', () => manager.applyOpenAIModelDiscoverySelection());
const searchInput = document.getElementById('openai-model-discovery-search');
if (searchInput) {
searchInput.addEventListener('input', (event) => {
const query = event?.target?.value || '';
manager.setOpenAIModelDiscoverySearch(query);
});
}
return overlay;
}
@@ -1185,10 +1155,30 @@ export function setOpenAIModelDiscoveryStatus(message = '', type = 'info') {
status.className = `model-discovery-status ${type}`;
}
export function setOpenAIModelDiscoverySearch(query = '') {
if (!this.openAIModelDiscoveryContext) return;
const normalized = (query || '').trim();
this.openAIModelDiscoveryContext.modelSearchQuery = normalized;
const models = this.openAIModelDiscoveryContext.discoveredModels || [];
this.renderOpenAIModelDiscoveryList(models);
}
export function renderOpenAIModelDiscoveryList(models = []) {
const list = document.getElementById('openai-model-discovery-list');
if (!list) return;
const context = this.openAIModelDiscoveryContext || {};
const filter = (context.modelSearchQuery || '').trim().toLowerCase();
const filtered = models
.map((model, index) => ({ model, index }))
.filter(({ model }) => {
if (!filter) return true;
const name = (model?.name || '').toLowerCase();
const alias = (model?.alias || '').toLowerCase();
const desc = (model?.description || '').toLowerCase();
return name.includes(filter) || alias.includes(filter) || desc.includes(filter);
});
if (!models.length) {
list.innerHTML = `
<div class="model-discovery-empty">
@@ -1199,10 +1189,20 @@ export function renderOpenAIModelDiscoveryList(models = []) {
return;
}
list.innerHTML = models.map((model, index) => {
const name = this.escapeHtml(model.name || '');
const alias = model.alias ? `<span class="model-discovery-alias">${this.escapeHtml(model.alias)}</span>` : '';
const desc = model.description ? `<div class="model-discovery-desc">${this.escapeHtml(model.description)}</div>` : '';
if (!filtered.length) {
list.innerHTML = `
<div class="model-discovery-empty">
<i class="fas fa-search"></i>
<span>${i18n.t('ai_providers.openai_models_search_empty')}</span>
</div>
`;
return;
}
list.innerHTML = filtered.map(({ model, index }) => {
const name = this.escapeHtml(model?.name || '');
const alias = model?.alias ? `<span class="model-discovery-alias">${this.escapeHtml(model.alias)}</span>` : '';
const desc = model?.description ? `<div class="model-discovery-desc">${this.escapeHtml(model.description)}</div>` : '';
return `
<label class="model-discovery-row">
<input type="checkbox" class="model-discovery-checkbox" data-model-index="${index}">
@@ -1244,13 +1244,18 @@ export function openOpenAIModelDiscovery(mode = 'new') {
...context,
endpoint,
headers,
discoveredModels: []
discoveredModels: [],
modelSearchQuery: ''
};
const urlInput = document.getElementById('openai-model-discovery-url');
if (urlInput) {
urlInput.value = endpoint;
}
const searchInput = document.getElementById('openai-model-discovery-search');
if (searchInput) {
searchInput.value = '';
}
this.renderOpenAIModelDiscoveryList([]);
this.setOpenAIModelDiscoveryStatus(i18n.t('ai_providers.openai_models_fetch_loading'), 'info');
@@ -1270,9 +1275,25 @@ export async function refreshOpenAIModelDiscovery() {
}
try {
const response = await fetch(context.endpoint, {
headers: context.headers || {}
});
let response;
let usedSimpleRequest = false;
try {
// 首先尝试正常的带自定义headers的请求
response = await fetch(context.endpoint, {
headers: context.headers || {}
});
} catch (error) {
// 如果fetch失败(通常是CORS预检失败),尝试简单GET请求
console.warn('Normal fetch failed, trying simple GET request:', error);
usedSimpleRequest = true;
response = await fetch(context.endpoint, {
method: 'GET',
mode: 'cors',
credentials: 'omit'
// 不发送自定义headers,避免触发OPTIONS预检
});
}
if (!response.ok) {
throw new Error(`${response.status} ${response.statusText}`);
@@ -1293,6 +1314,10 @@ export async function refreshOpenAIModelDiscovery() {
if (!models.length) {
this.setOpenAIModelDiscoveryStatus(i18n.t('ai_providers.openai_models_fetch_empty'), 'warning');
} else {
if (usedSimpleRequest) {
// 如果使用了简单请求,提示用户
console.info('Models fetched using simple request (without custom headers)');
}
this.setOpenAIModelDiscoveryStatus('', 'info');
}
} catch (error) {
@@ -1344,6 +1369,9 @@ export function applyOpenAIModelDiscoverySelection() {
});
this.populateModelFields(context.modelWrapperId, Array.from(mergedMap.values()));
if (context.mode === 'edit' && typeof this.populateOpenAITestModelOptions === 'function') {
this.populateOpenAITestModelOptions(Array.from(mergedMap.values()), { preserveInput: true });
}
this.closeOpenAIModelDiscovery();
if (addedCount > 0) {
@@ -1361,6 +1389,180 @@ export function closeOpenAIModelDiscovery() {
this.openAIModelDiscoveryContext = null;
}
export function populateOpenAITestModelOptions(models = [], { preserveInput = true } = {}) {
const select = document.getElementById('openai-test-model-select');
const input = document.getElementById('openai-test-model-input');
if (!select) return;
const names = [];
const seen = new Set();
(Array.isArray(models) ? models : []).forEach(model => {
const name = model?.name ? String(model.name).trim() : '';
if (!name || seen.has(name)) return;
seen.add(name);
names.push(name);
});
if (!names.length) {
select.disabled = true;
select.innerHTML = `<option value="">${i18n.t('ai_providers.openai_test_select_empty')}</option>`;
if (input && !preserveInput) {
input.value = '';
}
return;
}
select.disabled = false;
const placeholder = `<option value="">${i18n.t('ai_providers.openai_test_select_placeholder')}</option>`;
const options = names.map(name => `<option value="${this.escapeHtml(name)}">${this.escapeHtml(name)}</option>`).join('');
select.innerHTML = `${placeholder}${options}`;
if (input) {
if (!preserveInput || !input.value) {
const firstName = names[0];
if (firstName) {
input.value = firstName;
select.value = firstName;
return;
}
}
const current = input.value.trim();
if (current && names.includes(current)) {
select.value = current;
} else {
select.value = '';
}
}
}
export function setOpenAITestStatus(message = '', type = 'info') {
const statusEl = document.getElementById('openai-test-status');
if (!statusEl) return;
statusEl.textContent = message || '';
statusEl.className = `openai-test-status ${type || ''}`.trim();
}
const setOpenAITestButtonState = (state = 'idle') => {
const button = document.getElementById('openai-test-button');
if (!button) return;
button.disabled = state === 'loading';
button.classList.remove('openai-test-btn-success', 'openai-test-btn-error');
switch (state) {
case 'loading':
button.innerHTML = `<i class="fas fa-spinner fa-spin"></i>`;
break;
case 'success':
button.classList.add('openai-test-btn-success');
button.innerHTML = `<i class="fas fa-check"></i>`;
break;
case 'error':
button.classList.add('openai-test-btn-error');
button.innerHTML = `<i class="fas fa-times"></i>`;
break;
default:
button.innerHTML = `<i class="fas fa-stethoscope"></i> ${i18n.t('ai_providers.openai_test_action')}`;
break;
}
};
export async function testOpenAIProviderConnection() {
const baseUrlInput = document.getElementById('edit-provider-url');
const baseUrl = baseUrlInput ? baseUrlInput.value.trim() : '';
if (!baseUrl) {
const message = i18n.t('notification.openai_test_url_required');
this.setOpenAITestStatus(message, 'error');
this.showNotification(message, 'error');
return;
}
const endpoint = buildChatCompletionsEndpoint(baseUrl);
if (!endpoint) {
const message = i18n.t('notification.openai_test_url_required');
this.setOpenAITestStatus(message, 'error');
this.showNotification(message, 'error');
return;
}
const apiKeyEntries = this.collectApiKeyEntryInputs('edit-openai-keys-wrapper');
const firstKeyEntry = Array.isArray(apiKeyEntries) ? apiKeyEntries.find(entry => entry && entry['api-key']) : null;
if (!firstKeyEntry) {
const message = i18n.t('notification.openai_test_key_required');
this.setOpenAITestStatus(message, 'error');
this.showNotification(message, 'error');
return;
}
const models = this.collectModelInputs('edit-provider-models-wrapper');
this.populateOpenAITestModelOptions(models);
const modelInput = document.getElementById('openai-test-model-input');
let modelName = modelInput ? modelInput.value.trim() : '';
if (!modelName) {
const firstModel = Array.isArray(models) ? models.find(model => model && model.name) : null;
if (firstModel && firstModel.name) {
modelName = firstModel.name;
if (modelInput) {
modelInput.value = firstModel.name;
}
}
}
if (!modelName) {
const message = i18n.t('notification.openai_test_model_required');
this.setOpenAITestStatus(message, 'error');
this.showNotification(message, 'error');
return;
}
const customHeaders = this.collectHeaderInputs('edit-openai-headers-wrapper') || {};
const headers = {
'Content-Type': 'application/json',
...customHeaders
};
if (!headers.Authorization && !headers.authorization) {
headers.Authorization = `Bearer ${firstKeyEntry['api-key']}`;
}
this.setOpenAITestStatus('', 'info');
setOpenAITestButtonState('loading');
try {
const response = await fetch(endpoint, {
method: 'POST',
headers,
body: JSON.stringify({
model: modelName,
messages: [{ role: 'user', content: 'Hi' }],
stream: false,
max_tokens: 5
})
});
const rawText = await response.text();
if (!response.ok) {
let errorMessage = `${response.status} ${response.statusText}`;
try {
const parsed = rawText ? JSON.parse(rawText) : null;
errorMessage = parsed?.error?.message || parsed?.message || errorMessage;
} catch (error) {
if (rawText) {
errorMessage = rawText;
}
}
throw new Error(errorMessage);
}
this.setOpenAITestStatus('', 'info');
setOpenAITestButtonState('success');
} catch (error) {
this.setOpenAITestStatus(`${i18n.t('ai_providers.openai_test_failed')}: ${error.message}`, 'error');
setOpenAITestButtonState('error');
}
}
export function showAddOpenAIProviderModal() {
const modal = document.getElementById('modal');
const modalBody = document.getElementById('modal-body');
@@ -1498,6 +1700,18 @@ export function editOpenAIProvider(index, provider) {
</button>
</div>
</div>
<div class="form-group">
<label>${i18n.t('ai_providers.openai_test_title')}</label>
<p class="form-hint">${i18n.t('ai_providers.openai_test_hint')}</p>
<div class="input-group openai-test-group">
<select id="openai-test-model-select" aria-label="${i18n.t('ai_providers.openai_test_model_placeholder')}"></select>
<input type="text" id="openai-test-model-input" placeholder="${i18n.t('ai_providers.openai_test_model_placeholder')}">
<button type="button" class="btn btn-secondary" id="openai-test-button" onclick="manager.testOpenAIProviderConnection()">
<i class="fas fa-stethoscope"></i> ${i18n.t('ai_providers.openai_test_action')}
</button>
</div>
<div id="openai-test-status" class="openai-test-status"></div>
</div>
<div class="modal-actions">
<button class="btn btn-secondary" onclick="manager.closeModal()">${i18n.t('common.cancel')}</button>
<button class="btn btn-primary" onclick="manager.updateOpenAIProvider(${index})">${i18n.t('common.update')}</button>
@@ -1508,6 +1722,28 @@ export function editOpenAIProvider(index, provider) {
this.populateModelFields('edit-provider-models-wrapper', models);
this.populateHeaderFields('edit-openai-headers-wrapper', provider?.headers || null);
this.populateApiKeyEntryFields('edit-openai-keys-wrapper', apiKeyEntries);
this.populateOpenAITestModelOptions(models);
this.setOpenAITestStatus('', 'info');
setOpenAITestButtonState('idle');
const modelWrapper = document.getElementById('edit-provider-models-wrapper');
if (modelWrapper) {
modelWrapper.addEventListener('input', () => {
const currentModels = this.collectModelInputs('edit-provider-models-wrapper');
this.populateOpenAITestModelOptions(currentModels, { preserveInput: true });
});
}
const modelSelect = document.getElementById('openai-test-model-select');
if (modelSelect) {
modelSelect.addEventListener('change', (event) => {
const value = event?.target?.value || '';
const input = document.getElementById('openai-test-model-input');
if (input && value) {
input.value = value;
}
});
}
}
export async function updateOpenAIProvider(index) {
@@ -1688,8 +1924,12 @@ export const aiProvidersModule = {
refreshOpenAIModelDiscovery,
renderOpenAIModelDiscoveryList,
setOpenAIModelDiscoveryStatus,
setOpenAIModelDiscoverySearch,
applyOpenAIModelDiscoverySelection,
closeOpenAIModelDiscovery,
populateOpenAITestModelOptions,
setOpenAITestStatus,
testOpenAIProviderConnection,
addModelField,
populateModelFields,
collectModelInputs,

View File

@@ -998,37 +998,65 @@ export const authFilesModule = {
// 处理文件上传
async handleFileUpload(event) {
const file = event.target.files[0];
if (!file) return;
const input = event?.target;
const files = Array.from(input?.files || []);
if (input) {
input.value = '';
}
if (!files.length) return;
if (!file.name.endsWith('.json')) {
const validFiles = [];
const invalidFiles = [];
files.forEach(file => {
if (file && file.name.endsWith('.json')) {
validFiles.push(file);
} else if (file) {
invalidFiles.push(file.name);
}
});
if (invalidFiles.length) {
this.showNotification(i18n.t('auth_files.upload_error_json'), 'error');
event.target.value = '';
return;
}
if (!validFiles.length) return;
let successCount = 0;
const failed = [];
for (const file of validFiles) {
try {
await this.uploadSingleAuthFile(file);
successCount++;
} catch (error) {
failed.push({ name: file.name, message: error.message });
}
}
try {
const formData = new FormData();
formData.append('file', file, file.name);
const response = await this.apiClient.requestRaw('/auth-files', {
method: 'POST',
body: formData
});
if (!response.ok) {
const errorData = await response.json().catch(() => ({}));
throw new Error(errorData.error || `HTTP ${response.status}`);
}
this.clearCache(); // 清除缓存
if (successCount > 0) {
this.clearCache();
await this.loadAuthFiles();
this.showNotification(i18n.t('auth_files.upload_success'), 'success');
} catch (error) {
this.showNotification(`${i18n.t('notification.upload_failed')}: ${error.message}`, 'error');
} finally {
// 清空文件输入框,允许重复上传同一文件
event.target.value = '';
const suffix = validFiles.length > 1 ? ` (${successCount}/${validFiles.length})` : '';
this.showNotification(`${i18n.t('auth_files.upload_success')}${suffix}`, failed.length ? 'warning' : 'success');
}
if (failed.length) {
const details = failed.map(item => `${item.name}: ${item.message}`).join('; ');
this.showNotification(`${i18n.t('notification.upload_failed')}: ${details}`, 'error');
}
},
async uploadSingleAuthFile(file) {
const formData = new FormData();
formData.append('file', file, file.name);
const response = await this.apiClient.requestRaw('/auth-files', {
method: 'POST',
body: formData
});
if (!response.ok) {
const errorData = await response.json().catch(() => ({}));
throw new Error(errorData.error || `HTTP ${response.status}`);
}
},
@@ -1049,6 +1077,50 @@ export const authFilesModule = {
return normalized;
},
resolveOauthExcludedFromConfig(config = null) {
const sources = [];
if (config && typeof config === 'object') {
sources.push(config);
}
if (this.configCache && typeof this.configCache === 'object') {
if (this.configCache['oauth-excluded-models'] !== undefined) {
sources.push({ 'oauth-excluded-models': this.configCache['oauth-excluded-models'] });
}
if (this.configCache['__full__']) {
sources.push(this.configCache['__full__']);
}
}
for (const source of sources) {
if (!source || typeof source !== 'object') continue;
if (Object.prototype.hasOwnProperty.call(source, 'oauth-excluded-models')) {
return {
map: this.normalizeOauthExcludedMap(source),
found: true
};
}
}
return { map: {}, found: false };
},
applyOauthExcludedFromConfig(config = null, options = {}) {
const { render = true } = options || {};
const { map, found } = this.resolveOauthExcludedFromConfig(config);
if (!found) {
return false;
}
this.oauthExcludedModels = map;
this._oauthExcludedLoading = false;
this.setOauthExcludedStatus('');
this.updateOauthExcludedButtonsState(false);
if (render) {
this.renderOauthExcludedModels();
}
return true;
},
getFilteredOauthExcludedMap(filterType = this.currentAuthFileFilter) {
const map = this.oauthExcludedModels || {};
if (!map || typeof map !== 'object') {
@@ -1407,9 +1479,36 @@ export const authFilesModule = {
this.renderOauthExcludedModels();
try {
const data = await this.makeRequest('/oauth-excluded-models');
this.oauthExcludedModels = this.normalizeOauthExcludedMap(data);
this.refreshOauthProviderOptions();
let targetMap = {};
let hasData = false;
if (!forceRefresh) {
const { map, found } = this.resolveOauthExcludedFromConfig();
if (found) {
targetMap = map;
hasData = true;
}
}
if (!hasData) {
try {
const configSection = await this.getConfig('oauth-excluded-models', forceRefresh);
if (configSection !== undefined) {
targetMap = this.normalizeOauthExcludedMap(configSection);
hasData = true;
}
} catch (configError) {
console.warn('从配置获取 OAuth 排除列表失败,尝试回退接口:', configError);
}
}
if (!hasData) {
const data = await this.makeRequest('/oauth-excluded-models');
targetMap = this.normalizeOauthExcludedMap(data);
hasData = true;
}
this.oauthExcludedModels = targetMap;
this.setOauthExcludedStatus('');
} catch (error) {
console.error('加载 OAuth 排除列表失败:', error);
@@ -1501,6 +1600,7 @@ export const authFilesModule = {
}
this.events.on('data:config-loaded', async (event) => {
const detail = event?.detail || {};
const config = detail.config || {};
const keyStats = detail.keyStats || null;
try {
await this.loadAuthFiles(keyStats);
@@ -1508,7 +1608,10 @@ export const authFilesModule = {
console.error('加载认证文件失败:', error);
}
try {
await this.loadOauthExcludedModels(true);
const applied = this.applyOauthExcludedFromConfig(config, { render: true });
if (!applied) {
await this.loadOauthExcludedModels(true);
}
} catch (error) {
console.error('加载 OAuth 排除列表失败:', error);
}
@@ -1518,7 +1621,9 @@ export const authFilesModule = {
const detail = event?.detail || {};
this.updateOauthExcludedButtonsState(false);
if (detail.isConnected) {
this.loadOauthExcludedModels(true);
if (!this.applyOauthExcludedFromConfig(null, { render: true })) {
this.renderOauthExcludedModels();
}
} else {
this.renderOauthExcludedModels();
}

View File

@@ -32,7 +32,6 @@ export const configEditorModule = {
}
});
editorInstance.setSize('100%', '100%');
editorInstance.on('change', () => {
this.isConfigEditorDirty = true;
this.updateConfigEditorStatus('info', i18n.t('config_management.status_dirty'));

View File

@@ -21,6 +21,7 @@ export const languageModule = {
const newLang = currentLang === 'zh-CN' ? 'en-US' : 'zh-CN';
i18n.setLanguage(newLang);
this.refreshBrandTitleAfterTextChange();
this.updateThemeButtons();
this.updateConnectionStatus();

View File

@@ -66,6 +66,7 @@ export const loginModule = {
document.getElementById('login-page').style.display = 'flex';
document.getElementById('main-page').style.display = 'none';
this.isLoggedIn = false;
this.resetBrandTitleState();
this.updateLoginConnectionInfo();
},
@@ -74,6 +75,7 @@ export const loginModule = {
document.getElementById('main-page').style.display = 'block';
this.isLoggedIn = true;
this.updateConnectionInfo();
this.startBrandCollapseCycle();
},
async login(apiBase, managementKey) {
@@ -106,6 +108,9 @@ export const loginModule = {
if (typeof this.renderOauthExcludedModels === 'function') {
this.renderOauthExcludedModels('all');
}
if (typeof this.clearAvailableModels === 'function') {
this.clearAvailableModels('common.disconnected');
}
localStorage.removeItem('isLoggedIn');
secureStorage.removeItem('managementKey');

View File

@@ -50,20 +50,19 @@ export const logsModule = {
} else if (!incremental && response.lines.length > 0) {
this.renderLogs(response.lines, response['line-count'] || response.lines.length, true);
} else if (!incremental) {
logsContent.innerHTML = '<div class="empty-state"><i class="fas fa-inbox"></i><p data-i18n="logs.empty_title">' +
i18n.t('logs.empty_title') + '</p><p data-i18n="logs.empty_desc">' +
i18n.t('logs.empty_desc') + '</p></div>';
this.latestLogTimestamp = null;
this.renderLogs([], 0, false);
}
} else if (!incremental) {
logsContent.innerHTML = '<div class="empty-state"><i class="fas fa-inbox"></i><p data-i18n="logs.empty_title">' +
i18n.t('logs.empty_title') + '</p><p data-i18n="logs.empty_desc">' +
i18n.t('logs.empty_desc') + '</p></div>';
this.latestLogTimestamp = null;
this.renderLogs([], 0, false);
}
} catch (error) {
console.error('加载日志失败:', error);
if (!incremental) {
this.allLogLines = [];
this.displayedLogLines = [];
this.latestLogTimestamp = null;
const is404 = error.message && (error.message.includes('404') || error.message.includes('Not Found'));
if (is404) {
@@ -82,7 +81,17 @@ export const logsModule = {
const logsContent = document.getElementById('logs-content');
if (!logsContent) return;
if (!lines || lines.length === 0) {
const sourceLines = Array.isArray(lines) ? lines : [];
const filteredLines = sourceLines.filter(line => !line.includes('/v0/management/'));
let displayedLines = filteredLines;
if (filteredLines.length > this.maxDisplayLogLines) {
const linesToRemove = filteredLines.length - this.maxDisplayLogLines;
displayedLines = filteredLines.slice(linesToRemove);
}
this.allLogLines = displayedLines.slice();
if (displayedLines.length === 0) {
this.displayedLogLines = [];
logsContent.innerHTML = '<div class="empty-state"><i class="fas fa-inbox"></i><p data-i18n="logs.empty_title">' +
i18n.t('logs.empty_title') + '</p><p data-i18n="logs.empty_desc">' +
@@ -90,14 +99,15 @@ export const logsModule = {
return;
}
const filteredLines = lines.filter(line => !line.includes('/v0/management/'));
let displayedLines = filteredLines;
if (filteredLines.length > this.maxDisplayLogLines) {
const linesToRemove = filteredLines.length - this.maxDisplayLogLines;
displayedLines = filteredLines.slice(linesToRemove);
}
const visibleLines = this.filterLogLinesBySearch(displayedLines);
this.displayedLogLines = visibleLines.slice();
this.displayedLogLines = displayedLines.slice();
if (visibleLines.length === 0) {
logsContent.innerHTML = '<div class="empty-state"><i class="fas fa-search"></i><p data-i18n="logs.search_empty_title">' +
i18n.t('logs.search_empty_title') + '</p><p data-i18n="logs.search_empty_desc">' +
i18n.t('logs.search_empty_desc') + '</p></div>';
return;
}
const displayedLineCount = this.displayedLogLines.length;
logsContent.innerHTML = `
@@ -107,7 +117,7 @@ export const logsModule = {
<pre class="logs-text">${this.buildLogsHtml(this.displayedLogLines)}</pre>
`;
if (scrollToBottom) {
if (scrollToBottom && !this.logSearchQuery) {
const logsTextElement = logsContent.querySelector('.logs-text');
if (logsTextElement) {
logsTextElement.scrollTop = logsTextElement.scrollHeight;
@@ -138,9 +148,21 @@ export const logsModule = {
const isAtBottom = logsTextElement.scrollHeight - logsTextElement.scrollTop - logsTextElement.clientHeight < 50;
this.displayedLogLines = this.displayedLogLines.concat(filteredNewLines);
if (this.displayedLogLines.length > this.maxDisplayLogLines) {
this.displayedLogLines = this.displayedLogLines.slice(this.displayedLogLines.length - this.maxDisplayLogLines);
const baseLines = Array.isArray(this.allLogLines) && this.allLogLines.length > 0
? this.allLogLines
: (Array.isArray(this.displayedLogLines) ? this.displayedLogLines : []);
this.allLogLines = baseLines.concat(filteredNewLines);
if (this.allLogLines.length > this.maxDisplayLogLines) {
this.allLogLines = this.allLogLines.slice(this.allLogLines.length - this.maxDisplayLogLines);
}
const visibleLines = this.filterLogLinesBySearch(this.allLogLines);
this.displayedLogLines = visibleLines.slice();
if (visibleLines.length === 0) {
this.renderLogs(this.allLogLines, this.allLogLines.length, false);
return;
}
logsTextElement.innerHTML = this.buildLogsHtml(this.displayedLogLines);
@@ -150,11 +172,44 @@ export const logsModule = {
logsInfoElement.innerHTML = `<span><i class="fas fa-list-ol"></i> ${displayedLines} ${i18n.t('logs.lines')}</span>`;
}
if (isAtBottom) {
if (isAtBottom && !this.logSearchQuery) {
logsTextElement.scrollTop = logsTextElement.scrollHeight;
}
},
filterLogLinesBySearch(lines) {
const keyword = (this.logSearchQuery || '').toLowerCase();
if (!keyword) {
return Array.isArray(lines) ? lines.slice() : [];
}
if (!Array.isArray(lines) || lines.length === 0) {
return [];
}
return lines.filter(line => (line || '').toLowerCase().includes(keyword));
},
updateLogSearchQuery(value = '') {
const normalized = (value || '').trim();
if (this.logSearchQuery === normalized) {
return;
}
this.logSearchQuery = normalized;
this.applyLogSearchFilter();
},
applyLogSearchFilter() {
const logsContent = document.getElementById('logs-content');
if (!logsContent) return;
if (logsContent.querySelector('.upgrade-notice') || logsContent.querySelector('.error-state')) {
return;
}
const baseLines = Array.isArray(this.allLogLines) ? this.allLogLines : [];
if (baseLines.length === 0 && logsContent.querySelector('.loading-placeholder')) {
return;
}
this.renderLogs(baseLines, baseLines.length, false);
},
buildLogsHtml(lines) {
if (!lines || lines.length === 0) {
return '';

View File

@@ -723,6 +723,17 @@ export const oauthModule = {
// 开始 iFlow OAuth 流程
async startIflowOAuth() {
if (!this.isIflowOAuthAllowed()) {
const statusEl = document.getElementById('iflow-oauth-status');
if (statusEl) {
statusEl.textContent = i18n.t('auth_login.iflow_oauth_local_only');
statusEl.style.display = 'block';
statusEl.style.color = 'var(--warning-text)';
}
this.showNotification(i18n.t('auth_login.iflow_oauth_local_only'), 'error');
return;
}
try {
const response = await this.makeRequest('/iflow-auth-url?is_webui=1');
const authUrl = response.url;

View File

@@ -1,6 +1,49 @@
const DEFAULT_MODEL_PRICE_STORAGE_KEY = 'cli-proxy-model-prices-v2';
const LEGACY_MODEL_PRICE_STORAGE_KEY = 'cli-proxy-model-prices';
const TOKENS_PER_PRICE_UNIT = 1_000_000;
const DEFAULT_CHART_LINE_COUNT = 3;
const MIN_CHART_LINE_COUNT = 1;
const ALL_MODELS_VALUE = 'all';
export function maskUsageSensitiveValue(value) {
if (value === null || value === undefined) {
return '';
}
const raw = typeof value === 'string' ? value : String(value);
if (!raw) {
return '';
}
const maskFn = (this && typeof this.maskApiKey === 'function') ? this.maskApiKey : (v) => v;
let masked = raw;
const queryRegex = /([?&])(api[-_]?key|key|token|access_token|authorization)=([^&#\s]+)/ig;
masked = masked.replace(queryRegex, (full, prefix, keyName, valuePart) => `${prefix}${keyName}=${maskFn(valuePart)}`);
const headerRegex = /(api[-_]?key|key|token|access[-_]?token|authorization)\s*([:=])\s*([A-Za-z0-9._-]+)/ig;
masked = masked.replace(headerRegex, (full, keyName, separator, valuePart) => `${keyName}${separator}${maskFn(valuePart)}`);
const keyLikeRegex = /(sk-[A-Za-z0-9]{6,}|AI[a-zA-Z0-9_-]{6,}|AIza[0-9A-Za-z-_]{8,}|hf_[A-Za-z0-9]{6,}|pk_[A-Za-z0-9]{6,}|rk_[A-Za-z0-9]{6,})/g;
masked = masked.replace(keyLikeRegex, match => maskFn(match));
if (masked === raw) {
const trimmed = raw.trim();
if (trimmed && !/\s/.test(trimmed)) {
const looksLikeKey = /^sk-/i.test(trimmed)
|| /^AI/i.test(trimmed)
|| /^AIza/i.test(trimmed)
|| /^hf_/i.test(trimmed)
|| /^pk_/i.test(trimmed)
|| /^rk_/i.test(trimmed)
|| (!/[\\/]/.test(trimmed) && (/\d/.test(trimmed) || trimmed.length >= 10))
|| trimmed.length >= 24;
if (looksLikeKey) {
return maskFn(trimmed);
}
}
}
return masked;
}
// 获取API密钥的统计信息
export async function getKeyStats(usageData = null) {
@@ -42,7 +85,9 @@ export async function getKeyStats(usageData = null) {
const details = modelEntry.details || [];
details.forEach(detail => {
const source = detail.source;
const source = this.maskUsageSensitiveValue
? this.maskUsageSensitiveValue(detail.source)
: detail.source;
const authIndexKey = normalizeAuthIndex(detail?.auth_index);
const isFailed = detail.failed === true;
@@ -95,6 +140,7 @@ export async function loadUsageStats(usageData = null) {
// 更新概览卡片
this.updateUsageOverview(usage);
this.renderOverviewSparklines(usage);
this.updateChartLineSelectors(usage);
this.renderModelPriceOptions(usage);
this.renderSavedModelPrices();
@@ -123,6 +169,7 @@ export async function loadUsageStats(usageData = null) {
this.renderModelPriceOptions(null);
this.renderSavedModelPrices();
this.updateCostSummaryAndChart(null);
this.destroySparklineCharts();
// 清空概览数据
['total-requests', 'success-requests', 'failed-requests', 'total-tokens', 'cached-tokens', 'reasoning-tokens', 'rpm-30m', 'tpm-30m'].forEach(id => {
@@ -197,6 +244,36 @@ export function formatPerMinuteValue(value) {
return num.toFixed(2);
}
export function formatCompactNumber(value) {
const num = Number(value);
if (!Number.isFinite(num)) {
return '0';
}
const abs = Math.abs(num);
if (abs >= 1_000_000) {
return `${(num / 1_000_000).toFixed(1)}M`;
}
if (abs >= 1_000) {
return `${(num / 1_000).toFixed(1)}K`;
}
return abs >= 1 ? num.toFixed(0) : num.toFixed(2);
}
export function formatCompactNumber(value) {
const num = Number(value);
if (!Number.isFinite(num)) {
return '0';
}
const abs = Math.abs(num);
if (abs >= 1_000_000) {
return `${(num / 1_000_000).toFixed(1)}M`;
}
if (abs >= 1_000) {
return `${(num / 1_000).toFixed(1)}K`;
}
return abs >= 1 ? num.toFixed(0) : num.toFixed(2);
}
export function getModelNamesFromUsage(usage) {
if (!usage) {
return [];
@@ -214,23 +291,136 @@ export function getModelNamesFromUsage(usage) {
return Array.from(names).sort((a, b) => a.localeCompare(b));
}
export function getChartLineMaxCount() {
const idCount = Array.isArray(this.chartLineSelectIds) ? this.chartLineSelectIds.length : 0;
const configuredMax = Number(this.chartLineMaxCount);
const fallback = idCount || DEFAULT_CHART_LINE_COUNT;
const resolvedMax = Number.isFinite(configuredMax) ? configuredMax : fallback;
if (idCount > 0) {
return Math.max(MIN_CHART_LINE_COUNT, Math.min(resolvedMax, idCount));
}
return Math.max(MIN_CHART_LINE_COUNT, resolvedMax);
}
export function getVisibleChartLineCount() {
const maxCount = this.getChartLineMaxCount();
const stored = Number(this.chartLineVisibleCount);
const base = Number.isFinite(stored)
? stored
: (Array.isArray(this.chartLineSelections) ? this.chartLineSelections.length : DEFAULT_CHART_LINE_COUNT);
const resolved = Math.min(Math.max(base, MIN_CHART_LINE_COUNT), maxCount);
this.chartLineVisibleCount = resolved;
return resolved;
}
export function ensureChartLineSelectionLength(targetLength = null) {
const maxCount = this.getChartLineMaxCount();
const desiredLength = Math.min(
Math.max(targetLength ?? this.getVisibleChartLineCount(), MIN_CHART_LINE_COUNT),
maxCount
);
if (!Array.isArray(this.chartLineSelections)) {
this.chartLineSelections = Array(desiredLength).fill('none');
return this.chartLineSelections;
}
const trimmed = this.chartLineSelections.slice(0, maxCount);
if (trimmed.length < desiredLength) {
this.chartLineSelections = [...trimmed, ...Array(desiredLength - trimmed.length).fill('none')];
} else if (trimmed.length > desiredLength) {
this.chartLineSelections = trimmed.slice(0, desiredLength);
} else {
this.chartLineSelections = trimmed;
}
return this.chartLineSelections;
}
export function updateChartLineControlsUI() {
const maxCount = this.getChartLineMaxCount();
const visibleCount = this.getVisibleChartLineCount();
const counter = document.getElementById('chart-line-count');
if (counter) {
counter.textContent = `${visibleCount}/${maxCount}`;
}
const addBtn = document.getElementById('add-chart-line');
if (addBtn) {
addBtn.disabled = visibleCount >= maxCount;
}
const deleteButtons = document.querySelectorAll('.chart-line-delete');
if (deleteButtons.length) {
deleteButtons.forEach(button => {
const group = button.closest('.chart-line-group');
const index = Number.parseInt(button.getAttribute('data-line-index'), 10);
const isVisible = group
? !group.classList.contains('chart-line-hidden')
: (Number.isFinite(index) ? index < visibleCount : true);
button.disabled = visibleCount <= MIN_CHART_LINE_COUNT || !isVisible;
});
}
}
export function setChartLineVisibleCount(count) {
const maxCount = this.getChartLineMaxCount();
const nextCount = Math.min(Math.max(count, MIN_CHART_LINE_COUNT), maxCount);
const current = this.getVisibleChartLineCount();
if (nextCount === current) {
this.updateChartLineControlsUI();
return;
}
this.chartLineVisibleCount = nextCount;
this.ensureChartLineSelectionLength(nextCount);
this.updateChartLineSelectors(this.currentUsageData);
this.refreshChartsForSelections();
}
export function changeChartLineCount(delta = 0) {
const current = this.getVisibleChartLineCount();
this.setChartLineVisibleCount(current + delta);
}
export function removeChartLine(index) {
const visibleCount = this.getVisibleChartLineCount();
const normalizedIndex = Number.parseInt(index, 10);
if (!Number.isFinite(normalizedIndex) || normalizedIndex < 0 || normalizedIndex >= visibleCount) {
return;
}
if (visibleCount <= MIN_CHART_LINE_COUNT) {
return;
}
const nextSelections = this.ensureChartLineSelectionLength(visibleCount).slice(0, visibleCount);
nextSelections.splice(normalizedIndex, 1);
this.chartLineSelections = nextSelections;
this.chartLineVisibleCount = Math.max(MIN_CHART_LINE_COUNT, visibleCount - 1);
this.updateChartLineSelectors(this.currentUsageData);
this.refreshChartsForSelections();
}
export function updateChartLineSelectors(usage) {
const modelNames = this.getModelNamesFromUsage(usage);
const selectors = this.chartLineSelectIds
.map(id => document.getElementById(id))
.filter(Boolean);
const availableCount = selectors.length || this.getChartLineMaxCount();
const visibleCount = Math.min(this.getVisibleChartLineCount(), availableCount);
this.chartLineVisibleCount = visibleCount;
this.ensureChartLineSelectionLength(visibleCount);
const wasInitialized = this.chartLineSelectionsInitialized === true;
if (!selectors.length) {
this.chartLineSelections = ['none', 'none', 'none'];
this.chartLineSelections = Array(visibleCount).fill('none');
this.chartLineSelectionsInitialized = false;
this.updateChartLineControlsUI();
return;
}
const optionsFragment = () => {
const fragment = document.createDocumentFragment();
const hiddenOption = document.createElement('option');
hiddenOption.value = 'none';
hiddenOption.textContent = i18n.t('usage_stats.chart_line_hidden');
fragment.appendChild(hiddenOption);
const allOption = document.createElement('option');
allOption.value = ALL_MODELS_VALUE;
allOption.textContent = i18n.t('usage_stats.chart_line_all');
fragment.appendChild(allOption);
modelNames.forEach(name => {
const option = document.createElement('option');
option.value = name;
@@ -241,57 +431,82 @@ export function updateChartLineSelectors(usage) {
};
const hasModels = modelNames.length > 0;
selectors.forEach(select => {
selectors.forEach((select, index) => {
const group = select.closest('.chart-line-group');
const isVisible = index < visibleCount;
if (group) {
group.classList.toggle('chart-line-hidden', !isVisible);
}
const deleteBtn = group ? group.querySelector('.chart-line-delete') : null;
select.innerHTML = '';
select.appendChild(optionsFragment());
select.disabled = !hasModels;
select.disabled = !isVisible;
if (deleteBtn) {
deleteBtn.disabled = !isVisible || visibleCount <= MIN_CHART_LINE_COUNT;
}
if (!isVisible) {
select.value = ALL_MODELS_VALUE;
}
});
if (!hasModels) {
this.chartLineSelections = ['none', 'none', 'none'];
selectors.forEach(select => {
select.value = 'none';
this.chartLineSelections = Array(visibleCount).fill(ALL_MODELS_VALUE);
this.chartLineSelectionsInitialized = false;
selectors.forEach((select, index) => {
const group = select.closest('.chart-line-group');
if (group) {
group.classList.toggle('chart-line-hidden', index >= visibleCount);
}
select.value = ALL_MODELS_VALUE;
});
this.updateChartLineControlsUI();
return;
}
const nextSelections = Array.isArray(this.chartLineSelections)
? [...this.chartLineSelections]
: ['none', 'none', 'none'];
const nextSelections = this.ensureChartLineSelectionLength(visibleCount).slice(0, visibleCount);
const validNames = new Set(modelNames);
const validNames = new Set([...modelNames, ALL_MODELS_VALUE]);
let hasActiveSelection = false;
for (let i = 0; i < nextSelections.length; i++) {
const selection = nextSelections[i];
if (selection && selection !== 'none' && !validNames.has(selection)) {
nextSelections[i] = 'none';
nextSelections[i] = ALL_MODELS_VALUE;
}
if (nextSelections[i] !== 'none') {
if (nextSelections[i] && nextSelections[i] !== 'none') {
hasActiveSelection = true;
}
}
if (!hasActiveSelection) {
const allSelectionsAreAll = nextSelections.length > 0 && nextSelections.every(value => value === ALL_MODELS_VALUE);
if (!hasActiveSelection || (!wasInitialized && allSelectionsAreAll)) {
modelNames.slice(0, nextSelections.length).forEach((name, index) => {
nextSelections[index] = name;
});
}
for (let i = 0; i < nextSelections.length; i++) {
if (!nextSelections[i] || nextSelections[i] === 'none') {
nextSelections[i] = modelNames[i % Math.max(modelNames.length, 1)] || ALL_MODELS_VALUE;
}
}
this.chartLineSelections = nextSelections;
selectors.forEach((select, index) => {
const value = this.chartLineSelections[index] || 'none';
select.value = value;
const value = this.chartLineSelections[index] || ALL_MODELS_VALUE;
select.value = index < visibleCount ? value : ALL_MODELS_VALUE;
});
this.chartLineSelectionsInitialized = hasModels;
this.updateChartLineControlsUI();
}
export function handleChartLineSelectionChange(index, value) {
if (!Array.isArray(this.chartLineSelections)) {
this.chartLineSelections = ['none', 'none', 'none'];
}
if (index < 0 || index >= this.chartLineSelections.length) {
const visibleCount = this.getVisibleChartLineCount();
if (index < 0 || index >= visibleCount) {
return;
}
const normalized = value || 'none';
this.ensureChartLineSelectionLength(visibleCount);
const normalized = (value && value !== 'none') ? value : ALL_MODELS_VALUE;
if (this.chartLineSelections[index] === normalized) {
return;
}
@@ -324,10 +539,9 @@ export function refreshChartsForSelections() {
}
export function getActiveChartLineSelections() {
if (!Array.isArray(this.chartLineSelections)) {
this.chartLineSelections = ['none', 'none', 'none'];
}
return this.chartLineSelections
const visibleCount = this.getVisibleChartLineCount();
const selections = this.ensureChartLineSelectionLength(visibleCount).slice(0, visibleCount);
return selections
.map((value, index) => ({ model: value, index }))
.filter(item => item.model && item.model !== 'none');
}
@@ -496,29 +710,65 @@ export function renderSavedModelPrices() {
container.innerHTML = `<div class="no-data-message">${i18n.t('usage_stats.model_price_empty')}</div>`;
return;
}
const rows = entries.map(([model, price]) => {
const prompt = Number(price?.prompt) || 0;
const completion = Number(price?.completion) || 0;
const safeModel = this.escapeHtml ? this.escapeHtml(model) : model;
const editArg = JSON.stringify(model).replace(/"/g, '&quot;');
return `
<div class="model-price-row">
<span class="model-name">${model}</span>
<span>$${prompt.toFixed(4)} / 1M</span>
<span>$${completion.toFixed(4)} / 1M</span>
<div class="provider-item model-price-item" onclick="manager.handleModelPriceEdit(${editArg})">
<div class="item-content">
<div class="item-title">${safeModel}</div>
<div class="item-meta">
<span class="stat-badge stat-neutral">${i18n.t('usage_stats.model_price_prompt')}: $${prompt.toFixed(4)} / 1M</span>
<span class="stat-badge stat-neutral">${i18n.t('usage_stats.model_price_completion')}: $${completion.toFixed(4)} / 1M</span>
</div>
</div>
<div class="item-actions">
<button class="btn btn-secondary" onclick="event.stopPropagation(); manager.handleModelPriceEdit(${editArg});">
<i class="fas fa-edit"></i>
</button>
</div>
</div>
`;
}).join('');
container.innerHTML = `
<div class="model-price-table">
<div class="model-price-header">
<span>${i18n.t('usage_stats.model_price_model')}</span>
<span>${i18n.t('usage_stats.model_price_prompt')}</span>
<span>${i18n.t('usage_stats.model_price_completion')}</span>
</div>
${rows}
</div>
`;
container.innerHTML = rows;
}
export function handleModelPriceEdit(modelName) {
const model = (modelName || '').trim();
const select = document.getElementById('model-price-model-select');
const promptInput = document.getElementById('model-price-prompt');
const completionInput = document.getElementById('model-price-completion');
const form = document.getElementById('model-price-form');
if (!select || !promptInput || !completionInput) {
return;
}
const options = Array.from(select.options).map(opt => opt.value);
if (model && !options.includes(model)) {
const opt = document.createElement('option');
opt.value = model;
opt.textContent = model;
select.appendChild(opt);
}
select.disabled = false;
select.value = model;
const price = this.modelPrices?.[model];
if (price) {
promptInput.value = Number.isFinite(price.prompt) ? price.prompt : '';
completionInput.value = Number.isFinite(price.completion) ? price.completion : '';
} else {
promptInput.value = '';
completionInput.value = '';
}
promptInput.focus();
if (form && typeof form.scrollIntoView === 'function') {
form.scrollIntoView({ behavior: 'smooth', block: 'center' });
}
}
export function prefillModelPriceInputs() {
@@ -569,6 +819,7 @@ export function handleModelPriceSubmit() {
this.persistModelPrices(next);
this.renderSavedModelPrices();
this.updateCostSummaryAndChart(this.currentUsageData, this.getCostChartPeriod());
this.renderOverviewSparklines(this.currentUsageData);
this.showNotification(i18n.t('usage_stats.model_price_saved'), 'success');
}
@@ -586,6 +837,7 @@ export function handleModelPriceReset() {
this.renderSavedModelPrices();
this.prefillModelPriceInputs();
this.updateCostSummaryAndChart(this.currentUsageData, this.getCostChartPeriod());
this.renderOverviewSparklines(this.currentUsageData);
}
export function calculateTokenBreakdown(usage = null) {
@@ -644,6 +896,191 @@ export function calculateRecentPerMinuteRates(windowMinutes = 30, usage = null)
};
}
export function buildRecentWindowSeries(windowMinutes = 30, usage = null, prices = null) {
const usagePayload = usage || this.currentUsageData;
const effectiveWindow = Number.isFinite(windowMinutes) && windowMinutes > 0
? Math.min(windowMinutes, 720)
: 30;
const bucketMs = 60 * 1000;
const bucketCount = Math.max(1, Math.floor(effectiveWindow));
const now = Date.now();
const windowStart = now - bucketCount * bucketMs;
const labels = Array.from({ length: bucketCount }, (_, index) =>
this.formatMinuteLabel(new Date(windowStart + index * bucketMs))
);
const requestSeries = new Array(bucketCount).fill(0);
const tokenSeries = new Array(bucketCount).fill(0);
const costSeries = new Array(bucketCount).fill(0);
const priceTable = prices || this.modelPrices || {};
const hasPrices = Object.keys(priceTable).length > 0;
if (!usagePayload) {
return {
labels,
requests: requestSeries,
tokens: tokenSeries,
rpm: requestSeries,
tpm: tokenSeries,
cost: costSeries,
hasPrices
};
}
const details = this.collectUsageDetailsFromUsage(usagePayload);
const calculateDetailCost = (detail) => {
if (!hasPrices) {
return 0;
}
const modelName = detail.__modelName || '';
const price = priceTable[modelName];
if (!price) {
return 0;
}
const tokens = detail?.tokens || {};
const promptTokens = Number(tokens.input_tokens) || 0;
const completionTokens = Number(tokens.output_tokens) || 0;
const promptCost = (promptTokens / TOKENS_PER_PRICE_UNIT) * (Number(price.prompt) || 0);
const completionCost = (completionTokens / TOKENS_PER_PRICE_UNIT) * (Number(price.completion) || 0);
const total = promptCost + completionCost;
return Number.isFinite(total) && total > 0 ? total : 0;
};
details.forEach(detail => {
const timestamp = Date.parse(detail.timestamp);
if (Number.isNaN(timestamp) || timestamp < windowStart) {
return;
}
const bucketIndex = Math.min(bucketCount - 1, Math.floor((timestamp - windowStart) / bucketMs));
if (bucketIndex < 0 || bucketIndex >= bucketCount) {
return;
}
requestSeries[bucketIndex] += 1;
tokenSeries[bucketIndex] += this.extractTotalTokens(detail);
costSeries[bucketIndex] += calculateDetailCost(detail);
});
return {
labels,
requests: requestSeries,
tokens: tokenSeries,
rpm: requestSeries,
tpm: tokenSeries,
cost: costSeries,
hasPrices
};
}
export function destroySparklineCharts(targetIds = null) {
if (!this.sparklineCharts) {
this.sparklineCharts = {};
}
const ids = targetIds && targetIds.length ? targetIds : Object.keys(this.sparklineCharts);
ids.forEach(id => {
const chart = this.sparklineCharts[id];
if (chart && typeof chart.destroy === 'function') {
chart.destroy();
}
delete this.sparklineCharts[id];
const canvas = document.getElementById(id);
if (canvas && typeof canvas.getContext === 'function') {
const ctx = canvas.getContext('2d');
if (ctx) {
const width = canvas.width || canvas.clientWidth || 300;
const height = canvas.height || canvas.clientHeight || 80;
ctx.clearRect(0, 0, width, height);
}
}
});
}
export function renderOverviewSparklines(usage = null) {
const series = this.buildRecentWindowSeries(30, usage, this.modelPrices);
const labels = series.labels || [];
const styleFor = (index = 0) => {
const fallback = { borderColor: '#3b82f6', backgroundColor: 'rgba(59, 130, 246, 0.15)' };
if (!Array.isArray(this.chartLineStyles) || !this.chartLineStyles.length) {
return fallback;
}
return this.chartLineStyles[index % this.chartLineStyles.length] || fallback;
};
const createSparkline = ({ id, data, styleIndex, requirePrices = false }) => {
if (requirePrices && !series.hasPrices) {
this.destroySparklineCharts([id]);
return;
}
const canvas = document.getElementById(id);
if (!canvas) {
return;
}
const style = styleFor(styleIndex);
const values = Array.isArray(data) && data.length ? data : [0];
const maxValue = values.reduce((max, value) => Math.max(max, Number(value) || 0), 0);
const suggestedMax = maxValue > 0 ? maxValue * 1.2 : 1;
this.destroySparklineCharts([id]);
if (!this.sparklineCharts) {
this.sparklineCharts = {};
}
this.sparklineCharts[id] = new Chart(canvas, {
type: 'line',
data: {
labels,
datasets: [{
data: values,
borderColor: style.borderColor,
backgroundColor: style.backgroundColor,
fill: true,
tension: 0.35,
pointRadius: 0,
pointHoverRadius: 3,
borderWidth: 2,
spanGaps: true
}]
},
options: {
responsive: true,
maintainAspectRatio: false,
animation: false,
interaction: { intersect: false, mode: 'index' },
plugins: {
legend: { display: false },
tooltip: {
callbacks: {
label: (ctx) => this.formatCompactNumber(ctx.parsed.y || 0)
}
}
},
layout: { padding: { left: 2, right: 2, top: 6, bottom: 6 } },
scales: {
x: { display: false },
y: {
display: false,
beginAtZero: true,
suggestedMin: 0,
suggestedMax
}
},
elements: {
line: { borderWidth: 2, tension: 0.35 },
point: { radius: 0, hitRadius: 3 }
}
}
});
};
createSparkline({ id: 'requests-sparkline', data: series.requests, styleIndex: 0 });
createSparkline({ id: 'tokens-sparkline', data: series.tokens, styleIndex: 1 });
createSparkline({ id: 'rpm-sparkline', data: series.rpm, styleIndex: 2 });
createSparkline({ id: 'tpm-sparkline', data: series.tpm, styleIndex: 3 });
createSparkline({ id: 'cost-sparkline', data: series.cost, styleIndex: 7, requirePrices: true });
}
export function createHourlyBucketMeta() {
const hourMs = 60 * 60 * 1000;
const now = new Date();
@@ -761,11 +1198,37 @@ export function buildChartDataForMetric(period = 'day', metric = 'requests') {
const labels = baseSeries?.labels || [];
const dataByModel = baseSeries?.dataByModel || new Map();
const activeSelections = this.getActiveChartLineSelections();
let allSeriesCache = null;
const getAllSeries = () => {
if (allSeriesCache) {
return allSeriesCache;
}
const summed = new Array(labels.length).fill(0);
dataByModel.forEach(values => {
values.forEach((value, idx) => {
summed[idx] = (summed[idx] || 0) + value;
});
});
allSeriesCache = summed;
return summed;
};
const getSeriesForSelection = (selectionValue) => {
if (selectionValue === ALL_MODELS_VALUE) {
return getAllSeries();
}
return dataByModel.get(selectionValue) || new Array(labels.length).fill(0);
};
const datasets = activeSelections.map(selection => {
const values = dataByModel.get(selection.model) || new Array(labels.length).fill(0);
const style = this.chartLineStyles[selection.index] || this.chartLineStyles[0];
const values = getSeriesForSelection(selection.model);
const style = this.chartLineStyles[selection.index % this.chartLineStyles.length] || this.chartLineStyles[0];
const label = selection.model === ALL_MODELS_VALUE
? i18n.t('usage_stats.chart_line_all')
: selection.model;
return {
label: selection.model,
label,
data: values,
borderColor: style.borderColor,
backgroundColor: style.backgroundColor,
@@ -792,6 +1255,15 @@ export function formatHourLabel(date) {
return `${month}-${day} ${hour}:00`;
}
export function formatMinuteLabel(date) {
if (!(date instanceof Date)) {
return '';
}
const hour = date.getHours().toString().padStart(2, '0');
const minute = date.getMinutes().toString().padStart(2, '0');
return `${hour}:${minute}`;
}
export function formatDayLabel(date) {
if (!(date instanceof Date)) {
return '';
@@ -1323,17 +1795,24 @@ export function updateApiStatsTable(data) {
Object.entries(apis).forEach(([endpoint, apiData]) => {
const totalRequests = apiData.total_requests || 0;
const endpointCost = calculateEndpointCost(apiData);
const displayEndpoint = (this.maskUsageSensitiveValue
? this.maskUsageSensitiveValue(endpoint)
: (endpoint ?? '')) || '-';
const safeEndpoint = this.escapeHtml
? this.escapeHtml(displayEndpoint)
: displayEndpoint;
// 构建模型详情
let modelsHtml = '';
if (apiData.models && Object.keys(apiData.models).length > 0) {
modelsHtml = '<div class="model-details">';
Object.entries(apiData.models).forEach(([modelName, modelData]) => {
const safeModel = this.escapeHtml ? this.escapeHtml(modelName || '') : (modelName || '');
const modelRequests = modelData.total_requests ?? 0;
const modelTokens = this.formatTokensInMillions(modelData.total_tokens ?? 0);
modelsHtml += `
<div class="model-item">
<span class="model-name">${modelName}</span>
<span class="model-name">${safeModel}</span>
<span>${modelRequests} 请求 / ${modelTokens} tokens</span>
</div>
`;
@@ -1343,7 +1822,7 @@ export function updateApiStatsTable(data) {
tableHtml += `
<tr>
<td>${endpoint}</td>
<td>${safeEndpoint}</td>
<td>${totalRequests}</td>
<td>${this.formatTokensInMillions(apiData.total_tokens || 0)}</td>
<td>${hasPrices && endpointCost > 0 ? this.formatUsd(endpointCost) : '--'}</td>
@@ -1360,7 +1839,15 @@ export const usageModule = {
getKeyStats,
loadUsageStats,
updateUsageOverview,
maskUsageSensitiveValue,
getModelNamesFromUsage,
getChartLineMaxCount,
getVisibleChartLineCount,
ensureChartLineSelectionLength,
updateChartLineControlsUI,
setChartLineVisibleCount,
changeChartLineCount,
removeChartLine,
updateChartLineSelectors,
handleChartLineSelectionChange,
refreshChartsForSelections,
@@ -1373,19 +1860,23 @@ export const usageModule = {
persistModelPrices,
renderModelPriceOptions,
renderSavedModelPrices,
handleModelPriceEdit,
prefillModelPriceInputs,
normalizePriceValue,
handleModelPriceSubmit,
handleModelPriceReset,
calculateTokenBreakdown,
calculateRecentPerMinuteRates,
buildRecentWindowSeries,
createHourlyBucketMeta,
buildHourlySeriesByModel,
buildDailySeriesByModel,
buildChartDataForMetric,
formatHourLabel,
formatMinuteLabel,
formatTokensInMillions,
formatPerMinuteValue,
formatCompactNumber,
formatDayLabel,
extractTotalTokens,
formatUsd,
@@ -1393,6 +1884,8 @@ export const usageModule = {
getCostChartPeriod,
setCostChartPlaceholder,
destroyCostChart,
destroySparklineCharts,
renderOverviewSparklines,
initializeCostChart,
updateCostSummaryAndChart,
initializeCharts,

View File

@@ -111,14 +111,14 @@ export const REQUEST_TIMEOUT_MS = 30 * 1000;
/**
* OAuth 卡片元素 ID 列表
* 用于根据主机环境隐藏/显示不同的 OAuth 选项
* 注意: iflow-oauth-card 不在此列表中,因为它包含Cookie登录功能,该功能可在远程使用
*/
export const OAUTH_CARD_IDS = [
'codex-oauth-card',
'anthropic-oauth-card',
'antigravity-oauth-card',
'gemini-cli-oauth-card',
'qwen-oauth-card',
'iflow-oauth-card'
'qwen-oauth-card'
];
/**

104
src/utils/models.js Normal file
View File

@@ -0,0 +1,104 @@
/**
* 模型工具函数
* 提供模型列表的规范化与去重能力
*/
export function normalizeModelList(payload, { dedupe = false } = {}) {
const toModel = (entry) => {
if (typeof entry === 'string') {
return { name: entry };
}
if (!entry || typeof entry !== 'object') {
return null;
}
const name = entry.id || entry.name || entry.model || entry.value;
if (!name) return null;
const alias = entry.alias || entry.display_name || entry.displayName;
const description = entry.description || entry.note || entry.comment;
const model = { name: String(name) };
if (alias && alias !== name) {
model.alias = String(alias);
}
if (description) {
model.description = String(description);
}
return model;
};
let models = [];
if (Array.isArray(payload)) {
models = payload.map(toModel).filter(Boolean);
} else if (payload && typeof payload === 'object') {
if (Array.isArray(payload.data)) {
models = payload.data.map(toModel).filter(Boolean);
} else if (Array.isArray(payload.models)) {
models = payload.models.map(toModel).filter(Boolean);
}
}
if (!dedupe) {
return models;
}
const seen = new Set();
return models.filter(model => {
const key = (model?.name || '').toLowerCase();
if (!key || seen.has(key)) {
return false;
}
seen.add(key);
return true;
});
}
const MODEL_CATEGORIES = [
{ id: 'gpt', label: 'GPT', patterns: [/gpt/i, /\bo\d\b/i, /\bo\d+\.?/i, /\bchatgpt/i] },
{ id: 'claude', label: 'Claude', patterns: [/claude/i] },
{ id: 'gemini', label: 'Gemini', patterns: [/gemini/i, /\bgai\b/i] },
{ id: 'kimi', label: 'Kimi', patterns: [/kimi/i] },
{ id: 'qwen', label: 'Qwen', patterns: [/qwen/i] },
{ id: 'glm', label: 'GLM', patterns: [/glm/i, /chatglm/i] },
{ id: 'grok', label: 'Grok', patterns: [/grok/i] },
{ id: 'deepseek', label: 'DeepSeek', patterns: [/deepseek/i] }
];
function matchCategory(text) {
for (const category of MODEL_CATEGORIES) {
if (category.patterns.some(pattern => pattern.test(text))) {
return category.id;
}
}
return null;
}
export function classifyModels(models = [], { otherLabel = 'Other' } = {}) {
const groups = MODEL_CATEGORIES.map(category => ({
id: category.id,
label: category.label,
items: []
}));
const otherGroup = { id: 'other', label: otherLabel, items: [] };
models.forEach(model => {
const name = (model?.name || '').toString();
const alias = (model?.alias || '').toString();
const haystack = `${name} ${alias}`.toLowerCase();
const matchedId = matchCategory(haystack);
const target = matchedId ? groups.find(group => group.id === matchedId) : null;
if (target) {
target.items.push(model);
} else {
otherGroup.items.push(model);
}
});
const populatedGroups = groups.filter(group => group.items.length > 0);
if (otherGroup.items.length) {
populatedGroups.push(otherGroup);
}
return populatedGroups;
}

View File

@@ -267,6 +267,8 @@
display: inline-flex;
align-items: center;
height: 36px;
min-width: 36px;
justify-content: center;
}
/* 登录页面的按钮样式优化 */
@@ -804,7 +806,7 @@ body {
display: flex;
flex-direction: column;
background: var(--bg-primary);
min-height: 100%;
min-height: calc(100vh - var(--navbar-height, 69px));
}
/* 顶部导航栏 */
@@ -836,6 +838,7 @@ body {
align-items: center;
gap: 12px;
max-width: max-content;
flex-shrink: 0;
}
.top-navbar-brand-logo {
@@ -849,8 +852,90 @@ body {
font-size: 18px;
font-weight: 600;
color: var(--text-primary);
overflow: visible;
text-overflow: initial;
white-space: nowrap;
line-height: 1;
}
.top-navbar-brand-toggle {
display: inline-flex;
align-items: center;
background: transparent;
border: none;
padding: 0;
margin: 0;
cursor: pointer;
font: inherit;
color: var(--text-primary);
height: 32px;
}
.top-navbar-brand-toggle:focus-visible {
outline: 2px solid var(--primary-color);
outline-offset: 4px;
border-radius: 8px;
}
.brand-texts {
position: relative;
display: inline-flex;
align-items: center;
overflow: hidden;
text-overflow: ellipsis;
white-space: nowrap;
transition: width 0.45s ease;
}
.brand-text {
display: block;
white-space: nowrap;
transition: opacity 0.35s ease;
line-height: 1.2;
}
.brand-text-short {
position: absolute;
left: 0;
top: 0;
opacity: 0;
}
.top-navbar-brand-toggle.expanded .brand-text-full {
opacity: 1;
}
.top-navbar-brand-toggle.expanded .brand-text-short {
opacity: 0;
}
.top-navbar-brand-toggle.collapsed .brand-text-full {
opacity: 0;
position: absolute;
}
.top-navbar-brand-toggle.collapsed .brand-text-short {
opacity: 1;
position: relative;
}
@media (max-width: 768px) {
.top-navbar-brand-toggle {
pointer-events: none;
cursor: default;
}
.brand-texts {
transition: none;
}
.top-navbar-brand-toggle .brand-text-full {
display: none;
}
.top-navbar-brand-toggle .brand-text-short {
position: relative;
opacity: 1;
}
}
.top-navbar-actions {
@@ -863,63 +948,99 @@ body {
.top-navbar-actions>* {
display: inline-flex;
align-items: center;
justify-content: center;
height: 36px;
min-width: 44px;
}
.top-navbar .header-controls {
display: inline-flex;
align-items: center;
gap: 8px;
height: 100%;
height: auto;
}
.top-navbar .language-btn,
.top-navbar .theme-btn {
width: 36px;
height: 36px;
min-height: 36px;
padding: 0;
min-width: 44px;
padding: 0 12px;
justify-content: center;
line-height: 1;
}
.top-navbar-actions .btn {
height: 36px;
min-height: 36px;
min-width: 44px;
padding: 0 12px;
justify-content: center;
line-height: 1;
}
@media (max-width: 768px) {
.top-navbar {
flex-direction: column;
align-items: stretch;
gap: 8px;
height: auto;
min-height: var(--navbar-height, 69px);
}
.top-navbar-left {
width: 100%;
justify-content: flex-start;
}
.top-navbar-actions {
width: 100%;
flex-wrap: wrap;
justify-content: flex-end;
gap: 8px;
margin-left: 0;
align-items: center;
}
.top-navbar .header-controls {
width: 100%;
width: auto;
order: 0;
justify-content: flex-end;
order: 99;
gap: 8px;
height: auto;
align-items: center;
}
.top-navbar-actions>* {
height: 34px;
min-height: 34px;
height: 36px;
min-height: 36px;
min-width: 44px;
justify-content: center;
}
.top-navbar .language-btn,
.top-navbar .theme-btn {
width: 34px;
height: 34px;
height: 36px;
min-height: 36px;
min-width: 44px;
padding: 0 12px;
justify-content: center;
line-height: 1;
}
.top-navbar-actions .btn {
height: 34px;
min-height: 34px;
padding: 0 10px;
height: 36px;
min-height: 36px;
min-width: 44px;
padding: 0 12px;
justify-content: center;
line-height: 1;
}
.top-navbar-actions .btn span {
display: none;
.top-navbar .language-btn i,
.top-navbar .theme-btn i,
.top-navbar-actions .btn i {
margin: 0;
}
}
@@ -1036,6 +1157,8 @@ body {
/* 主内容区域 */
.main-content {
flex: 1;
display: flex;
flex-direction: column;
padding: 24px 32px;
max-width: 1400px;
width: 100%;
@@ -1046,6 +1169,8 @@ body {
.content-area {
flex: 1;
width: 100%;
display: flex;
flex-direction: column;
}
.content-section {
@@ -1385,7 +1510,6 @@ textarea::placeholder {
#config-management .card {
display: flex;
flex-direction: column;
min-height: calc(100vh - 360px);
margin-bottom: 12px;
}
@@ -1404,8 +1528,6 @@ textarea::placeholder {
.yaml-editor {
width: 100%;
flex: 1;
min-height: 520px;
border: 1px solid var(--border-primary);
border-radius: 6px;
padding: 12px 14px;
@@ -1417,10 +1539,12 @@ textarea::placeholder {
resize: vertical;
}
#config-management .yaml-editor {
height: 520px;
}
#config-management .CodeMirror {
flex: 1;
min-height: 520px;
height: 100%;
height: 520px;
font-family: 'SFMono-Regular', 'Consolas', 'Liberation Mono', 'Courier New', monospace;
font-size: 14px;
line-height: 1.5;
@@ -1433,7 +1557,7 @@ textarea::placeholder {
#config-management .CodeMirror-scroll {
min-height: 0;
height: 100%;
max-height: none;
max-height: 100%;
overflow-y: auto;
overscroll-behavior: contain;
}
@@ -1484,9 +1608,9 @@ textarea::placeholder {
min-height: 360px;
}
.yaml-editor,
#config-management .yaml-editor,
#config-management .CodeMirror {
min-height: 360px;
height: 360px;
}
}
@@ -2243,6 +2367,87 @@ input:checked+.slider:before {
font-style: italic;
}
.available-models-status {
display: flex;
align-items: center;
gap: 8px;
color: var(--text-secondary);
font-size: 0.95rem;
margin-bottom: 10px;
}
.available-models-status.success {
color: #10b981;
}
.available-models-status.warning {
color: #d97706;
}
.available-models-status.error {
color: #dc2626;
}
.available-models-list {
display: flex;
flex-direction: column;
gap: 12px;
}
.available-models-empty {
display: flex;
align-items: center;
gap: 8px;
color: var(--text-tertiary);
padding: 6px 0;
}
.available-models-placeholder {
color: var(--text-tertiary);
}
.available-model-group {
background: var(--bg-tertiary);
border: 1px solid var(--border-color);
border-radius: 10px;
padding: 10px 12px;
}
.available-model-group-header {
display: flex;
justify-content: space-between;
align-items: center;
margin-bottom: 8px;
}
.available-model-group-title {
display: flex;
align-items: center;
gap: 8px;
font-weight: 600;
color: var(--text-primary);
}
.available-model-group-label {
font-size: 0.95rem;
letter-spacing: 0.3px;
}
.available-model-group-count {
background: var(--bg-secondary);
border: 1px solid var(--border-color);
border-radius: 999px;
padding: 2px 8px;
font-size: 0.85rem;
color: var(--text-secondary);
}
.available-model-group-body {
display: flex;
flex-wrap: wrap;
gap: 8px;
}
.item-value {
font-family: 'Monaco', 'Menlo', 'Ubuntu Mono', monospace;
background: var(--bg-tertiary);
@@ -2284,6 +2489,65 @@ input:checked+.slider:before {
color: var(--text-tertiary);
}
.version-check {
display: flex;
flex-direction: column;
gap: 12px;
}
.version-check-rows {
display: grid;
grid-template-columns: repeat(auto-fit, minmax(240px, 1fr));
gap: 12px;
}
.version-check-row {
display: flex;
align-items: center;
justify-content: space-between;
padding: 12px 14px;
border-radius: 8px;
background: var(--bg-quaternary);
border: 1px solid var(--border-primary);
}
.version-check-value {
font-weight: 600;
color: var(--text-tertiary);
}
.version-check-actions {
display: flex;
align-items: center;
gap: 12px;
flex-wrap: wrap;
}
.version-check-result {
font-weight: 600;
color: var(--text-secondary);
}
.version-check-result.success {
color: #10b981;
}
.version-check-result.warning {
color: #f59e0b;
}
.version-check-result.error {
color: #ef4444;
}
.version-check-result.info {
color: var(--text-secondary);
}
.version-check-result.muted {
color: var(--text-quaternary);
}
/* JSON模态框 */
.json-modal {
position: fixed;
@@ -2519,6 +2783,49 @@ input:checked+.slider:before {
color: #d97706;
}
.openai-test-status {
min-height: 22px;
font-size: 0.95rem;
color: var(--text-secondary);
}
.openai-test-status.success {
color: #16a34a;
}
.openai-test-status.error {
color: #dc2626;
}
.openai-test-status.warning {
color: #d97706;
}
.openai-test-group select {
min-width: 200px;
padding: 10px 12px;
border: 1px solid var(--border-primary);
border-radius: 10px;
background: var(--bg-secondary);
color: var(--text-primary);
}
.openai-test-group select:disabled {
opacity: 0.6;
}
.openai-test-btn-success {
background: #16a34a !important;
border-color: #16a34a !important;
color: #ffffff !important;
}
.openai-test-btn-error {
background: #dc2626 !important;
border-color: #dc2626 !important;
color: #ffffff !important;
}
.model-discovery-list {
background: var(--bg-primary);
border: 1px solid var(--border-color);
@@ -2750,8 +3057,9 @@ input:checked+.slider:before {
.sidebar {
position: fixed;
left: 0;
top: var(--navbar-height, 69px);
height: calc(100vh - var(--navbar-height, 69px));
top: 0;
height: 100vh;
padding-top: calc(var(--navbar-height, 69px) + 20px);
transform: translateX(-100%);
z-index: 150;
box-shadow: var(--shadow-sm);
@@ -2799,38 +3107,51 @@ input:checked+.slider:before {
@media (max-width: 768px) {
.top-navbar {
padding: 12px 16px;
flex-direction: column;
align-items: stretch;
gap: 8px;
height: auto;
min-height: 60px;
}
.top-navbar-title {
font-size: 18px;
}
.top-navbar-left {
width: 100%;
justify-content: flex-start;
}
.top-navbar-actions {
gap: 6px;
flex-wrap: wrap;
justify-content: flex-end;
width: 100%;
margin-left: 0;
}
.top-navbar-actions>* {
height: 34px;
min-height: 34px;
height: 36px;
min-height: 36px;
min-width: 44px;
}
.top-navbar .header-controls {
height: 34px;
gap: 6px;
height: 36px;
gap: 8px;
width: auto;
order: 0;
justify-content: flex-end;
}
.top-navbar-actions .btn,
.top-navbar .language-btn,
.top-navbar .theme-btn {
height: 34px;
min-height: 34px;
padding: 0 10px;
}
.top-navbar-actions .btn span {
display: none;
height: 36px;
min-height: 36px;
min-width: 44px;
padding: 8px 12px;
}
.btn {
@@ -3066,14 +3387,14 @@ input:checked+.slider:before {
/* 使用统计样式 */
.stats-overview {
display: grid;
grid-template-columns: repeat(3, minmax(0, 1fr));
grid-template-columns: repeat(auto-fit, minmax(240px, 1fr));
gap: 20px;
margin-bottom: 30px;
}
@media (max-width: 1200px) {
.stats-overview {
grid-template-columns: repeat(2, minmax(0, 1fr));
grid-template-columns: repeat(auto-fit, minmax(200px, 1fr));
}
}
@@ -3098,12 +3419,62 @@ input:checked+.slider:before {
min-width: 220px;
}
.usage-filter-actions {
min-width: 260px;
flex: 1 0 100%;
order: 0;
}
.chart-line-group {
flex: 1 1 260px;
order: 1;
}
.usage-filter-group label {
font-weight: 600;
color: var(--text-secondary);
font-size: 14px;
}
.chart-line-actions {
display: flex;
gap: 8px;
align-items: center;
flex-wrap: wrap;
}
.chart-line-count {
padding: 6px 10px;
border-radius: 20px;
background: var(--bg-tertiary);
color: var(--text-secondary);
font-size: 13px;
border: 1px solid var(--border-color);
}
.chart-line-hint {
color: var(--text-secondary);
font-size: 13px;
}
.chart-line-control {
display: flex;
align-items: center;
gap: 8px;
}
.chart-line-control .model-filter-select {
flex: 1;
}
.chart-line-delete {
white-space: nowrap;
}
.chart-line-group.chart-line-hidden {
display: none;
}
.model-filter-select {
border: 1px solid var(--border-color);
border-radius: 10px;
@@ -3123,10 +3494,11 @@ input:checked+.slider:before {
background: var(--card-bg);
border: 1px solid var(--border-color);
border-radius: 12px;
padding: 24px;
padding: 18px;
display: flex;
align-items: center;
gap: 16px;
flex-direction: column;
gap: 12px;
min-height: 220px;
transition: all 0.2s ease;
box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
}
@@ -3137,16 +3509,31 @@ input:checked+.slider:before {
transform: translateY(-2px);
}
.stat-card-header {
display: flex;
align-items: flex-start;
justify-content: space-between;
gap: 12px;
min-height: 110px;
}
.stat-meta {
display: flex;
flex-direction: column;
gap: 6px;
flex: 1;
}
.stat-icon {
width: 50px;
height: 50px;
width: 44px;
height: 44px;
border-radius: 12px;
display: flex;
align-items: center;
justify-content: center;
background: var(--primary-color);
color: white;
font-size: 20px;
font-size: 18px;
flex-shrink: 0;
}
@@ -3158,32 +3545,47 @@ input:checked+.slider:before {
background: #ef4444;
}
.stat-content {
flex: 1;
}
.stat-number {
font-size: 28px;
font-size: 30px;
font-weight: 700;
color: var(--text-primary);
line-height: 1;
margin-bottom: 4px;
line-height: 1.1;
}
.stat-label {
font-size: 14px;
font-size: 13px;
letter-spacing: 0.2px;
color: var(--text-secondary);
font-weight: 500;
text-transform: uppercase;
font-weight: 600;
}
.stat-subtext {
font-size: 12px;
color: var(--text-tertiary);
line-height: 1.4;
line-height: 1.5;
}
.stat-subtext:first-of-type {
margin-top: 6px;
.stat-subtext-inline {
display: flex;
gap: 8px;
align-items: center;
flex-wrap: wrap;
}
.dot-divider {
color: var(--text-tertiary);
font-weight: 700;
}
.stat-sparkline {
height: 90px;
margin-top: auto;
}
.stat-sparkline canvas {
width: 100% !important;
height: 100% !important;
}
.cost-summary-card .stat-icon {
@@ -3312,34 +3714,18 @@ input:checked+.slider:before {
.model-price-list {
margin-top: 6px;
}
.model-price-table {
display: flex;
flex-direction: column;
gap: 8px;
gap: 10px;
}
.model-price-header,
.model-price-row {
display: grid;
grid-template-columns: 2fr 1fr 1fr;
gap: 12px;
padding: 10px 12px;
border: 1px solid var(--border-color);
border-radius: 10px;
align-items: center;
.model-price-item {
cursor: pointer;
}
.model-price-header {
font-weight: 700;
color: var(--text-primary);
background: var(--bg-secondary);
}
.model-price-row {
background: var(--bg-primary);
color: var(--text-secondary);
.model-price-item .item-meta {
margin-bottom: 0;
gap: 10px;
}
.chart-placeholder {
@@ -3405,6 +3791,7 @@ input:checked+.slider:before {
margin-top: 40px;
padding: 24px 0;
border-top: 1px solid var(--border-primary);
flex-shrink: 0;
}
.version-info {
@@ -4289,6 +4676,60 @@ input:checked+.slider:before {
line-height: 1.6;
}
/* 日志页面头部布局 */
#logs .card-header.logs-header {
flex-wrap: wrap;
gap: 12px;
}
.logs-header-main {
display: flex;
align-items: center;
gap: 12px;
flex: 1;
min-width: 280px;
}
.logs-header-main h3 {
margin: 0;
}
.logs-search {
display: flex;
align-items: center;
border: 1px solid var(--border-primary);
border-radius: 10px;
padding: 0 12px;
background: var(--bg-secondary);
box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.03);
min-width: 240px;
max-width: 420px;
flex: 1;
}
[data-theme="dark"] .logs-search {
background: var(--bg-tertiary);
box-shadow: inset 0 1px 1px rgba(255, 255, 255, 0.04);
}
.logs-search i {
color: var(--text-tertiary);
margin-right: 8px;
}
.logs-search input {
border: none;
background: transparent;
color: var(--text-primary);
width: 100%;
padding: 10px 0;
font-size: 0.95rem;
}
.logs-search input:focus {
outline: none;
}
/* 日志页面头部操作区域 */
#logs .card-header .header-actions {
display: flex;
@@ -4320,6 +4761,21 @@ input:checked+.slider:before {
font-size: 12px;
}
#logs .card-header.logs-header {
align-items: flex-start;
}
.logs-header-main {
width: 100%;
flex-direction: column;
align-items: flex-start;
}
.logs-search {
width: 100%;
max-width: none;
}
#logs .card-header .header-actions {
width: 100%;
justify-content: flex-start;
@@ -4513,6 +4969,12 @@ input:checked+.slider:before {
border: 1px solid var(--success-border);
}
.stat-badge.stat-neutral {
background-color: var(--bg-tertiary);
color: var(--text-secondary);
border: 1px solid var(--border-color);
}
.stat-badge.stat-success i {
font-size: 13px;
}