/** * Admin Routes - OpenAI-Responses 账户管理 * 处理 OpenAI-Responses 账户的增删改查和状态管理 */ const express = require('express') const openaiResponsesAccountService = require('../../services/openaiResponsesAccountService') const apiKeyService = require('../../services/apiKeyService') const accountGroupService = require('../../services/accountGroupService') const redis = require('../../models/redis') const { authenticateAdmin } = require('../../middleware/auth') const logger = require('../../utils/logger') const webhookNotifier = require('../../utils/webhookNotifier') const { formatAccountExpiry, mapExpiryField } = require('./utils') const router = express.Router() // ==================== OpenAI-Responses 账户管理 API ==================== // 获取所有 OpenAI-Responses 账户 router.get('/openai-responses-accounts', authenticateAdmin, async (req, res) => { try { const { platform, groupId } = req.query let accounts = await openaiResponsesAccountService.getAllAccounts(true) // 根据查询参数进行筛选 if (platform && platform !== 'openai-responses') { accounts = [] } // 根据分组ID筛选 if (groupId) { const group = await accountGroupService.getGroup(groupId) if (group && group.platform === 'openai') { const groupMembers = await accountGroupService.getGroupMembers(groupId) accounts = accounts.filter((account) => groupMembers.includes(account.id)) } else { accounts = [] } } // 处理额度信息、使用统计和绑定的 API Key 数量 const accountsWithStats = await Promise.all( accounts.map(async (account) => { try { // 检查是否需要重置额度 const today = redis.getDateStringInTimezone() if (account.lastResetDate !== today) { // 今天还没重置过,需要重置 await openaiResponsesAccountService.updateAccount(account.id, { dailyUsage: '0', lastResetDate: today, quotaStoppedAt: '' }) account.dailyUsage = '0' account.lastResetDate = today account.quotaStoppedAt = '' } // 检查并清除过期的限流状态 await openaiResponsesAccountService.checkAndClearRateLimit(account.id) // 获取使用统计信息 let usageStats try { usageStats = await redis.getAccountUsageStats(account.id, 'openai-responses') } catch (error) { logger.debug( `Failed to get usage stats for OpenAI-Responses account ${account.id}:`, error ) usageStats = { daily: { requests: 0, tokens: 0, allTokens: 0 }, total: { requests: 0, tokens: 0, allTokens: 0 }, monthly: { requests: 0, tokens: 0, allTokens: 0 } } } // 计算绑定的API Key数量(支持 responses: 前缀) const allKeys = await redis.getAllApiKeys() let boundCount = 0 for (const key of allKeys) { // 检查是否绑定了该账户(包括 responses: 前缀) if ( key.openaiAccountId === account.id || key.openaiAccountId === `responses:${account.id}` ) { boundCount++ } } // 调试日志:检查绑定计数 if (boundCount > 0) { logger.info(`OpenAI-Responses account ${account.id} has ${boundCount} bound API keys`) } // 获取分组信息 const groupInfos = await accountGroupService.getAccountGroups(account.id) const formattedAccount = formatAccountExpiry(account) return { ...formattedAccount, groupInfos, boundApiKeysCount: boundCount, usage: { daily: usageStats.daily, total: usageStats.total, monthly: usageStats.monthly } } } catch (error) { logger.error(`Failed to process OpenAI-Responses account ${account.id}:`, error) const formattedAccount = formatAccountExpiry(account) return { ...formattedAccount, groupInfos: [], boundApiKeysCount: 0, usage: { daily: { requests: 0, tokens: 0, allTokens: 0 }, total: { requests: 0, tokens: 0, allTokens: 0 }, monthly: { requests: 0, tokens: 0, allTokens: 0 } } } } }) ) res.json({ success: true, data: accountsWithStats }) } catch (error) { logger.error('Failed to get OpenAI-Responses accounts:', error) res.status(500).json({ success: false, message: error.message }) } }) // 创建 OpenAI-Responses 账户 router.post('/openai-responses-accounts', authenticateAdmin, async (req, res) => { try { const accountData = req.body // 验证分组类型 if ( accountData.accountType === 'group' && !accountData.groupId && (!accountData.groupIds || accountData.groupIds.length === 0) ) { return res.status(400).json({ success: false, error: 'Group ID is required for group type accounts' }) } const account = await openaiResponsesAccountService.createAccount(accountData) // 如果是分组类型,处理分组绑定 if (accountData.accountType === 'group') { if (accountData.groupIds && accountData.groupIds.length > 0) { // 多分组模式 await accountGroupService.setAccountGroups(account.id, accountData.groupIds, 'openai') logger.info( `🏢 Added OpenAI-Responses account ${account.id} to groups: ${accountData.groupIds.join(', ')}` ) } else if (accountData.groupId) { // 单分组模式(向后兼容) await accountGroupService.addAccountToGroup(account.id, accountData.groupId, 'openai') logger.info( `🏢 Added OpenAI-Responses account ${account.id} to group: ${accountData.groupId}` ) } } const formattedAccount = formatAccountExpiry(account) res.json({ success: true, data: formattedAccount }) } catch (error) { logger.error('Failed to create OpenAI-Responses account:', error) res.status(500).json({ success: false, error: error.message }) } }) // 更新 OpenAI-Responses 账户 router.put('/openai-responses-accounts/:id', authenticateAdmin, async (req, res) => { try { const { id } = req.params const updates = req.body // 获取当前账户信息 const currentAccount = await openaiResponsesAccountService.getAccount(id) if (!currentAccount) { return res.status(404).json({ success: false, error: 'Account not found' }) } // ✅ 【新增】映射字段名:前端的 expiresAt -> 后端的 subscriptionExpiresAt const mappedUpdates = mapExpiryField(updates, 'OpenAI-Responses', id) // 验证priority的有效性(1-100) if (mappedUpdates.priority !== undefined) { const priority = parseInt(mappedUpdates.priority) if (isNaN(priority) || priority < 1 || priority > 100) { return res.status(400).json({ success: false, message: 'Priority must be a number between 1 and 100' }) } mappedUpdates.priority = priority.toString() } // 处理分组变更 if (mappedUpdates.accountType !== undefined) { // 如果之前是分组类型,需要从所有分组中移除 if (currentAccount.accountType === 'group') { const oldGroups = await accountGroupService.getAccountGroups(id) for (const oldGroup of oldGroups) { await accountGroupService.removeAccountFromGroup(id, oldGroup.id) } logger.info(`📤 Removed OpenAI-Responses account ${id} from all groups`) } // 如果新类型是分组,处理多分组支持 if (mappedUpdates.accountType === 'group') { if (Object.prototype.hasOwnProperty.call(mappedUpdates, 'groupIds')) { if (mappedUpdates.groupIds && mappedUpdates.groupIds.length > 0) { // 设置新的多分组 await accountGroupService.setAccountGroups(id, mappedUpdates.groupIds, 'openai') logger.info( `📥 Added OpenAI-Responses account ${id} to groups: ${mappedUpdates.groupIds.join(', ')}` ) } else { // groupIds 为空数组,从所有分组中移除 await accountGroupService.removeAccountFromAllGroups(id) logger.info( `📤 Removed OpenAI-Responses account ${id} from all groups (empty groupIds)` ) } } else if (mappedUpdates.groupId) { // 向后兼容:仅当没有 groupIds 但有 groupId 时使用单分组逻辑 await accountGroupService.addAccountToGroup(id, mappedUpdates.groupId, 'openai') logger.info(`📥 Added OpenAI-Responses account ${id} to group: ${mappedUpdates.groupId}`) } } } const result = await openaiResponsesAccountService.updateAccount(id, mappedUpdates) if (!result.success) { return res.status(400).json(result) } logger.success(`📝 Admin updated OpenAI-Responses account: ${id}`) res.json({ success: true, ...result }) } catch (error) { logger.error('Failed to update OpenAI-Responses account:', error) res.status(500).json({ success: false, error: error.message }) } }) // 删除 OpenAI-Responses 账户 router.delete('/openai-responses-accounts/:id', authenticateAdmin, async (req, res) => { try { const { id } = req.params const account = await openaiResponsesAccountService.getAccount(id) if (!account) { return res.status(404).json({ success: false, message: 'Account not found' }) } // 自动解绑所有绑定的 API Keys const unboundCount = await apiKeyService.unbindAccountFromAllKeys(id, 'openai-responses') // 从所有分组中移除此账户 if (account.accountType === 'group') { await accountGroupService.removeAccountFromAllGroups(id) logger.info(`Removed OpenAI-Responses account ${id} from all groups`) } const result = await openaiResponsesAccountService.deleteAccount(id) let message = 'OpenAI-Responses账号已成功删除' if (unboundCount > 0) { message += `,${unboundCount} 个 API Key 已切换为共享池模式` } logger.success(`🗑️ Admin deleted OpenAI-Responses account: ${id}, unbound ${unboundCount} keys`) res.json({ success: true, ...result, message, unboundKeys: unboundCount }) } catch (error) { logger.error('Failed to delete OpenAI-Responses account:', error) res.status(500).json({ success: false, error: error.message }) } }) // 切换 OpenAI-Responses 账户调度状态 router.put( '/openai-responses-accounts/:id/toggle-schedulable', authenticateAdmin, async (req, res) => { try { const { id } = req.params const result = await openaiResponsesAccountService.toggleSchedulable(id) if (!result.success) { return res.status(400).json(result) } // 仅在停止调度时发送通知 if (!result.schedulable) { await webhookNotifier.sendAccountEvent('account.status_changed', { accountId: id, platform: 'openai-responses', schedulable: result.schedulable, changedBy: 'admin', action: 'stopped_scheduling' }) } res.json(result) } catch (error) { logger.error('Failed to toggle OpenAI-Responses account schedulable status:', error) res.status(500).json({ success: false, error: error.message }) } } ) // 切换 OpenAI-Responses 账户激活状态 router.put('/openai-responses-accounts/:id/toggle', authenticateAdmin, async (req, res) => { try { const { id } = req.params const account = await openaiResponsesAccountService.getAccount(id) if (!account) { return res.status(404).json({ success: false, message: 'Account not found' }) } const newActiveStatus = account.isActive === 'true' ? 'false' : 'true' await openaiResponsesAccountService.updateAccount(id, { isActive: newActiveStatus }) res.json({ success: true, isActive: newActiveStatus === 'true' }) } catch (error) { logger.error('Failed to toggle OpenAI-Responses account status:', error) res.status(500).json({ success: false, error: error.message }) } }) // 重置 OpenAI-Responses 账户限流状态 router.post( '/openai-responses-accounts/:id/reset-rate-limit', authenticateAdmin, async (req, res) => { try { const { id } = req.params await openaiResponsesAccountService.updateAccount(id, { rateLimitedAt: '', rateLimitStatus: '', status: 'active', errorMessage: '' }) logger.info(`🔄 Admin manually reset rate limit for OpenAI-Responses account ${id}`) res.json({ success: true, message: 'Rate limit reset successfully' }) } catch (error) { logger.error('Failed to reset OpenAI-Responses account rate limit:', error) res.status(500).json({ success: false, error: error.message }) } } ) // 重置 OpenAI-Responses 账户状态(清除所有异常状态) router.post('/openai-responses-accounts/:id/reset-status', authenticateAdmin, async (req, res) => { try { const { id } = req.params const result = await openaiResponsesAccountService.resetAccountStatus(id) logger.success(`✅ Admin reset status for OpenAI-Responses account: ${id}`) return res.json({ success: true, data: result }) } catch (error) { logger.error('❌ Failed to reset OpenAI-Responses account status:', error) return res.status(500).json({ error: 'Failed to reset status', message: error.message }) } }) // 手动重置 OpenAI-Responses 账户的每日使用量 router.post('/openai-responses-accounts/:id/reset-usage', authenticateAdmin, async (req, res) => { try { const { id } = req.params await openaiResponsesAccountService.updateAccount(id, { dailyUsage: '0', lastResetDate: redis.getDateStringInTimezone(), quotaStoppedAt: '' }) logger.success(`✅ Admin manually reset daily usage for OpenAI-Responses account ${id}`) res.json({ success: true, message: 'Daily usage reset successfully' }) } catch (error) { logger.error('Failed to reset OpenAI-Responses account usage:', error) res.status(500).json({ success: false, error: error.message }) } }) module.exports = router