mirror of
https://github.com/Wei-Shaw/claude-relay-service.git
synced 2026-01-22 16:43:35 +00:00
feat: 实现完整用户管理系统和LDAP认证集成
- 新增LDAP认证服务支持用户登录验证 - 实现用户服务包含会话管理和权限控制 - 添加用户专用路由和API端点 - 扩展认证中间件支持用户和管理员双重身份 - 新增用户仪表板、API密钥管理和使用统计界面 - 完善前端用户管理组件和路由配置 - 支持用户自助API密钥创建和管理 - 添加管理员用户管理功能包含角色权限控制 🤖 Generated with [Claude Code](https://claude.ai/code) Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
@@ -120,6 +120,36 @@ const config = {
|
|||||||
allowCustomClients: process.env.ALLOW_CUSTOM_CLIENTS === 'true'
|
allowCustomClients: process.env.ALLOW_CUSTOM_CLIENTS === 'true'
|
||||||
},
|
},
|
||||||
|
|
||||||
|
// 🔐 LDAP 认证配置
|
||||||
|
ldap: {
|
||||||
|
enabled: process.env.LDAP_ENABLED === 'true',
|
||||||
|
server: {
|
||||||
|
url: process.env.LDAP_URL || 'ldap://localhost:389',
|
||||||
|
bindDN: process.env.LDAP_BIND_DN || 'cn=admin,dc=example,dc=com',
|
||||||
|
bindCredentials: process.env.LDAP_BIND_PASSWORD || 'admin',
|
||||||
|
searchBase: process.env.LDAP_SEARCH_BASE || 'dc=example,dc=com',
|
||||||
|
searchFilter: process.env.LDAP_SEARCH_FILTER || '(uid={{username}})',
|
||||||
|
searchAttributes: process.env.LDAP_SEARCH_ATTRIBUTES ? process.env.LDAP_SEARCH_ATTRIBUTES.split(',') : ['dn', 'uid', 'cn', 'mail', 'givenName', 'sn'],
|
||||||
|
timeout: parseInt(process.env.LDAP_TIMEOUT) || 5000,
|
||||||
|
connectTimeout: parseInt(process.env.LDAP_CONNECT_TIMEOUT) || 10000
|
||||||
|
},
|
||||||
|
userMapping: {
|
||||||
|
username: process.env.LDAP_USER_ATTR_USERNAME || 'uid',
|
||||||
|
displayName: process.env.LDAP_USER_ATTR_DISPLAY_NAME || 'cn',
|
||||||
|
email: process.env.LDAP_USER_ATTR_EMAIL || 'mail',
|
||||||
|
firstName: process.env.LDAP_USER_ATTR_FIRST_NAME || 'givenName',
|
||||||
|
lastName: process.env.LDAP_USER_ATTR_LAST_NAME || 'sn'
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 👥 用户管理配置
|
||||||
|
userManagement: {
|
||||||
|
enabled: process.env.USER_MANAGEMENT_ENABLED === 'true',
|
||||||
|
defaultUserRole: process.env.DEFAULT_USER_ROLE || 'user',
|
||||||
|
userSessionTimeout: parseInt(process.env.USER_SESSION_TIMEOUT) || 86400000, // 24小时
|
||||||
|
maxApiKeysPerUser: parseInt(process.env.MAX_API_KEYS_PER_USER) || 5
|
||||||
|
},
|
||||||
|
|
||||||
// 🛠️ 开发配置
|
// 🛠️ 开发配置
|
||||||
development: {
|
development: {
|
||||||
debug: process.env.DEBUG === 'true',
|
debug: process.env.DEBUG === 'true',
|
||||||
|
|||||||
@@ -63,6 +63,7 @@
|
|||||||
"https-proxy-agent": "^7.0.2",
|
"https-proxy-agent": "^7.0.2",
|
||||||
"inquirer": "^8.2.6",
|
"inquirer": "^8.2.6",
|
||||||
"ioredis": "^5.3.2",
|
"ioredis": "^5.3.2",
|
||||||
|
"ldapjs": "^3.0.7",
|
||||||
"morgan": "^1.10.0",
|
"morgan": "^1.10.0",
|
||||||
"ora": "^5.4.1",
|
"ora": "^5.4.1",
|
||||||
"rate-limiter-flexible": "^5.0.5",
|
"rate-limiter-flexible": "^5.0.5",
|
||||||
|
|||||||
@@ -20,6 +20,7 @@ const geminiRoutes = require('./routes/geminiRoutes')
|
|||||||
const openaiGeminiRoutes = require('./routes/openaiGeminiRoutes')
|
const openaiGeminiRoutes = require('./routes/openaiGeminiRoutes')
|
||||||
const openaiClaudeRoutes = require('./routes/openaiClaudeRoutes')
|
const openaiClaudeRoutes = require('./routes/openaiClaudeRoutes')
|
||||||
const openaiRoutes = require('./routes/openaiRoutes')
|
const openaiRoutes = require('./routes/openaiRoutes')
|
||||||
|
const userRoutes = require('./routes/userRoutes')
|
||||||
|
|
||||||
// Import middleware
|
// Import middleware
|
||||||
const {
|
const {
|
||||||
@@ -229,6 +230,7 @@ class Application {
|
|||||||
this.app.use('/api', apiRoutes)
|
this.app.use('/api', apiRoutes)
|
||||||
this.app.use('/claude', apiRoutes) // /claude 路由别名,与 /api 功能相同
|
this.app.use('/claude', apiRoutes) // /claude 路由别名,与 /api 功能相同
|
||||||
this.app.use('/admin', adminRoutes)
|
this.app.use('/admin', adminRoutes)
|
||||||
|
this.app.use('/users', userRoutes)
|
||||||
// 使用 web 路由(包含 auth 和页面重定向)
|
// 使用 web 路由(包含 auth 和页面重定向)
|
||||||
this.app.use('/web', webRoutes)
|
this.app.use('/web', webRoutes)
|
||||||
this.app.use('/apiStats', apiStatsRoutes)
|
this.app.use('/apiStats', apiStatsRoutes)
|
||||||
|
|||||||
@@ -1,4 +1,5 @@
|
|||||||
const apiKeyService = require('../services/apiKeyService')
|
const apiKeyService = require('../services/apiKeyService')
|
||||||
|
const userService = require('../services/userService')
|
||||||
const logger = require('../utils/logger')
|
const logger = require('../utils/logger')
|
||||||
const redis = require('../models/redis')
|
const redis = require('../models/redis')
|
||||||
const { RateLimiterRedis } = require('rate-limiter-flexible')
|
const { RateLimiterRedis } = require('rate-limiter-flexible')
|
||||||
@@ -446,6 +447,231 @@ const authenticateAdmin = async (req, res, next) => {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 👤 用户验证中间件
|
||||||
|
const authenticateUser = async (req, res, next) => {
|
||||||
|
const startTime = Date.now()
|
||||||
|
|
||||||
|
try {
|
||||||
|
// 安全提取用户session token,支持多种方式
|
||||||
|
const sessionToken =
|
||||||
|
req.headers['authorization']?.replace(/^Bearer\s+/i, '') ||
|
||||||
|
req.cookies?.userToken ||
|
||||||
|
req.headers['x-user-token']
|
||||||
|
|
||||||
|
if (!sessionToken) {
|
||||||
|
logger.security(`🔒 Missing user session token attempt from ${req.ip || 'unknown'}`)
|
||||||
|
return res.status(401).json({
|
||||||
|
error: 'Missing user session token',
|
||||||
|
message: 'Please login to access this resource'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 基本token格式验证
|
||||||
|
if (typeof sessionToken !== 'string' || sessionToken.length < 32 || sessionToken.length > 128) {
|
||||||
|
logger.security(`🔒 Invalid user session token format from ${req.ip || 'unknown'}`)
|
||||||
|
return res.status(401).json({
|
||||||
|
error: 'Invalid session token format',
|
||||||
|
message: 'Session token format is invalid'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 验证用户会话
|
||||||
|
const sessionValidation = await userService.validateUserSession(sessionToken)
|
||||||
|
|
||||||
|
if (!sessionValidation) {
|
||||||
|
logger.security(`🔒 Invalid user session token attempt from ${req.ip || 'unknown'}`)
|
||||||
|
return res.status(401).json({
|
||||||
|
error: 'Invalid session token',
|
||||||
|
message: 'Invalid or expired user session'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const { session, user } = sessionValidation
|
||||||
|
|
||||||
|
// 检查用户是否被禁用
|
||||||
|
if (!user.isActive) {
|
||||||
|
logger.security(`🔒 Disabled user login attempt: ${user.username} from ${req.ip || 'unknown'}`)
|
||||||
|
return res.status(403).json({
|
||||||
|
error: 'Account disabled',
|
||||||
|
message: 'Your account has been disabled. Please contact administrator.'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 设置用户信息(只包含必要信息)
|
||||||
|
req.user = {
|
||||||
|
id: user.id,
|
||||||
|
username: user.username,
|
||||||
|
email: user.email,
|
||||||
|
displayName: user.displayName,
|
||||||
|
firstName: user.firstName,
|
||||||
|
lastName: user.lastName,
|
||||||
|
role: user.role,
|
||||||
|
sessionToken: sessionToken,
|
||||||
|
sessionCreatedAt: session.createdAt
|
||||||
|
}
|
||||||
|
|
||||||
|
const authDuration = Date.now() - startTime
|
||||||
|
logger.info(`👤 User authenticated: ${user.username} (${user.id}) in ${authDuration}ms`)
|
||||||
|
|
||||||
|
return next()
|
||||||
|
} catch (error) {
|
||||||
|
const authDuration = Date.now() - startTime
|
||||||
|
logger.error(`❌ User authentication error (${authDuration}ms):`, {
|
||||||
|
error: error.message,
|
||||||
|
ip: req.ip,
|
||||||
|
userAgent: req.get('User-Agent'),
|
||||||
|
url: req.originalUrl
|
||||||
|
})
|
||||||
|
|
||||||
|
return res.status(500).json({
|
||||||
|
error: 'Authentication error',
|
||||||
|
message: 'Internal server error during user authentication'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 👤 用户或管理员验证中间件(支持两种身份)
|
||||||
|
const authenticateUserOrAdmin = async (req, res, next) => {
|
||||||
|
const startTime = Date.now()
|
||||||
|
|
||||||
|
try {
|
||||||
|
// 检查是否有管理员token
|
||||||
|
const adminToken =
|
||||||
|
req.headers['authorization']?.replace(/^Bearer\s+/i, '') ||
|
||||||
|
req.cookies?.adminToken ||
|
||||||
|
req.headers['x-admin-token']
|
||||||
|
|
||||||
|
// 检查是否有用户session token
|
||||||
|
const userToken =
|
||||||
|
req.headers['x-user-token'] ||
|
||||||
|
req.cookies?.userToken ||
|
||||||
|
(!adminToken ? req.headers['authorization']?.replace(/^Bearer\s+/i, '') : null)
|
||||||
|
|
||||||
|
// 优先尝试管理员认证
|
||||||
|
if (adminToken) {
|
||||||
|
try {
|
||||||
|
const adminSession = await redis.getSession(adminToken)
|
||||||
|
if (adminSession && Object.keys(adminSession).length > 0) {
|
||||||
|
req.admin = {
|
||||||
|
id: adminSession.adminId || 'admin',
|
||||||
|
username: adminSession.username,
|
||||||
|
sessionId: adminToken,
|
||||||
|
loginTime: adminSession.loginTime
|
||||||
|
}
|
||||||
|
req.userType = 'admin'
|
||||||
|
|
||||||
|
const authDuration = Date.now() - startTime
|
||||||
|
logger.security(`🔐 Admin authenticated: ${adminSession.username} in ${authDuration}ms`)
|
||||||
|
return next()
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
logger.debug('Admin authentication failed, trying user authentication:', error.message)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 尝试用户认证
|
||||||
|
if (userToken) {
|
||||||
|
try {
|
||||||
|
const sessionValidation = await userService.validateUserSession(userToken)
|
||||||
|
if (sessionValidation) {
|
||||||
|
const { session, user } = sessionValidation
|
||||||
|
|
||||||
|
if (user.isActive) {
|
||||||
|
req.user = {
|
||||||
|
id: user.id,
|
||||||
|
username: user.username,
|
||||||
|
email: user.email,
|
||||||
|
displayName: user.displayName,
|
||||||
|
firstName: user.firstName,
|
||||||
|
lastName: user.lastName,
|
||||||
|
role: user.role,
|
||||||
|
sessionToken: userToken,
|
||||||
|
sessionCreatedAt: session.createdAt
|
||||||
|
}
|
||||||
|
req.userType = 'user'
|
||||||
|
|
||||||
|
const authDuration = Date.now() - startTime
|
||||||
|
logger.info(`👤 User authenticated: ${user.username} (${user.id}) in ${authDuration}ms`)
|
||||||
|
return next()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
logger.debug('User authentication failed:', error.message)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 如果都失败了,返回未授权
|
||||||
|
logger.security(`🔒 Authentication failed from ${req.ip || 'unknown'}`)
|
||||||
|
return res.status(401).json({
|
||||||
|
error: 'Authentication required',
|
||||||
|
message: 'Please login as user or admin to access this resource'
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
const authDuration = Date.now() - startTime
|
||||||
|
logger.error(`❌ User/Admin authentication error (${authDuration}ms):`, {
|
||||||
|
error: error.message,
|
||||||
|
ip: req.ip,
|
||||||
|
userAgent: req.get('User-Agent'),
|
||||||
|
url: req.originalUrl
|
||||||
|
})
|
||||||
|
|
||||||
|
return res.status(500).json({
|
||||||
|
error: 'Authentication error',
|
||||||
|
message: 'Internal server error during authentication'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🛡️ 权限检查中间件
|
||||||
|
const requireRole = (allowedRoles) => {
|
||||||
|
return (req, res, next) => {
|
||||||
|
// 管理员始终有权限
|
||||||
|
if (req.admin) {
|
||||||
|
return next()
|
||||||
|
}
|
||||||
|
|
||||||
|
// 检查用户角色
|
||||||
|
if (req.user) {
|
||||||
|
const userRole = req.user.role
|
||||||
|
const allowed = Array.isArray(allowedRoles) ? allowedRoles : [allowedRoles]
|
||||||
|
|
||||||
|
if (allowed.includes(userRole)) {
|
||||||
|
return next()
|
||||||
|
} else {
|
||||||
|
logger.security(`🚫 Access denied for user ${req.user.username} (role: ${userRole}) to ${req.originalUrl}`)
|
||||||
|
return res.status(403).json({
|
||||||
|
error: 'Insufficient permissions',
|
||||||
|
message: `This resource requires one of the following roles: ${allowed.join(', ')}`
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return res.status(401).json({
|
||||||
|
error: 'Authentication required',
|
||||||
|
message: 'Please login to access this resource'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔒 管理员权限检查中间件
|
||||||
|
const requireAdmin = (req, res, next) => {
|
||||||
|
if (req.admin) {
|
||||||
|
return next()
|
||||||
|
}
|
||||||
|
|
||||||
|
// 检查是否是admin角色的用户
|
||||||
|
if (req.user && req.user.role === 'admin') {
|
||||||
|
return next()
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.security(`🚫 Admin access denied for ${req.user?.username || 'unknown'} from ${req.ip || 'unknown'}`)
|
||||||
|
return res.status(403).json({
|
||||||
|
error: 'Admin access required',
|
||||||
|
message: 'This resource requires administrator privileges'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
// 注意:使用统计现在直接在/api/v1/messages路由中处理,
|
// 注意:使用统计现在直接在/api/v1/messages路由中处理,
|
||||||
// 以便从Claude API响应中提取真实的usage数据
|
// 以便从Claude API响应中提取真实的usage数据
|
||||||
|
|
||||||
@@ -796,6 +1022,10 @@ const requestSizeLimit = (req, res, next) => {
|
|||||||
module.exports = {
|
module.exports = {
|
||||||
authenticateApiKey,
|
authenticateApiKey,
|
||||||
authenticateAdmin,
|
authenticateAdmin,
|
||||||
|
authenticateUser,
|
||||||
|
authenticateUserOrAdmin,
|
||||||
|
requireRole,
|
||||||
|
requireAdmin,
|
||||||
corsMiddleware,
|
corsMiddleware,
|
||||||
requestLogger,
|
requestLogger,
|
||||||
securityMiddleware,
|
securityMiddleware,
|
||||||
|
|||||||
651
src/routes/userRoutes.js
Normal file
651
src/routes/userRoutes.js
Normal file
@@ -0,0 +1,651 @@
|
|||||||
|
const express = require('express')
|
||||||
|
const router = express.Router()
|
||||||
|
const ldapService = require('../services/ldapService')
|
||||||
|
const userService = require('../services/userService')
|
||||||
|
const apiKeyService = require('../services/apiKeyService')
|
||||||
|
const logger = require('../utils/logger')
|
||||||
|
const config = require('../../config/config')
|
||||||
|
const {
|
||||||
|
authenticateUser,
|
||||||
|
authenticateUserOrAdmin,
|
||||||
|
requireAdmin,
|
||||||
|
requireRole
|
||||||
|
} = require('../middleware/auth')
|
||||||
|
|
||||||
|
// 🔐 用户登录端点
|
||||||
|
router.post('/login', async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { username, password } = req.body
|
||||||
|
|
||||||
|
if (!username || !password) {
|
||||||
|
return res.status(400).json({
|
||||||
|
error: 'Missing credentials',
|
||||||
|
message: 'Username and password are required'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 检查用户管理是否启用
|
||||||
|
if (!config.userManagement.enabled) {
|
||||||
|
return res.status(503).json({
|
||||||
|
error: 'Service unavailable',
|
||||||
|
message: 'User management is not enabled'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 检查LDAP是否启用
|
||||||
|
if (!config.ldap.enabled) {
|
||||||
|
return res.status(503).json({
|
||||||
|
error: 'Service unavailable',
|
||||||
|
message: 'LDAP authentication is not enabled'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 尝试LDAP认证
|
||||||
|
const authResult = await ldapService.authenticateUserCredentials(username, password)
|
||||||
|
|
||||||
|
if (!authResult.success) {
|
||||||
|
return res.status(401).json({
|
||||||
|
error: 'Authentication failed',
|
||||||
|
message: authResult.message
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.info(`✅ User login successful: ${username}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: 'Login successful',
|
||||||
|
user: {
|
||||||
|
id: authResult.user.id,
|
||||||
|
username: authResult.user.username,
|
||||||
|
email: authResult.user.email,
|
||||||
|
displayName: authResult.user.displayName,
|
||||||
|
firstName: authResult.user.firstName,
|
||||||
|
lastName: authResult.user.lastName,
|
||||||
|
role: authResult.user.role
|
||||||
|
},
|
||||||
|
sessionToken: authResult.sessionToken
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ User login error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Login error',
|
||||||
|
message: 'Internal server error during login'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🚪 用户登出端点
|
||||||
|
router.post('/logout', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
await userService.invalidateUserSession(req.user.sessionToken)
|
||||||
|
|
||||||
|
logger.info(`👋 User logout: ${req.user.username}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: 'Logout successful'
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ User logout error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Logout error',
|
||||||
|
message: 'Internal server error during logout'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 👤 获取当前用户信息
|
||||||
|
router.get('/profile', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const user = await userService.getUserById(req.user.id)
|
||||||
|
if (!user) {
|
||||||
|
return res.status(404).json({
|
||||||
|
error: 'User not found',
|
||||||
|
message: 'User profile not found'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
user: {
|
||||||
|
id: user.id,
|
||||||
|
username: user.username,
|
||||||
|
email: user.email,
|
||||||
|
displayName: user.displayName,
|
||||||
|
firstName: user.firstName,
|
||||||
|
lastName: user.lastName,
|
||||||
|
role: user.role,
|
||||||
|
isActive: user.isActive,
|
||||||
|
createdAt: user.createdAt,
|
||||||
|
lastLoginAt: user.lastLoginAt,
|
||||||
|
apiKeyCount: user.apiKeyCount,
|
||||||
|
totalUsage: user.totalUsage
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get user profile error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Profile error',
|
||||||
|
message: 'Failed to retrieve user profile'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔑 获取用户的API Keys
|
||||||
|
router.get('/api-keys', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const apiKeys = await apiKeyService.getUserApiKeys(req.user.id)
|
||||||
|
|
||||||
|
// 移除敏感信息
|
||||||
|
const safeApiKeys = apiKeys.map(key => ({
|
||||||
|
id: key.id,
|
||||||
|
name: key.name,
|
||||||
|
description: key.description,
|
||||||
|
tokenLimit: key.tokenLimit,
|
||||||
|
isActive: key.isActive,
|
||||||
|
createdAt: key.createdAt,
|
||||||
|
lastUsedAt: key.lastUsedAt,
|
||||||
|
expiresAt: key.expiresAt,
|
||||||
|
usage: key.usage,
|
||||||
|
dailyCost: key.dailyCost,
|
||||||
|
dailyCostLimit: key.dailyCostLimit,
|
||||||
|
// 不返回实际的key值,只返回前缀和后几位
|
||||||
|
keyPreview: key.key ? `${key.key.substring(0, 8)}...${key.key.substring(key.key.length - 4)}` : null
|
||||||
|
}))
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
apiKeys: safeApiKeys,
|
||||||
|
total: safeApiKeys.length
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get user API keys error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'API Keys error',
|
||||||
|
message: 'Failed to retrieve API keys'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔑 创建新的API Key
|
||||||
|
router.post('/api-keys', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { name, description, tokenLimit, expiresAt, dailyCostLimit } = req.body
|
||||||
|
|
||||||
|
if (!name || !name.trim()) {
|
||||||
|
return res.status(400).json({
|
||||||
|
error: 'Missing name',
|
||||||
|
message: 'API key name is required'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 检查用户API Key数量限制
|
||||||
|
const userApiKeys = await apiKeyService.getUserApiKeys(req.user.id)
|
||||||
|
if (userApiKeys.length >= config.userManagement.maxApiKeysPerUser) {
|
||||||
|
return res.status(400).json({
|
||||||
|
error: 'API key limit exceeded',
|
||||||
|
message: `You can only have up to ${config.userManagement.maxApiKeysPerUser} API keys`
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 创建API Key数据
|
||||||
|
const apiKeyData = {
|
||||||
|
name: name.trim(),
|
||||||
|
description: description?.trim() || '',
|
||||||
|
userId: req.user.id,
|
||||||
|
userUsername: req.user.username,
|
||||||
|
tokenLimit: tokenLimit || null,
|
||||||
|
expiresAt: expiresAt || null,
|
||||||
|
dailyCostLimit: dailyCostLimit || null,
|
||||||
|
createdBy: 'user',
|
||||||
|
permissions: ['messages'] // 用户创建的API Key默认只有messages权限
|
||||||
|
}
|
||||||
|
|
||||||
|
const newApiKey = await apiKeyService.createApiKey(apiKeyData)
|
||||||
|
|
||||||
|
// 更新用户API Key数量
|
||||||
|
await userService.updateUserApiKeyCount(req.user.id, userApiKeys.length + 1)
|
||||||
|
|
||||||
|
logger.info(`🔑 User ${req.user.username} created API key: ${name}`)
|
||||||
|
|
||||||
|
res.status(201).json({
|
||||||
|
success: true,
|
||||||
|
message: 'API key created successfully',
|
||||||
|
apiKey: {
|
||||||
|
id: newApiKey.id,
|
||||||
|
name: newApiKey.name,
|
||||||
|
description: newApiKey.description,
|
||||||
|
key: newApiKey.key, // 只在创建时返回完整key
|
||||||
|
tokenLimit: newApiKey.tokenLimit,
|
||||||
|
expiresAt: newApiKey.expiresAt,
|
||||||
|
dailyCostLimit: newApiKey.dailyCostLimit,
|
||||||
|
createdAt: newApiKey.createdAt
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Create user API key error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'API Key creation error',
|
||||||
|
message: 'Failed to create API key'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔑 重新生成API Key
|
||||||
|
router.post('/api-keys/:keyId/regenerate', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { keyId } = req.params
|
||||||
|
|
||||||
|
// 检查API Key是否属于当前用户
|
||||||
|
const existingKey = await apiKeyService.getApiKeyById(keyId)
|
||||||
|
if (!existingKey || existingKey.userId !== req.user.id) {
|
||||||
|
return res.status(404).json({
|
||||||
|
error: 'API key not found',
|
||||||
|
message: 'API key not found or you do not have permission to access it'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const newKey = await apiKeyService.regenerateApiKey(keyId)
|
||||||
|
|
||||||
|
logger.info(`🔄 User ${req.user.username} regenerated API key: ${existingKey.name}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: 'API key regenerated successfully',
|
||||||
|
apiKey: {
|
||||||
|
id: newKey.id,
|
||||||
|
name: newKey.name,
|
||||||
|
key: newKey.key, // 返回新的key
|
||||||
|
updatedAt: newKey.updatedAt
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Regenerate user API key error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'API Key regeneration error',
|
||||||
|
message: 'Failed to regenerate API key'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🗑️ 删除API Key
|
||||||
|
router.delete('/api-keys/:keyId', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { keyId } = req.params
|
||||||
|
|
||||||
|
// 检查API Key是否属于当前用户
|
||||||
|
const existingKey = await apiKeyService.getApiKeyById(keyId)
|
||||||
|
if (!existingKey || existingKey.userId !== req.user.id) {
|
||||||
|
return res.status(404).json({
|
||||||
|
error: 'API key not found',
|
||||||
|
message: 'API key not found or you do not have permission to access it'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
await apiKeyService.deleteApiKey(keyId)
|
||||||
|
|
||||||
|
// 更新用户API Key数量
|
||||||
|
const userApiKeys = await apiKeyService.getUserApiKeys(req.user.id)
|
||||||
|
await userService.updateUserApiKeyCount(req.user.id, userApiKeys.length)
|
||||||
|
|
||||||
|
logger.info(`🗑️ User ${req.user.username} deleted API key: ${existingKey.name}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: 'API key deleted successfully'
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Delete user API key error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'API Key deletion error',
|
||||||
|
message: 'Failed to delete API key'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 📊 获取用户使用统计
|
||||||
|
router.get('/usage-stats', authenticateUser, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { period = 'week', model } = req.query
|
||||||
|
|
||||||
|
// 获取用户的API Keys
|
||||||
|
const userApiKeys = await apiKeyService.getUserApiKeys(req.user.id)
|
||||||
|
const apiKeyIds = userApiKeys.map(key => key.id)
|
||||||
|
|
||||||
|
if (apiKeyIds.length === 0) {
|
||||||
|
return res.json({
|
||||||
|
success: true,
|
||||||
|
stats: {
|
||||||
|
totalRequests: 0,
|
||||||
|
totalInputTokens: 0,
|
||||||
|
totalOutputTokens: 0,
|
||||||
|
totalCost: 0,
|
||||||
|
dailyStats: [],
|
||||||
|
modelStats: []
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取使用统计
|
||||||
|
const stats = await apiKeyService.getUsageStats(apiKeyIds, { period, model })
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
stats
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get user usage stats error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Usage stats error',
|
||||||
|
message: 'Failed to retrieve usage statistics'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// === 管理员用户管理端点 ===
|
||||||
|
|
||||||
|
// 📋 获取用户列表(管理员)
|
||||||
|
router.get('/', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { page = 1, limit = 20, role, isActive, search } = req.query
|
||||||
|
|
||||||
|
const options = {
|
||||||
|
page: parseInt(page),
|
||||||
|
limit: parseInt(limit),
|
||||||
|
role,
|
||||||
|
isActive: isActive === 'true' ? true : isActive === 'false' ? false : undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
const result = await userService.getAllUsers(options)
|
||||||
|
|
||||||
|
// 如果有搜索条件,进行过滤
|
||||||
|
let filteredUsers = result.users
|
||||||
|
if (search) {
|
||||||
|
const searchLower = search.toLowerCase()
|
||||||
|
filteredUsers = result.users.filter(user =>
|
||||||
|
user.username.toLowerCase().includes(searchLower) ||
|
||||||
|
user.displayName.toLowerCase().includes(searchLower) ||
|
||||||
|
user.email.toLowerCase().includes(searchLower)
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
users: filteredUsers,
|
||||||
|
pagination: {
|
||||||
|
total: result.total,
|
||||||
|
page: result.page,
|
||||||
|
limit: result.limit,
|
||||||
|
totalPages: result.totalPages
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get users list error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Users list error',
|
||||||
|
message: 'Failed to retrieve users list'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 👤 获取特定用户信息(管理员)
|
||||||
|
router.get('/:userId', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { userId } = req.params
|
||||||
|
|
||||||
|
const user = await userService.getUserById(userId)
|
||||||
|
if (!user) {
|
||||||
|
return res.status(404).json({
|
||||||
|
error: 'User not found',
|
||||||
|
message: 'User not found'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取用户的API Keys
|
||||||
|
const apiKeys = await apiKeyService.getUserApiKeys(userId)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
user: {
|
||||||
|
...user,
|
||||||
|
apiKeys: apiKeys.map(key => ({
|
||||||
|
id: key.id,
|
||||||
|
name: key.name,
|
||||||
|
description: key.description,
|
||||||
|
isActive: key.isActive,
|
||||||
|
createdAt: key.createdAt,
|
||||||
|
lastUsedAt: key.lastUsedAt,
|
||||||
|
usage: key.usage,
|
||||||
|
keyPreview: key.key ? `${key.key.substring(0, 8)}...${key.key.substring(key.key.length - 4)}` : null
|
||||||
|
}))
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get user details error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'User details error',
|
||||||
|
message: 'Failed to retrieve user details'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔄 更新用户状态(管理员)
|
||||||
|
router.patch('/:userId/status', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { userId } = req.params
|
||||||
|
const { isActive } = req.body
|
||||||
|
|
||||||
|
if (typeof isActive !== 'boolean') {
|
||||||
|
return res.status(400).json({
|
||||||
|
error: 'Invalid status',
|
||||||
|
message: 'isActive must be a boolean value'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const updatedUser = await userService.updateUserStatus(userId, isActive)
|
||||||
|
|
||||||
|
const adminUser = req.admin?.username || req.user?.username
|
||||||
|
logger.info(`🔄 Admin ${adminUser} ${isActive ? 'enabled' : 'disabled'} user: ${updatedUser.username}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: `User ${isActive ? 'enabled' : 'disabled'} successfully`,
|
||||||
|
user: {
|
||||||
|
id: updatedUser.id,
|
||||||
|
username: updatedUser.username,
|
||||||
|
isActive: updatedUser.isActive,
|
||||||
|
updatedAt: updatedUser.updatedAt
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Update user status error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Update status error',
|
||||||
|
message: error.message || 'Failed to update user status'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔄 更新用户角色(管理员)
|
||||||
|
router.patch('/:userId/role', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { userId } = req.params
|
||||||
|
const { role } = req.body
|
||||||
|
|
||||||
|
const validRoles = ['user', 'admin']
|
||||||
|
if (!role || !validRoles.includes(role)) {
|
||||||
|
return res.status(400).json({
|
||||||
|
error: 'Invalid role',
|
||||||
|
message: `Role must be one of: ${validRoles.join(', ')}`
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const updatedUser = await userService.updateUserRole(userId, role)
|
||||||
|
|
||||||
|
const adminUser = req.admin?.username || req.user?.username
|
||||||
|
logger.info(`🔄 Admin ${adminUser} changed user ${updatedUser.username} role to: ${role}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: `User role updated to ${role} successfully`,
|
||||||
|
user: {
|
||||||
|
id: updatedUser.id,
|
||||||
|
username: updatedUser.username,
|
||||||
|
role: updatedUser.role,
|
||||||
|
updatedAt: updatedUser.updatedAt
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Update user role error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Update role error',
|
||||||
|
message: error.message || 'Failed to update user role'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔑 禁用用户的所有API Keys(管理员)
|
||||||
|
router.post('/:userId/disable-keys', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { userId } = req.params
|
||||||
|
|
||||||
|
const user = await userService.getUserById(userId)
|
||||||
|
if (!user) {
|
||||||
|
return res.status(404).json({
|
||||||
|
error: 'User not found',
|
||||||
|
message: 'User not found'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const result = await apiKeyService.disableUserApiKeys(userId)
|
||||||
|
|
||||||
|
const adminUser = req.admin?.username || req.user?.username
|
||||||
|
logger.info(`🔑 Admin ${adminUser} disabled all API keys for user: ${user.username}`)
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
message: `Disabled ${result.count} API keys for user ${user.username}`,
|
||||||
|
disabledCount: result.count
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Disable user API keys error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Disable keys error',
|
||||||
|
message: 'Failed to disable user API keys'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 📊 获取用户使用统计(管理员)
|
||||||
|
router.get('/:userId/usage-stats', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const { userId } = req.params
|
||||||
|
const { period = 'week', model } = req.query
|
||||||
|
|
||||||
|
const user = await userService.getUserById(userId)
|
||||||
|
if (!user) {
|
||||||
|
return res.status(404).json({
|
||||||
|
error: 'User not found',
|
||||||
|
message: 'User not found'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取用户的API Keys
|
||||||
|
const userApiKeys = await apiKeyService.getUserApiKeys(userId)
|
||||||
|
const apiKeyIds = userApiKeys.map(key => key.id)
|
||||||
|
|
||||||
|
if (apiKeyIds.length === 0) {
|
||||||
|
return res.json({
|
||||||
|
success: true,
|
||||||
|
user: {
|
||||||
|
id: user.id,
|
||||||
|
username: user.username,
|
||||||
|
displayName: user.displayName
|
||||||
|
},
|
||||||
|
stats: {
|
||||||
|
totalRequests: 0,
|
||||||
|
totalInputTokens: 0,
|
||||||
|
totalOutputTokens: 0,
|
||||||
|
totalCost: 0,
|
||||||
|
dailyStats: [],
|
||||||
|
modelStats: []
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取使用统计
|
||||||
|
const stats = await apiKeyService.getUsageStats(apiKeyIds, { period, model })
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
user: {
|
||||||
|
id: user.id,
|
||||||
|
username: user.username,
|
||||||
|
displayName: user.displayName
|
||||||
|
},
|
||||||
|
stats
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get user usage stats (admin) error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Usage stats error',
|
||||||
|
message: 'Failed to retrieve user usage statistics'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 📊 获取用户管理统计(管理员)
|
||||||
|
router.get('/stats/overview', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const stats = await userService.getUserStats()
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
stats
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Get user stats overview error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'Stats error',
|
||||||
|
message: 'Failed to retrieve user statistics'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
// 🔧 测试LDAP连接(管理员)
|
||||||
|
router.get('/admin/ldap-test', authenticateUserOrAdmin, requireAdmin, async (req, res) => {
|
||||||
|
try {
|
||||||
|
const testResult = await ldapService.testConnection()
|
||||||
|
|
||||||
|
res.json({
|
||||||
|
success: true,
|
||||||
|
ldapTest: testResult,
|
||||||
|
config: ldapService.getConfigInfo()
|
||||||
|
})
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ LDAP test error:', error)
|
||||||
|
res.status(500).json({
|
||||||
|
error: 'LDAP test error',
|
||||||
|
message: 'Failed to test LDAP connection'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
module.exports = router
|
||||||
@@ -62,7 +62,9 @@ class ApiKeyService {
|
|||||||
createdAt: new Date().toISOString(),
|
createdAt: new Date().toISOString(),
|
||||||
lastUsedAt: '',
|
lastUsedAt: '',
|
||||||
expiresAt: expiresAt || '',
|
expiresAt: expiresAt || '',
|
||||||
createdBy: 'admin' // 可以根据需要扩展用户系统
|
createdBy: options.createdBy || 'admin',
|
||||||
|
userId: options.userId || '',
|
||||||
|
userUsername: options.userUsername || ''
|
||||||
}
|
}
|
||||||
|
|
||||||
// 保存API Key数据并建立哈希映射
|
// 保存API Key数据并建立哈希映射
|
||||||
@@ -478,6 +480,201 @@ class ApiKeyService {
|
|||||||
return await redis.getAllAccountsUsageStats()
|
return await redis.getAllAccountsUsageStats()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// === 用户相关方法 ===
|
||||||
|
|
||||||
|
// 🔑 创建API Key(支持用户)
|
||||||
|
async createApiKey(options = {}) {
|
||||||
|
return await this.generateApiKey(options)
|
||||||
|
}
|
||||||
|
|
||||||
|
// 👤 获取用户的API Keys
|
||||||
|
async getUserApiKeys(userId) {
|
||||||
|
try {
|
||||||
|
const allKeys = await redis.getAllApiKeys()
|
||||||
|
return allKeys
|
||||||
|
.filter(key => key.userId === userId)
|
||||||
|
.map(key => ({
|
||||||
|
id: key.id,
|
||||||
|
name: key.name,
|
||||||
|
description: key.description,
|
||||||
|
key: key.apiKey ? `${this.prefix}****${key.apiKey.slice(-4)}` : null, // 只显示前缀和后4位
|
||||||
|
tokenLimit: parseInt(key.tokenLimit || 0),
|
||||||
|
isActive: key.isActive === 'true',
|
||||||
|
createdAt: key.createdAt,
|
||||||
|
lastUsedAt: key.lastUsedAt,
|
||||||
|
expiresAt: key.expiresAt,
|
||||||
|
usage: key.usage || { requests: 0, inputTokens: 0, outputTokens: 0, totalCost: 0 },
|
||||||
|
dailyCost: key.dailyCost || 0,
|
||||||
|
dailyCostLimit: parseFloat(key.dailyCostLimit || 0),
|
||||||
|
userId: key.userId,
|
||||||
|
userUsername: key.userUsername,
|
||||||
|
createdBy: key.createdBy
|
||||||
|
}))
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to get user API keys:', error)
|
||||||
|
return []
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔍 通过ID获取API Key(检查权限)
|
||||||
|
async getApiKeyById(keyId, userId = null) {
|
||||||
|
try {
|
||||||
|
const keyData = await redis.getApiKey(keyId)
|
||||||
|
if (!keyData) return null
|
||||||
|
|
||||||
|
// 如果指定了用户ID,检查权限
|
||||||
|
if (userId && keyData.userId !== userId) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
id: keyData.id,
|
||||||
|
name: keyData.name,
|
||||||
|
description: keyData.description,
|
||||||
|
key: keyData.apiKey,
|
||||||
|
tokenLimit: parseInt(keyData.tokenLimit || 0),
|
||||||
|
isActive: keyData.isActive === 'true',
|
||||||
|
createdAt: keyData.createdAt,
|
||||||
|
lastUsedAt: keyData.lastUsedAt,
|
||||||
|
expiresAt: keyData.expiresAt,
|
||||||
|
userId: keyData.userId,
|
||||||
|
userUsername: keyData.userUsername,
|
||||||
|
createdBy: keyData.createdBy,
|
||||||
|
permissions: keyData.permissions,
|
||||||
|
dailyCostLimit: parseFloat(keyData.dailyCostLimit || 0)
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to get API key by ID:', error)
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔄 重新生成API Key
|
||||||
|
async regenerateApiKey(keyId) {
|
||||||
|
try {
|
||||||
|
const existingKey = await redis.getApiKey(keyId)
|
||||||
|
if (!existingKey) {
|
||||||
|
throw new Error('API key not found')
|
||||||
|
}
|
||||||
|
|
||||||
|
// 生成新的key
|
||||||
|
const newApiKey = `${this.prefix}${this._generateSecretKey()}`
|
||||||
|
const newHashedKey = this._hashApiKey(newApiKey)
|
||||||
|
|
||||||
|
// 删除旧的哈希映射
|
||||||
|
const oldHashedKey = existingKey.apiKey
|
||||||
|
await redis.deleteApiKeyHash(oldHashedKey)
|
||||||
|
|
||||||
|
// 更新key数据
|
||||||
|
const updatedKeyData = {
|
||||||
|
...existingKey,
|
||||||
|
apiKey: newHashedKey,
|
||||||
|
updatedAt: new Date().toISOString()
|
||||||
|
}
|
||||||
|
|
||||||
|
// 保存新数据并建立新的哈希映射
|
||||||
|
await redis.setApiKey(keyId, updatedKeyData, newHashedKey)
|
||||||
|
|
||||||
|
logger.info(`🔄 Regenerated API key: ${existingKey.name} (${keyId})`)
|
||||||
|
|
||||||
|
return {
|
||||||
|
id: keyId,
|
||||||
|
name: existingKey.name,
|
||||||
|
key: newApiKey, // 返回完整的新key
|
||||||
|
updatedAt: updatedKeyData.updatedAt
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to regenerate API key:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🗑️ 删除API Key
|
||||||
|
async deleteApiKey(keyId) {
|
||||||
|
try {
|
||||||
|
const keyData = await redis.getApiKey(keyId)
|
||||||
|
if (!keyData) {
|
||||||
|
throw new Error('API key not found')
|
||||||
|
}
|
||||||
|
|
||||||
|
// 删除key数据和哈希映射
|
||||||
|
await redis.deleteApiKey(keyId)
|
||||||
|
await redis.deleteApiKeyHash(keyData.apiKey)
|
||||||
|
|
||||||
|
logger.info(`🗑️ Deleted API key: ${keyData.name} (${keyId})`)
|
||||||
|
return true
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to delete API key:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🚫 禁用用户的所有API Keys
|
||||||
|
async disableUserApiKeys(userId) {
|
||||||
|
try {
|
||||||
|
const userKeys = await this.getUserApiKeys(userId)
|
||||||
|
let disabledCount = 0
|
||||||
|
|
||||||
|
for (const key of userKeys) {
|
||||||
|
if (key.isActive) {
|
||||||
|
await this.updateApiKey(key.id, { isActive: false })
|
||||||
|
disabledCount++
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.info(`🚫 Disabled ${disabledCount} API keys for user: ${userId}`)
|
||||||
|
return { count: disabledCount }
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to disable user API keys:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📊 获取使用统计(支持多个API Key)
|
||||||
|
async getUsageStats(keyIds, options = {}) {
|
||||||
|
try {
|
||||||
|
if (!Array.isArray(keyIds)) {
|
||||||
|
keyIds = [keyIds]
|
||||||
|
}
|
||||||
|
|
||||||
|
const { period = 'week', model } = options
|
||||||
|
const stats = {
|
||||||
|
totalRequests: 0,
|
||||||
|
totalInputTokens: 0,
|
||||||
|
totalOutputTokens: 0,
|
||||||
|
totalCost: 0,
|
||||||
|
dailyStats: [],
|
||||||
|
modelStats: []
|
||||||
|
}
|
||||||
|
|
||||||
|
// 汇总所有API Key的统计数据
|
||||||
|
for (const keyId of keyIds) {
|
||||||
|
const keyStats = await redis.getUsageStats(keyId)
|
||||||
|
if (keyStats) {
|
||||||
|
stats.totalRequests += keyStats.requests || 0
|
||||||
|
stats.totalInputTokens += keyStats.inputTokens || 0
|
||||||
|
stats.totalOutputTokens += keyStats.outputTokens || 0
|
||||||
|
stats.totalCost += keyStats.totalCost || 0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// TODO: 实现日期范围和模型统计
|
||||||
|
// 这里可以根据需要添加更详细的统计逻辑
|
||||||
|
|
||||||
|
return stats
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to get usage stats:', error)
|
||||||
|
return {
|
||||||
|
totalRequests: 0,
|
||||||
|
totalInputTokens: 0,
|
||||||
|
totalOutputTokens: 0,
|
||||||
|
totalCost: 0,
|
||||||
|
dailyStats: [],
|
||||||
|
modelStats: []
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// 🧹 清理过期的API Keys
|
// 🧹 清理过期的API Keys
|
||||||
async cleanupExpiredKeys() {
|
async cleanupExpiredKeys() {
|
||||||
try {
|
try {
|
||||||
|
|||||||
296
src/services/ldapService.js
Normal file
296
src/services/ldapService.js
Normal file
@@ -0,0 +1,296 @@
|
|||||||
|
const ldap = require('ldapjs')
|
||||||
|
const logger = require('../utils/logger')
|
||||||
|
const config = require('../../config/config')
|
||||||
|
const userService = require('./userService')
|
||||||
|
|
||||||
|
class LdapService {
|
||||||
|
constructor() {
|
||||||
|
this.config = config.ldap
|
||||||
|
this.client = null
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔗 创建LDAP客户端连接
|
||||||
|
createClient() {
|
||||||
|
try {
|
||||||
|
const client = ldap.createClient({
|
||||||
|
url: this.config.server.url,
|
||||||
|
timeout: this.config.server.timeout,
|
||||||
|
connectTimeout: this.config.server.connectTimeout,
|
||||||
|
reconnect: true
|
||||||
|
})
|
||||||
|
|
||||||
|
// 设置错误处理
|
||||||
|
client.on('error', (err) => {
|
||||||
|
logger.error('🔌 LDAP client error:', err)
|
||||||
|
})
|
||||||
|
|
||||||
|
client.on('connect', () => {
|
||||||
|
logger.info('🔗 LDAP client connected successfully')
|
||||||
|
})
|
||||||
|
|
||||||
|
client.on('connectTimeout', () => {
|
||||||
|
logger.warn('⏱️ LDAP connection timeout')
|
||||||
|
})
|
||||||
|
|
||||||
|
return client
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Failed to create LDAP client:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔒 绑定LDAP连接(管理员认证)
|
||||||
|
async bindClient(client) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
client.bind(this.config.server.bindDN, this.config.server.bindCredentials, (err) => {
|
||||||
|
if (err) {
|
||||||
|
logger.error('❌ LDAP bind failed:', err)
|
||||||
|
reject(err)
|
||||||
|
} else {
|
||||||
|
logger.debug('🔑 LDAP bind successful')
|
||||||
|
resolve()
|
||||||
|
}
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔍 搜索用户
|
||||||
|
async searchUser(client, username) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const searchFilter = this.config.server.searchFilter.replace('{{username}}', username)
|
||||||
|
const searchOptions = {
|
||||||
|
scope: 'sub',
|
||||||
|
filter: searchFilter,
|
||||||
|
attributes: this.config.server.searchAttributes
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.debug(`🔍 Searching for user: ${username} with filter: ${searchFilter}`)
|
||||||
|
|
||||||
|
const entries = []
|
||||||
|
|
||||||
|
client.search(this.config.server.searchBase, searchOptions, (err, res) => {
|
||||||
|
if (err) {
|
||||||
|
logger.error('❌ LDAP search error:', err)
|
||||||
|
reject(err)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
res.on('searchEntry', (entry) => {
|
||||||
|
entries.push(entry)
|
||||||
|
})
|
||||||
|
|
||||||
|
res.on('searchReference', (referral) => {
|
||||||
|
logger.debug('🔗 LDAP search referral:', referral.uris)
|
||||||
|
})
|
||||||
|
|
||||||
|
res.on('error', (err) => {
|
||||||
|
logger.error('❌ LDAP search result error:', err)
|
||||||
|
reject(err)
|
||||||
|
})
|
||||||
|
|
||||||
|
res.on('end', (result) => {
|
||||||
|
logger.debug(`✅ LDAP search completed. Status: ${result.status}, Found ${entries.length} entries`)
|
||||||
|
|
||||||
|
if (entries.length === 0) {
|
||||||
|
resolve(null)
|
||||||
|
} else if (entries.length === 1) {
|
||||||
|
resolve(entries[0])
|
||||||
|
} else {
|
||||||
|
logger.warn(`⚠️ Multiple LDAP entries found for username: ${username}`)
|
||||||
|
resolve(entries[0]) // 使用第一个结果
|
||||||
|
}
|
||||||
|
})
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔐 验证用户密码
|
||||||
|
async authenticateUser(userDN, password) {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const authClient = this.createClient()
|
||||||
|
|
||||||
|
authClient.bind(userDN, password, (err) => {
|
||||||
|
authClient.unbind() // 立即关闭认证客户端
|
||||||
|
|
||||||
|
if (err) {
|
||||||
|
if (err.name === 'InvalidCredentialsError') {
|
||||||
|
logger.debug(`🚫 Invalid credentials for DN: ${userDN}`)
|
||||||
|
resolve(false)
|
||||||
|
} else {
|
||||||
|
logger.error('❌ LDAP authentication error:', err)
|
||||||
|
reject(err)
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
logger.debug(`✅ Authentication successful for DN: ${userDN}`)
|
||||||
|
resolve(true)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📝 提取用户信息
|
||||||
|
extractUserInfo(ldapEntry, username) {
|
||||||
|
try {
|
||||||
|
const attributes = ldapEntry.attributes || []
|
||||||
|
const userInfo = { username }
|
||||||
|
|
||||||
|
// 创建属性映射
|
||||||
|
const attrMap = {}
|
||||||
|
attributes.forEach(attr => {
|
||||||
|
const name = attr.type || attr.name
|
||||||
|
const values = Array.isArray(attr.values) ? attr.values : [attr.values]
|
||||||
|
attrMap[name] = values.length === 1 ? values[0] : values
|
||||||
|
})
|
||||||
|
|
||||||
|
// 根据配置映射用户属性
|
||||||
|
const mapping = this.config.userMapping
|
||||||
|
|
||||||
|
userInfo.displayName = attrMap[mapping.displayName] || username
|
||||||
|
userInfo.email = attrMap[mapping.email] || ''
|
||||||
|
userInfo.firstName = attrMap[mapping.firstName] || ''
|
||||||
|
userInfo.lastName = attrMap[mapping.lastName] || ''
|
||||||
|
|
||||||
|
// 如果没有displayName,尝试组合firstName和lastName
|
||||||
|
if (!userInfo.displayName || userInfo.displayName === username) {
|
||||||
|
if (userInfo.firstName || userInfo.lastName) {
|
||||||
|
userInfo.displayName = `${userInfo.firstName || ''} ${userInfo.lastName || ''}`.trim()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.debug('📋 Extracted user info:', {
|
||||||
|
username: userInfo.username,
|
||||||
|
displayName: userInfo.displayName,
|
||||||
|
email: userInfo.email
|
||||||
|
})
|
||||||
|
|
||||||
|
return userInfo
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error extracting user info:', error)
|
||||||
|
return { username }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔐 主要的登录验证方法
|
||||||
|
async authenticateUserCredentials(username, password) {
|
||||||
|
if (!this.config.enabled) {
|
||||||
|
throw new Error('LDAP authentication is not enabled')
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!username || !password) {
|
||||||
|
throw new Error('Username and password are required')
|
||||||
|
}
|
||||||
|
|
||||||
|
const client = this.createClient()
|
||||||
|
|
||||||
|
try {
|
||||||
|
// 1. 使用管理员凭据绑定
|
||||||
|
await this.bindClient(client)
|
||||||
|
|
||||||
|
// 2. 搜索用户
|
||||||
|
const ldapEntry = await this.searchUser(client, username)
|
||||||
|
if (!ldapEntry) {
|
||||||
|
logger.info(`🚫 User not found in LDAP: ${username}`)
|
||||||
|
return { success: false, message: 'Invalid username or password' }
|
||||||
|
}
|
||||||
|
|
||||||
|
// 3. 获取用户DN
|
||||||
|
const userDN = ldapEntry.dn
|
||||||
|
logger.debug(`👤 Found user DN: ${userDN}`)
|
||||||
|
|
||||||
|
// 4. 验证用户密码
|
||||||
|
const isPasswordValid = await this.authenticateUser(userDN, password)
|
||||||
|
if (!isPasswordValid) {
|
||||||
|
logger.info(`🚫 Invalid password for user: ${username}`)
|
||||||
|
return { success: false, message: 'Invalid username or password' }
|
||||||
|
}
|
||||||
|
|
||||||
|
// 5. 提取用户信息
|
||||||
|
const userInfo = this.extractUserInfo(ldapEntry, username)
|
||||||
|
|
||||||
|
// 6. 创建或更新本地用户
|
||||||
|
const user = await userService.createOrUpdateUser(userInfo)
|
||||||
|
|
||||||
|
// 7. 记录登录
|
||||||
|
await userService.recordUserLogin(user.id)
|
||||||
|
|
||||||
|
// 8. 创建用户会话
|
||||||
|
const sessionToken = await userService.createUserSession(user.id)
|
||||||
|
|
||||||
|
logger.info(`✅ LDAP authentication successful for user: ${username}`)
|
||||||
|
|
||||||
|
return {
|
||||||
|
success: true,
|
||||||
|
user,
|
||||||
|
sessionToken,
|
||||||
|
message: 'Authentication successful'
|
||||||
|
}
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ LDAP authentication error:', error)
|
||||||
|
return {
|
||||||
|
success: false,
|
||||||
|
message: 'Authentication service unavailable'
|
||||||
|
}
|
||||||
|
} finally {
|
||||||
|
// 确保客户端连接被关闭
|
||||||
|
if (client) {
|
||||||
|
client.unbind((err) => {
|
||||||
|
if (err) {
|
||||||
|
logger.debug('Error unbinding LDAP client:', err)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔍 测试LDAP连接
|
||||||
|
async testConnection() {
|
||||||
|
if (!this.config.enabled) {
|
||||||
|
return { success: false, message: 'LDAP is not enabled' }
|
||||||
|
}
|
||||||
|
|
||||||
|
const client = this.createClient()
|
||||||
|
|
||||||
|
try {
|
||||||
|
await this.bindClient(client)
|
||||||
|
|
||||||
|
return {
|
||||||
|
success: true,
|
||||||
|
message: 'LDAP connection successful',
|
||||||
|
server: this.config.server.url,
|
||||||
|
searchBase: this.config.server.searchBase
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ LDAP connection test failed:', error)
|
||||||
|
return {
|
||||||
|
success: false,
|
||||||
|
message: `LDAP connection failed: ${error.message}`,
|
||||||
|
server: this.config.server.url
|
||||||
|
}
|
||||||
|
} finally {
|
||||||
|
if (client) {
|
||||||
|
client.unbind((err) => {
|
||||||
|
if (err) {
|
||||||
|
logger.debug('Error unbinding test LDAP client:', err)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📊 获取LDAP配置信息(不包含敏感信息)
|
||||||
|
getConfigInfo() {
|
||||||
|
return {
|
||||||
|
enabled: this.config.enabled,
|
||||||
|
server: {
|
||||||
|
url: this.config.server.url,
|
||||||
|
searchBase: this.config.server.searchBase,
|
||||||
|
searchFilter: this.config.server.searchFilter,
|
||||||
|
timeout: this.config.server.timeout
|
||||||
|
},
|
||||||
|
userMapping: this.config.userMapping
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = new LdapService()
|
||||||
408
src/services/userService.js
Normal file
408
src/services/userService.js
Normal file
@@ -0,0 +1,408 @@
|
|||||||
|
const redis = require('../models/redis')
|
||||||
|
const crypto = require('crypto')
|
||||||
|
const bcrypt = require('bcryptjs')
|
||||||
|
const logger = require('../utils/logger')
|
||||||
|
const config = require('../../config/config')
|
||||||
|
|
||||||
|
class UserService {
|
||||||
|
constructor() {
|
||||||
|
this.userPrefix = 'user:'
|
||||||
|
this.usernamePrefix = 'username:'
|
||||||
|
this.userSessionPrefix = 'user_session:'
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔑 生成用户ID
|
||||||
|
generateUserId() {
|
||||||
|
return crypto.randomBytes(16).toString('hex')
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔑 生成会话Token
|
||||||
|
generateSessionToken() {
|
||||||
|
return crypto.randomBytes(32).toString('hex')
|
||||||
|
}
|
||||||
|
|
||||||
|
// 👤 创建或更新用户
|
||||||
|
async createOrUpdateUser(userData) {
|
||||||
|
try {
|
||||||
|
const {
|
||||||
|
username,
|
||||||
|
email,
|
||||||
|
displayName,
|
||||||
|
firstName,
|
||||||
|
lastName,
|
||||||
|
role = config.userManagement.defaultUserRole,
|
||||||
|
isActive = true
|
||||||
|
} = userData
|
||||||
|
|
||||||
|
// 检查用户是否已存在
|
||||||
|
let user = await this.getUserByUsername(username)
|
||||||
|
const isNewUser = !user
|
||||||
|
|
||||||
|
if (isNewUser) {
|
||||||
|
const userId = this.generateUserId()
|
||||||
|
user = {
|
||||||
|
id: userId,
|
||||||
|
username,
|
||||||
|
email,
|
||||||
|
displayName,
|
||||||
|
firstName,
|
||||||
|
lastName,
|
||||||
|
role,
|
||||||
|
isActive,
|
||||||
|
createdAt: new Date().toISOString(),
|
||||||
|
updatedAt: new Date().toISOString(),
|
||||||
|
lastLoginAt: null,
|
||||||
|
apiKeyCount: 0,
|
||||||
|
totalUsage: {
|
||||||
|
requests: 0,
|
||||||
|
inputTokens: 0,
|
||||||
|
outputTokens: 0,
|
||||||
|
totalCost: 0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
// 更新现有用户信息
|
||||||
|
user = {
|
||||||
|
...user,
|
||||||
|
email,
|
||||||
|
displayName,
|
||||||
|
firstName,
|
||||||
|
lastName,
|
||||||
|
updatedAt: new Date().toISOString()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 保存用户信息
|
||||||
|
await redis.set(`${this.userPrefix}${user.id}`, JSON.stringify(user))
|
||||||
|
await redis.set(`${this.usernamePrefix}${username}`, user.id)
|
||||||
|
|
||||||
|
logger.info(`📝 ${isNewUser ? 'Created' : 'Updated'} user: ${username} (${user.id})`)
|
||||||
|
return user
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error creating/updating user:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 👤 通过用户名获取用户
|
||||||
|
async getUserByUsername(username) {
|
||||||
|
try {
|
||||||
|
const userId = await redis.get(`${this.usernamePrefix}${username}`)
|
||||||
|
if (!userId) return null
|
||||||
|
|
||||||
|
const userData = await redis.get(`${this.userPrefix}${userId}`)
|
||||||
|
return userData ? JSON.parse(userData) : null
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error getting user by username:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 👤 通过ID获取用户
|
||||||
|
async getUserById(userId) {
|
||||||
|
try {
|
||||||
|
const userData = await redis.get(`${this.userPrefix}${userId}`)
|
||||||
|
return userData ? JSON.parse(userData) : null
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error getting user by ID:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📋 获取所有用户列表(管理员功能)
|
||||||
|
async getAllUsers(options = {}) {
|
||||||
|
try {
|
||||||
|
const { page = 1, limit = 20, role, isActive } = options
|
||||||
|
const pattern = `${this.userPrefix}*`
|
||||||
|
const keys = await redis.keys(pattern)
|
||||||
|
|
||||||
|
const users = []
|
||||||
|
for (const key of keys) {
|
||||||
|
const userData = await redis.get(key)
|
||||||
|
if (userData) {
|
||||||
|
const user = JSON.parse(userData)
|
||||||
|
|
||||||
|
// 应用过滤条件
|
||||||
|
if (role && user.role !== role) continue
|
||||||
|
if (typeof isActive === 'boolean' && user.isActive !== isActive) continue
|
||||||
|
|
||||||
|
users.push(user)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 排序和分页
|
||||||
|
users.sort((a, b) => new Date(b.createdAt) - new Date(a.createdAt))
|
||||||
|
const startIndex = (page - 1) * limit
|
||||||
|
const endIndex = startIndex + limit
|
||||||
|
const paginatedUsers = users.slice(startIndex, endIndex)
|
||||||
|
|
||||||
|
return {
|
||||||
|
users: paginatedUsers,
|
||||||
|
total: users.length,
|
||||||
|
page,
|
||||||
|
limit,
|
||||||
|
totalPages: Math.ceil(users.length / limit)
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error getting all users:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔄 更新用户状态
|
||||||
|
async updateUserStatus(userId, isActive) {
|
||||||
|
try {
|
||||||
|
const user = await this.getUserById(userId)
|
||||||
|
if (!user) {
|
||||||
|
throw new Error('User not found')
|
||||||
|
}
|
||||||
|
|
||||||
|
user.isActive = isActive
|
||||||
|
user.updatedAt = new Date().toISOString()
|
||||||
|
|
||||||
|
await redis.set(`${this.userPrefix}${userId}`, JSON.stringify(user))
|
||||||
|
logger.info(`🔄 Updated user status: ${user.username} -> ${isActive ? 'active' : 'disabled'}`)
|
||||||
|
|
||||||
|
// 如果禁用用户,删除所有会话
|
||||||
|
if (!isActive) {
|
||||||
|
await this.invalidateUserSessions(userId)
|
||||||
|
}
|
||||||
|
|
||||||
|
return user
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error updating user status:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🔄 更新用户角色
|
||||||
|
async updateUserRole(userId, role) {
|
||||||
|
try {
|
||||||
|
const user = await this.getUserById(userId)
|
||||||
|
if (!user) {
|
||||||
|
throw new Error('User not found')
|
||||||
|
}
|
||||||
|
|
||||||
|
user.role = role
|
||||||
|
user.updatedAt = new Date().toISOString()
|
||||||
|
|
||||||
|
await redis.set(`${this.userPrefix}${userId}`, JSON.stringify(user))
|
||||||
|
logger.info(`🔄 Updated user role: ${user.username} -> ${role}`)
|
||||||
|
|
||||||
|
return user
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error updating user role:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📊 更新用户使用统计
|
||||||
|
async updateUserUsage(userId, usage) {
|
||||||
|
try {
|
||||||
|
const user = await this.getUserById(userId)
|
||||||
|
if (!user) return
|
||||||
|
|
||||||
|
const { requests = 0, inputTokens = 0, outputTokens = 0, cost = 0 } = usage
|
||||||
|
|
||||||
|
user.totalUsage.requests += requests
|
||||||
|
user.totalUsage.inputTokens += inputTokens
|
||||||
|
user.totalUsage.outputTokens += outputTokens
|
||||||
|
user.totalUsage.totalCost += cost
|
||||||
|
user.updatedAt = new Date().toISOString()
|
||||||
|
|
||||||
|
await redis.set(`${this.userPrefix}${userId}`, JSON.stringify(user))
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error updating user usage:', error)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📊 更新用户API Key数量
|
||||||
|
async updateUserApiKeyCount(userId, count) {
|
||||||
|
try {
|
||||||
|
const user = await this.getUserById(userId)
|
||||||
|
if (!user) return
|
||||||
|
|
||||||
|
user.apiKeyCount = count
|
||||||
|
user.updatedAt = new Date().toISOString()
|
||||||
|
|
||||||
|
await redis.set(`${this.userPrefix}${userId}`, JSON.stringify(user))
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error updating user API key count:', error)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📝 记录用户登录
|
||||||
|
async recordUserLogin(userId) {
|
||||||
|
try {
|
||||||
|
const user = await this.getUserById(userId)
|
||||||
|
if (!user) return
|
||||||
|
|
||||||
|
user.lastLoginAt = new Date().toISOString()
|
||||||
|
await redis.set(`${this.userPrefix}${userId}`, JSON.stringify(user))
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error recording user login:', error)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🎫 创建用户会话
|
||||||
|
async createUserSession(userId, sessionData = {}) {
|
||||||
|
try {
|
||||||
|
const sessionToken = this.generateSessionToken()
|
||||||
|
const session = {
|
||||||
|
token: sessionToken,
|
||||||
|
userId,
|
||||||
|
createdAt: new Date().toISOString(),
|
||||||
|
expiresAt: new Date(Date.now() + config.userManagement.userSessionTimeout).toISOString(),
|
||||||
|
...sessionData
|
||||||
|
}
|
||||||
|
|
||||||
|
const ttl = Math.floor(config.userManagement.userSessionTimeout / 1000)
|
||||||
|
await redis.setex(`${this.userSessionPrefix}${sessionToken}`, ttl, JSON.stringify(session))
|
||||||
|
|
||||||
|
logger.info(`🎫 Created session for user: ${userId}`)
|
||||||
|
return sessionToken
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error creating user session:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🎫 验证用户会话
|
||||||
|
async validateUserSession(sessionToken) {
|
||||||
|
try {
|
||||||
|
const sessionData = await redis.get(`${this.userSessionPrefix}${sessionToken}`)
|
||||||
|
if (!sessionData) return null
|
||||||
|
|
||||||
|
const session = JSON.parse(sessionData)
|
||||||
|
|
||||||
|
// 检查会话是否过期
|
||||||
|
if (new Date() > new Date(session.expiresAt)) {
|
||||||
|
await this.invalidateUserSession(sessionToken)
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
// 获取用户信息
|
||||||
|
const user = await this.getUserById(session.userId)
|
||||||
|
if (!user || !user.isActive) {
|
||||||
|
await this.invalidateUserSession(sessionToken)
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return { session, user }
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error validating user session:', error)
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🚫 使用户会话失效
|
||||||
|
async invalidateUserSession(sessionToken) {
|
||||||
|
try {
|
||||||
|
await redis.del(`${this.userSessionPrefix}${sessionToken}`)
|
||||||
|
logger.info(`🚫 Invalidated session: ${sessionToken}`)
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error invalidating user session:', error)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🚫 使用户所有会话失效
|
||||||
|
async invalidateUserSessions(userId) {
|
||||||
|
try {
|
||||||
|
const pattern = `${this.userSessionPrefix}*`
|
||||||
|
const keys = await redis.keys(pattern)
|
||||||
|
|
||||||
|
for (const key of keys) {
|
||||||
|
const sessionData = await redis.get(key)
|
||||||
|
if (sessionData) {
|
||||||
|
const session = JSON.parse(sessionData)
|
||||||
|
if (session.userId === userId) {
|
||||||
|
await redis.del(key)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
logger.info(`🚫 Invalidated all sessions for user: ${userId}`)
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error invalidating user sessions:', error)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 🗑️ 删除用户(软删除,标记为不活跃)
|
||||||
|
async deleteUser(userId) {
|
||||||
|
try {
|
||||||
|
const user = await this.getUserById(userId)
|
||||||
|
if (!user) {
|
||||||
|
throw new Error('User not found')
|
||||||
|
}
|
||||||
|
|
||||||
|
// 软删除:标记为不活跃并添加删除时间戳
|
||||||
|
user.isActive = false
|
||||||
|
user.deletedAt = new Date().toISOString()
|
||||||
|
user.updatedAt = new Date().toISOString()
|
||||||
|
|
||||||
|
await redis.set(`${this.userPrefix}${userId}`, JSON.stringify(user))
|
||||||
|
|
||||||
|
// 删除所有会话
|
||||||
|
await this.invalidateUserSessions(userId)
|
||||||
|
|
||||||
|
logger.info(`🗑️ Soft deleted user: ${user.username} (${userId})`)
|
||||||
|
return user
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error deleting user:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 📊 获取用户统计信息
|
||||||
|
async getUserStats() {
|
||||||
|
try {
|
||||||
|
const pattern = `${this.userPrefix}*`
|
||||||
|
const keys = await redis.keys(pattern)
|
||||||
|
|
||||||
|
const stats = {
|
||||||
|
totalUsers: 0,
|
||||||
|
activeUsers: 0,
|
||||||
|
adminUsers: 0,
|
||||||
|
regularUsers: 0,
|
||||||
|
totalApiKeys: 0,
|
||||||
|
totalUsage: {
|
||||||
|
requests: 0,
|
||||||
|
inputTokens: 0,
|
||||||
|
outputTokens: 0,
|
||||||
|
totalCost: 0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const key of keys) {
|
||||||
|
const userData = await redis.get(key)
|
||||||
|
if (userData) {
|
||||||
|
const user = JSON.parse(userData)
|
||||||
|
stats.totalUsers++
|
||||||
|
|
||||||
|
if (user.isActive) {
|
||||||
|
stats.activeUsers++
|
||||||
|
}
|
||||||
|
|
||||||
|
if (user.role === 'admin') {
|
||||||
|
stats.adminUsers++
|
||||||
|
} else {
|
||||||
|
stats.regularUsers++
|
||||||
|
}
|
||||||
|
|
||||||
|
stats.totalApiKeys += user.apiKeyCount || 0
|
||||||
|
stats.totalUsage.requests += user.totalUsage?.requests || 0
|
||||||
|
stats.totalUsage.inputTokens += user.totalUsage?.inputTokens || 0
|
||||||
|
stats.totalUsage.outputTokens += user.totalUsage?.outputTokens || 0
|
||||||
|
stats.totalUsage.totalCost += user.totalUsage?.totalCost || 0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return stats
|
||||||
|
} catch (error) {
|
||||||
|
logger.error('❌ Error getting user stats:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = new UserService()
|
||||||
208
web/admin-spa/src/components/admin/ChangeRoleModal.vue
Normal file
208
web/admin-spa/src/components/admin/ChangeRoleModal.vue
Normal file
@@ -0,0 +1,208 @@
|
|||||||
|
<template>
|
||||||
|
<div v-if="show" class="fixed inset-0 bg-gray-600 bg-opacity-50 overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<div class="flex items-center justify-between mb-4">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900">Change User Role</h3>
|
||||||
|
<button
|
||||||
|
@click="$emit('close')"
|
||||||
|
class="text-gray-400 hover:text-gray-600"
|
||||||
|
>
|
||||||
|
<svg class="h-6 w-6" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M6 18L18 6M6 6l12 12" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="user" class="space-y-4">
|
||||||
|
<!-- User Info -->
|
||||||
|
<div class="bg-gray-50 p-4 rounded-md">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<div class="h-10 w-10 rounded-full bg-gray-300 flex items-center justify-center">
|
||||||
|
<svg class="h-6 w-6 text-gray-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M16 7a4 4 0 11-8 0 4 4 0 018 0zM12 14a7 7 0 00-7 7h14a7 7 0 00-7-7z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="ml-4">
|
||||||
|
<p class="text-sm font-medium text-gray-900">{{ user.displayName || user.username }}</p>
|
||||||
|
<p class="text-sm text-gray-500">@{{ user.username }}</p>
|
||||||
|
<div class="mt-1">
|
||||||
|
<span :class="[
|
||||||
|
'inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium',
|
||||||
|
user.role === 'admin'
|
||||||
|
? 'bg-purple-100 text-purple-800'
|
||||||
|
: 'bg-blue-100 text-blue-800'
|
||||||
|
]">
|
||||||
|
Current: {{ user.role }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Role Selection -->
|
||||||
|
<form @submit.prevent="handleSubmit" class="space-y-4">
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700 mb-2">
|
||||||
|
New Role
|
||||||
|
</label>
|
||||||
|
<div class="space-y-2">
|
||||||
|
<label class="flex items-center">
|
||||||
|
<input
|
||||||
|
v-model="selectedRole"
|
||||||
|
type="radio"
|
||||||
|
value="user"
|
||||||
|
:disabled="loading"
|
||||||
|
class="focus:ring-blue-500 h-4 w-4 text-blue-600 border-gray-300"
|
||||||
|
/>
|
||||||
|
<div class="ml-3">
|
||||||
|
<div class="text-sm font-medium text-gray-900">User</div>
|
||||||
|
<div class="text-xs text-gray-500">Regular user with basic permissions</div>
|
||||||
|
</div>
|
||||||
|
</label>
|
||||||
|
<label class="flex items-center">
|
||||||
|
<input
|
||||||
|
v-model="selectedRole"
|
||||||
|
type="radio"
|
||||||
|
value="admin"
|
||||||
|
:disabled="loading"
|
||||||
|
class="focus:ring-blue-500 h-4 w-4 text-blue-600 border-gray-300"
|
||||||
|
/>
|
||||||
|
<div class="ml-3">
|
||||||
|
<div class="text-sm font-medium text-gray-900">Administrator</div>
|
||||||
|
<div class="text-xs text-gray-500">Full access to manage users and system</div>
|
||||||
|
</div>
|
||||||
|
</label>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Warning for role changes -->
|
||||||
|
<div v-if="selectedRole !== user.role" class="bg-yellow-50 border border-yellow-200 rounded-md p-4">
|
||||||
|
<div class="flex">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-5 w-5 text-yellow-400" viewBox="0 0 20 20" fill="currentColor">
|
||||||
|
<path fill-rule="evenodd" d="M8.257 3.099c.765-1.36 2.722-1.36 3.486 0l5.58 9.92c.75 1.334-.213 2.98-1.742 2.98H4.42c-1.53 0-2.493-1.646-1.743-2.98l5.58-9.92zM11 13a1 1 0 11-2 0 1 1 0 012 0zm-1-8a1 1 0 00-1 1v3a1 1 0 002 0V6a1 1 0 00-1-1z" clip-rule="evenodd" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3">
|
||||||
|
<h3 class="text-sm font-medium text-yellow-800">Role Change Warning</h3>
|
||||||
|
<div class="mt-2 text-sm text-yellow-700">
|
||||||
|
<p v-if="selectedRole === 'admin'">
|
||||||
|
Granting admin privileges will give this user full access to the system, including the ability to manage other users and their API keys.
|
||||||
|
</p>
|
||||||
|
<p v-else>
|
||||||
|
Removing admin privileges will restrict this user to only managing their own API keys and viewing their own usage statistics.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="error" class="bg-red-50 border border-red-200 rounded-md p-4">
|
||||||
|
<div class="flex">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-5 w-5 text-red-400" viewBox="0 0 20 20" fill="currentColor">
|
||||||
|
<path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z" clip-rule="evenodd" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3">
|
||||||
|
<p class="text-sm text-red-700">{{ error }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex justify-end space-x-3 pt-4">
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
@click="$emit('close')"
|
||||||
|
:disabled="loading"
|
||||||
|
class="px-4 py-2 border border-gray-300 rounded-md text-sm font-medium text-gray-700 hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50"
|
||||||
|
>
|
||||||
|
Cancel
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
type="submit"
|
||||||
|
:disabled="loading || selectedRole === user.role"
|
||||||
|
class="px-4 py-2 border border-transparent rounded-md shadow-sm text-sm font-medium text-white bg-blue-600 hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50 disabled:cursor-not-allowed"
|
||||||
|
>
|
||||||
|
<span v-if="loading" class="flex items-center">
|
||||||
|
<svg class="animate-spin -ml-1 mr-2 h-4 w-4 text-white" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
Updating...
|
||||||
|
</span>
|
||||||
|
<span v-else>Update Role</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, watch } from 'vue'
|
||||||
|
import axios from 'axios'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
show: {
|
||||||
|
type: Boolean,
|
||||||
|
default: false
|
||||||
|
},
|
||||||
|
user: {
|
||||||
|
type: Object,
|
||||||
|
default: null
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const emit = defineEmits(['close', 'updated'])
|
||||||
|
|
||||||
|
const loading = ref(false)
|
||||||
|
const error = ref('')
|
||||||
|
const selectedRole = ref('')
|
||||||
|
|
||||||
|
const handleSubmit = async () => {
|
||||||
|
if (!props.user || selectedRole.value === props.user.role) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
loading.value = true
|
||||||
|
error.value = ''
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await axios.patch(`/users/${props.user.id}/role`, {
|
||||||
|
role: selectedRole.value
|
||||||
|
})
|
||||||
|
|
||||||
|
if (response.data.success) {
|
||||||
|
showToast(`User role updated to ${selectedRole.value}`, 'success')
|
||||||
|
emit('updated')
|
||||||
|
} else {
|
||||||
|
error.value = response.data.message || 'Failed to update user role'
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Update user role error:', err)
|
||||||
|
error.value = err.response?.data?.message || err.message || 'Failed to update user role'
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Reset form when modal is shown
|
||||||
|
watch([() => props.show, () => props.user], ([show, user]) => {
|
||||||
|
if (show && user) {
|
||||||
|
selectedRole.value = user.role
|
||||||
|
error.value = ''
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
314
web/admin-spa/src/components/admin/UserUsageStatsModal.vue
Normal file
314
web/admin-spa/src/components/admin/UserUsageStatsModal.vue
Normal file
@@ -0,0 +1,314 @@
|
|||||||
|
<template>
|
||||||
|
<div v-if="show" class="fixed inset-0 bg-gray-600 bg-opacity-50 overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-10 mx-auto p-5 border w-4/5 max-w-4xl shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<div class="flex items-center justify-between mb-6">
|
||||||
|
<div>
|
||||||
|
<h3 class="text-lg font-medium text-gray-900">
|
||||||
|
Usage Statistics - {{ user?.displayName || user?.username }}
|
||||||
|
</h3>
|
||||||
|
<p class="text-sm text-gray-500">@{{ user?.username }} • {{ user?.role }}</p>
|
||||||
|
</div>
|
||||||
|
<button
|
||||||
|
@click="$emit('close')"
|
||||||
|
class="text-gray-400 hover:text-gray-600"
|
||||||
|
>
|
||||||
|
<svg class="h-6 w-6" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M6 18L18 6M6 6l12 12" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Period Selector -->
|
||||||
|
<div class="mb-6">
|
||||||
|
<select
|
||||||
|
v-model="selectedPeriod"
|
||||||
|
@change="loadUsageStats"
|
||||||
|
class="block w-32 rounded-md border-gray-300 shadow-sm focus:border-blue-500 focus:ring-blue-500 sm:text-sm"
|
||||||
|
>
|
||||||
|
<option value="day">Last 24 Hours</option>
|
||||||
|
<option value="week">Last 7 Days</option>
|
||||||
|
<option value="month">Last 30 Days</option>
|
||||||
|
<option value="quarter">Last 90 Days</option>
|
||||||
|
</select>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Loading State -->
|
||||||
|
<div v-if="loading" class="text-center py-12">
|
||||||
|
<svg class="animate-spin h-8 w-8 text-blue-600 mx-auto" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
<p class="mt-2 text-sm text-gray-500">Loading usage statistics...</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Stats Content -->
|
||||||
|
<div v-else class="space-y-6">
|
||||||
|
<!-- Summary Cards -->
|
||||||
|
<div class="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-4">
|
||||||
|
<div class="bg-blue-50 overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-blue-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M13 10V3L4 14h7v7l9-11h-7z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-blue-600 truncate">Requests</dt>
|
||||||
|
<dd class="text-lg font-medium text-blue-900">{{ formatNumber(usageStats?.totalRequests || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-green-50 overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-green-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-green-600 truncate">Input Tokens</dt>
|
||||||
|
<dd class="text-lg font-medium text-green-900">{{ formatNumber(usageStats?.totalInputTokens || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-purple-50 overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-purple-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-purple-600 truncate">Output Tokens</dt>
|
||||||
|
<dd class="text-lg font-medium text-purple-900">{{ formatNumber(usageStats?.totalOutputTokens || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-yellow-50 overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-yellow-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 8c-1.657 0-3 .895-3 2s1.343 2 3 2 3 .895 3 2-1.343 2-3 2m0-8c1.11 0 2.08.402 2.599 1M12 8V7m0 1v8m0 0v1m0-1c-1.11 0-2.08-.402-2.599-1" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-yellow-600 truncate">Total Cost</dt>
|
||||||
|
<dd class="text-lg font-medium text-yellow-900">${{ (usageStats?.totalCost || 0).toFixed(4) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- User API Keys Table -->
|
||||||
|
<div v-if="userDetails?.apiKeys?.length > 0" class="bg-white border border-gray-200 rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:px-6 border-b border-gray-200">
|
||||||
|
<h4 class="text-lg leading-6 font-medium text-gray-900">API Keys Usage</h4>
|
||||||
|
</div>
|
||||||
|
<div class="overflow-hidden">
|
||||||
|
<table class="min-w-full divide-y divide-gray-200">
|
||||||
|
<thead class="bg-gray-50">
|
||||||
|
<tr>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
API Key
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Status
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Requests
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Tokens
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Cost
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Last Used
|
||||||
|
</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody class="bg-white divide-y divide-gray-200">
|
||||||
|
<tr v-for="apiKey in userDetails.apiKeys" :key="apiKey.id">
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<div class="text-sm font-medium text-gray-900">{{ apiKey.name }}</div>
|
||||||
|
<div class="text-sm text-gray-500">{{ apiKey.keyPreview }}</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<span :class="[
|
||||||
|
'inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium',
|
||||||
|
apiKey.isActive
|
||||||
|
? 'bg-green-100 text-green-800'
|
||||||
|
: 'bg-red-100 text-red-800'
|
||||||
|
]">
|
||||||
|
{{ apiKey.isActive ? 'Active' : 'Disabled' }}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
{{ formatNumber(apiKey.usage?.requests || 0) }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
<div>In: {{ formatNumber(apiKey.usage?.inputTokens || 0) }}</div>
|
||||||
|
<div>Out: {{ formatNumber(apiKey.usage?.outputTokens || 0) }}</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
${{ (apiKey.usage?.totalCost || 0).toFixed(4) }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||||||
|
{{ apiKey.lastUsedAt ? formatDate(apiKey.lastUsedAt) : 'Never' }}
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Chart Placeholder -->
|
||||||
|
<div class="bg-white border border-gray-200 rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:px-6 border-b border-gray-200">
|
||||||
|
<h4 class="text-lg leading-6 font-medium text-gray-900">Usage Trend</h4>
|
||||||
|
</div>
|
||||||
|
<div class="p-6">
|
||||||
|
<div class="border-2 border-dashed border-gray-300 rounded-lg h-64 flex items-center justify-center">
|
||||||
|
<div class="text-center">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z" />
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">Usage Chart</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">
|
||||||
|
Daily usage trends for {{ selectedPeriod }} period
|
||||||
|
</p>
|
||||||
|
<p class="mt-2 text-xs text-gray-400">
|
||||||
|
(Chart integration can be added with Chart.js, D3.js, or similar library)
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- No Data State -->
|
||||||
|
<div v-if="usageStats && usageStats.totalRequests === 0" class="text-center py-12">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z" />
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">No usage data</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">
|
||||||
|
This user hasn't made any API requests in the selected period.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex justify-end mt-6">
|
||||||
|
<button
|
||||||
|
@click="$emit('close')"
|
||||||
|
class="px-4 py-2 border border-gray-300 rounded-md text-sm font-medium text-gray-700 hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500"
|
||||||
|
>
|
||||||
|
Close
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, watch } from 'vue'
|
||||||
|
import axios from 'axios'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
show: {
|
||||||
|
type: Boolean,
|
||||||
|
default: false
|
||||||
|
},
|
||||||
|
user: {
|
||||||
|
type: Object,
|
||||||
|
default: null
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const emit = defineEmits(['close'])
|
||||||
|
|
||||||
|
const loading = ref(false)
|
||||||
|
const selectedPeriod = ref('week')
|
||||||
|
const usageStats = ref(null)
|
||||||
|
const userDetails = ref(null)
|
||||||
|
|
||||||
|
const formatNumber = (num) => {
|
||||||
|
if (num >= 1000000) {
|
||||||
|
return (num / 1000000).toFixed(1) + 'M'
|
||||||
|
} else if (num >= 1000) {
|
||||||
|
return (num / 1000).toFixed(1) + 'K'
|
||||||
|
}
|
||||||
|
return num.toString()
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatDate = (dateString) => {
|
||||||
|
if (!dateString) return null
|
||||||
|
return new Date(dateString).toLocaleDateString('en-US', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric',
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const loadUsageStats = async () => {
|
||||||
|
if (!props.user) return
|
||||||
|
|
||||||
|
loading.value = true
|
||||||
|
try {
|
||||||
|
const [statsResponse, userResponse] = await Promise.all([
|
||||||
|
axios.get(`/users/${props.user.id}/usage-stats`, {
|
||||||
|
params: { period: selectedPeriod.value }
|
||||||
|
}),
|
||||||
|
axios.get(`/users/${props.user.id}`)
|
||||||
|
])
|
||||||
|
|
||||||
|
if (statsResponse.data.success) {
|
||||||
|
usageStats.value = statsResponse.data.stats
|
||||||
|
}
|
||||||
|
|
||||||
|
if (userResponse.data.success) {
|
||||||
|
userDetails.value = userResponse.data.user
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to load user usage stats:', error)
|
||||||
|
showToast('Failed to load usage statistics', 'error')
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Watch for when modal is shown and user changes
|
||||||
|
watch([() => props.show, () => props.user], ([show, user]) => {
|
||||||
|
if (show && user) {
|
||||||
|
loadUsageStats()
|
||||||
|
}
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
@@ -41,6 +41,7 @@ const tabRouteMap = {
|
|||||||
dashboard: '/dashboard',
|
dashboard: '/dashboard',
|
||||||
apiKeys: '/api-keys',
|
apiKeys: '/api-keys',
|
||||||
accounts: '/accounts',
|
accounts: '/accounts',
|
||||||
|
userManagement: '/user-management',
|
||||||
tutorial: '/tutorial',
|
tutorial: '/tutorial',
|
||||||
settings: '/settings'
|
settings: '/settings'
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -46,6 +46,7 @@ const tabs = [
|
|||||||
{ key: 'dashboard', name: '仪表板', shortName: '仪表板', icon: 'fas fa-tachometer-alt' },
|
{ key: 'dashboard', name: '仪表板', shortName: '仪表板', icon: 'fas fa-tachometer-alt' },
|
||||||
{ key: 'apiKeys', name: 'API Keys', shortName: 'API', icon: 'fas fa-key' },
|
{ key: 'apiKeys', name: 'API Keys', shortName: 'API', icon: 'fas fa-key' },
|
||||||
{ key: 'accounts', name: '账户管理', shortName: '账户', icon: 'fas fa-user-circle' },
|
{ key: 'accounts', name: '账户管理', shortName: '账户', icon: 'fas fa-user-circle' },
|
||||||
|
{ key: 'userManagement', name: '用户管理', shortName: '用户', icon: 'fas fa-users' },
|
||||||
{ key: 'tutorial', name: '使用教程', shortName: '教程', icon: 'fas fa-graduation-cap' },
|
{ key: 'tutorial', name: '使用教程', shortName: '教程', icon: 'fas fa-graduation-cap' },
|
||||||
{ key: 'settings', name: '其他设置', shortName: '设置', icon: 'fas fa-cogs' }
|
{ key: 'settings', name: '其他设置', shortName: '设置', icon: 'fas fa-cogs' }
|
||||||
]
|
]
|
||||||
|
|||||||
281
web/admin-spa/src/components/user/CreateApiKeyModal.vue
Normal file
281
web/admin-spa/src/components/user/CreateApiKeyModal.vue
Normal file
@@ -0,0 +1,281 @@
|
|||||||
|
<template>
|
||||||
|
<div v-if="show" class="fixed inset-0 bg-gray-600 bg-opacity-50 overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<div class="flex items-center justify-between mb-4">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900">Create New API Key</h3>
|
||||||
|
<button
|
||||||
|
@click="$emit('close')"
|
||||||
|
class="text-gray-400 hover:text-gray-600"
|
||||||
|
>
|
||||||
|
<svg class="h-6 w-6" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M6 18L18 6M6 6l12 12" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<form @submit.prevent="handleSubmit" class="space-y-4">
|
||||||
|
<div>
|
||||||
|
<label for="name" class="block text-sm font-medium text-gray-700">
|
||||||
|
Name *
|
||||||
|
</label>
|
||||||
|
<input
|
||||||
|
id="name"
|
||||||
|
v-model="form.name"
|
||||||
|
type="text"
|
||||||
|
required
|
||||||
|
:disabled="loading"
|
||||||
|
class="mt-1 block w-full border-gray-300 rounded-md shadow-sm focus:ring-blue-500 focus:border-blue-500 sm:text-sm"
|
||||||
|
placeholder="Enter API key name"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<label for="description" class="block text-sm font-medium text-gray-700">
|
||||||
|
Description
|
||||||
|
</label>
|
||||||
|
<textarea
|
||||||
|
id="description"
|
||||||
|
v-model="form.description"
|
||||||
|
rows="3"
|
||||||
|
:disabled="loading"
|
||||||
|
class="mt-1 block w-full border-gray-300 rounded-md shadow-sm focus:ring-blue-500 focus:border-blue-500 sm:text-sm"
|
||||||
|
placeholder="Optional description"
|
||||||
|
></textarea>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<label for="tokenLimit" class="block text-sm font-medium text-gray-700">
|
||||||
|
Token Limit (optional)
|
||||||
|
</label>
|
||||||
|
<input
|
||||||
|
id="tokenLimit"
|
||||||
|
v-model.number="form.tokenLimit"
|
||||||
|
type="number"
|
||||||
|
min="0"
|
||||||
|
:disabled="loading"
|
||||||
|
class="mt-1 block w-full border-gray-300 rounded-md shadow-sm focus:ring-blue-500 focus:border-blue-500 sm:text-sm"
|
||||||
|
placeholder="0 = unlimited"
|
||||||
|
/>
|
||||||
|
<p class="mt-1 text-xs text-gray-500">Set to 0 for unlimited tokens</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<label for="dailyCostLimit" class="block text-sm font-medium text-gray-700">
|
||||||
|
Daily Cost Limit (optional)
|
||||||
|
</label>
|
||||||
|
<div class="mt-1 relative rounded-md shadow-sm">
|
||||||
|
<div class="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none">
|
||||||
|
<span class="text-gray-500 sm:text-sm">$</span>
|
||||||
|
</div>
|
||||||
|
<input
|
||||||
|
id="dailyCostLimit"
|
||||||
|
v-model.number="form.dailyCostLimit"
|
||||||
|
type="number"
|
||||||
|
min="0"
|
||||||
|
step="0.01"
|
||||||
|
:disabled="loading"
|
||||||
|
class="pl-7 block w-full border-gray-300 rounded-md shadow-sm focus:ring-blue-500 focus:border-blue-500 sm:text-sm"
|
||||||
|
placeholder="0.00"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<p class="mt-1 text-xs text-gray-500">Set to 0 for unlimited daily cost</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<label for="expiresAt" class="block text-sm font-medium text-gray-700">
|
||||||
|
Expiration Date (optional)
|
||||||
|
</label>
|
||||||
|
<input
|
||||||
|
id="expiresAt"
|
||||||
|
v-model="form.expiresAt"
|
||||||
|
type="datetime-local"
|
||||||
|
:disabled="loading"
|
||||||
|
class="mt-1 block w-full border-gray-300 rounded-md shadow-sm focus:ring-blue-500 focus:border-blue-500 sm:text-sm"
|
||||||
|
/>
|
||||||
|
<p class="mt-1 text-xs text-gray-500">Leave empty for no expiration</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="error" class="bg-red-50 border border-red-200 rounded-md p-3">
|
||||||
|
<div class="flex">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-5 w-5 text-red-400" viewBox="0 0 20 20" fill="currentColor">
|
||||||
|
<path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z" clip-rule="evenodd" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3">
|
||||||
|
<p class="text-sm text-red-700">{{ error }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex justify-end space-x-3 pt-4">
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
@click="$emit('close')"
|
||||||
|
:disabled="loading"
|
||||||
|
class="px-4 py-2 border border-gray-300 rounded-md text-sm font-medium text-gray-700 hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50"
|
||||||
|
>
|
||||||
|
Cancel
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
type="submit"
|
||||||
|
:disabled="loading || !form.name.trim()"
|
||||||
|
class="px-4 py-2 border border-transparent rounded-md shadow-sm text-sm font-medium text-white bg-blue-600 hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50 disabled:cursor-not-allowed"
|
||||||
|
>
|
||||||
|
<span v-if="loading" class="flex items-center">
|
||||||
|
<svg class="animate-spin -ml-1 mr-2 h-4 w-4 text-white" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
Creating...
|
||||||
|
</span>
|
||||||
|
<span v-else>Create API Key</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
|
||||||
|
<!-- Success Modal for showing the new API key -->
|
||||||
|
<div v-if="newApiKey" class="mt-6 p-4 bg-green-50 border border-green-200 rounded-md">
|
||||||
|
<div class="flex items-start">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-5 w-5 text-green-400" viewBox="0 0 20 20" fill="currentColor">
|
||||||
|
<path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-9.293a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z" clip-rule="evenodd" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3 flex-1">
|
||||||
|
<h4 class="text-sm font-medium text-green-800">API Key Created Successfully!</h4>
|
||||||
|
<div class="mt-3">
|
||||||
|
<p class="text-sm text-green-700 mb-2">
|
||||||
|
<strong>Important:</strong> Copy your API key now. You won't be able to see it again!
|
||||||
|
</p>
|
||||||
|
<div class="bg-white p-3 border border-green-300 rounded-md">
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<code class="text-sm font-mono text-gray-900 break-all">{{ newApiKey.key }}</code>
|
||||||
|
<button
|
||||||
|
@click="copyToClipboard(newApiKey.key)"
|
||||||
|
class="ml-3 flex-shrink-0 inline-flex items-center px-2 py-1 border border-transparent text-xs font-medium rounded text-green-700 bg-green-100 hover:bg-green-200 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-green-500"
|
||||||
|
>
|
||||||
|
<svg class="h-3 w-3 mr-1" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M8 16H6a2 2 0 01-2-2V6a2 2 0 012-2h8a2 2 0 012 2v2m-6 12h8a2 2 0 002-2v-8a2 2 0 00-2-2h-8a2 2 0 00-2 2v8a2 2 0 002 2z" />
|
||||||
|
</svg>
|
||||||
|
Copy
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="mt-4 flex justify-end">
|
||||||
|
<button
|
||||||
|
@click="handleClose"
|
||||||
|
class="px-4 py-2 border border-transparent rounded-md shadow-sm text-sm font-medium text-white bg-green-600 hover:bg-green-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-green-500"
|
||||||
|
>
|
||||||
|
Done
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, reactive, watch } from 'vue'
|
||||||
|
import { useUserStore } from '@/stores/user'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
show: {
|
||||||
|
type: Boolean,
|
||||||
|
default: false
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const emit = defineEmits(['close', 'created'])
|
||||||
|
|
||||||
|
const userStore = useUserStore()
|
||||||
|
|
||||||
|
const loading = ref(false)
|
||||||
|
const error = ref('')
|
||||||
|
const newApiKey = ref(null)
|
||||||
|
|
||||||
|
const form = reactive({
|
||||||
|
name: '',
|
||||||
|
description: '',
|
||||||
|
tokenLimit: null,
|
||||||
|
dailyCostLimit: null,
|
||||||
|
expiresAt: ''
|
||||||
|
})
|
||||||
|
|
||||||
|
const resetForm = () => {
|
||||||
|
form.name = ''
|
||||||
|
form.description = ''
|
||||||
|
form.tokenLimit = null
|
||||||
|
form.dailyCostLimit = null
|
||||||
|
form.expiresAt = ''
|
||||||
|
error.value = ''
|
||||||
|
newApiKey.value = null
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleSubmit = async () => {
|
||||||
|
if (!form.name.trim()) {
|
||||||
|
error.value = 'API key name is required'
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
loading.value = true
|
||||||
|
error.value = ''
|
||||||
|
|
||||||
|
try {
|
||||||
|
const apiKeyData = {
|
||||||
|
name: form.name.trim(),
|
||||||
|
description: form.description.trim() || undefined,
|
||||||
|
tokenLimit: form.tokenLimit || undefined,
|
||||||
|
dailyCostLimit: form.dailyCostLimit || undefined,
|
||||||
|
expiresAt: form.expiresAt || undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
const result = await userStore.createApiKey(apiKeyData)
|
||||||
|
|
||||||
|
if (result.success) {
|
||||||
|
newApiKey.value = result.apiKey
|
||||||
|
showToast('API key created successfully!', 'success')
|
||||||
|
} else {
|
||||||
|
error.value = result.message || 'Failed to create API key'
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Create API key error:', err)
|
||||||
|
error.value = err.response?.data?.message || err.message || 'Failed to create API key'
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const copyToClipboard = async (text) => {
|
||||||
|
try {
|
||||||
|
await navigator.clipboard.writeText(text)
|
||||||
|
showToast('API key copied to clipboard!', 'success')
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to copy:', err)
|
||||||
|
showToast('Failed to copy to clipboard', 'error')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleClose = () => {
|
||||||
|
resetForm()
|
||||||
|
emit('created')
|
||||||
|
emit('close')
|
||||||
|
}
|
||||||
|
|
||||||
|
// Reset form when modal is shown
|
||||||
|
watch(() => props.show, (newValue) => {
|
||||||
|
if (newValue) {
|
||||||
|
resetForm()
|
||||||
|
}
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
287
web/admin-spa/src/components/user/UserApiKeysManager.vue
Normal file
287
web/admin-spa/src/components/user/UserApiKeysManager.vue
Normal file
@@ -0,0 +1,287 @@
|
|||||||
|
<template>
|
||||||
|
<div class="space-y-6">
|
||||||
|
<div class="sm:flex sm:items-center">
|
||||||
|
<div class="sm:flex-auto">
|
||||||
|
<h1 class="text-2xl font-semibold text-gray-900">My API Keys</h1>
|
||||||
|
<p class="mt-2 text-sm text-gray-700">
|
||||||
|
Manage your API keys to access Claude Relay services
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div class="mt-4 sm:mt-0 sm:ml-16 sm:flex-none">
|
||||||
|
<button
|
||||||
|
@click="showCreateModal = true"
|
||||||
|
:disabled="apiKeys.length >= maxApiKeys"
|
||||||
|
class="inline-flex items-center justify-center rounded-md border border-transparent bg-blue-600 px-4 py-2 text-sm font-medium text-white shadow-sm hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-blue-500 focus:ring-offset-2 disabled:opacity-50 disabled:cursor-not-allowed sm:w-auto"
|
||||||
|
>
|
||||||
|
<svg class="-ml-1 mr-2 h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 6v6m0 0v6m0-6h6m-6 0H6" />
|
||||||
|
</svg>
|
||||||
|
Create API Key
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- API Keys 数量限制提示 -->
|
||||||
|
<div v-if="apiKeys.length >= maxApiKeys" class="bg-yellow-50 border border-yellow-200 rounded-md p-4">
|
||||||
|
<div class="flex">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-5 w-5 text-yellow-400" viewBox="0 0 20 20" fill="currentColor">
|
||||||
|
<path fill-rule="evenodd" d="M8.257 3.099c.765-1.36 2.722-1.36 3.486 0l5.58 9.92c.75 1.334-.213 2.98-1.742 2.98H4.42c-1.53 0-2.493-1.646-1.743-2.98l5.58-9.92zM11 13a1 1 0 11-2 0 1 1 0 012 0zm-1-8a1 1 0 00-1 1v3a1 1 0 002 0V6a1 1 0 00-1-1z" clip-rule="evenodd" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3">
|
||||||
|
<p class="text-sm text-yellow-700">
|
||||||
|
You have reached the maximum number of API keys ({{ maxApiKeys }}).
|
||||||
|
Please delete an existing key to create a new one.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Loading State -->
|
||||||
|
<div v-if="loading" class="text-center py-12">
|
||||||
|
<svg class="animate-spin h-8 w-8 text-blue-600 mx-auto" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
<p class="mt-2 text-sm text-gray-500">Loading API keys...</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- API Keys List -->
|
||||||
|
<div v-else-if="apiKeys.length > 0" class="bg-white shadow overflow-hidden sm:rounded-md">
|
||||||
|
<ul role="list" class="divide-y divide-gray-200">
|
||||||
|
<li v-for="apiKey in apiKeys" :key="apiKey.id" class="px-6 py-4">
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<div :class="[
|
||||||
|
'h-2 w-2 rounded-full',
|
||||||
|
apiKey.isActive ? 'bg-green-400' : 'bg-red-400'
|
||||||
|
]"></div>
|
||||||
|
</div>
|
||||||
|
<div class="ml-4">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<p class="text-sm font-medium text-gray-900">{{ apiKey.name }}</p>
|
||||||
|
<span v-if="!apiKey.isActive"
|
||||||
|
class="ml-2 inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium bg-red-100 text-red-800">
|
||||||
|
Disabled
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
<div class="mt-1">
|
||||||
|
<p class="text-sm text-gray-500">{{ apiKey.description || 'No description' }}</p>
|
||||||
|
<div class="mt-1 flex items-center space-x-4 text-xs text-gray-400">
|
||||||
|
<span>Created: {{ formatDate(apiKey.createdAt) }}</span>
|
||||||
|
<span v-if="apiKey.lastUsedAt">Last used: {{ formatDate(apiKey.lastUsedAt) }}</span>
|
||||||
|
<span v-else>Never used</span>
|
||||||
|
<span v-if="apiKey.expiresAt">Expires: {{ formatDate(apiKey.expiresAt) }}</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="flex items-center space-x-2">
|
||||||
|
<!-- Usage Stats -->
|
||||||
|
<div class="text-right text-xs text-gray-500">
|
||||||
|
<div>{{ formatNumber(apiKey.usage?.requests || 0) }} requests</div>
|
||||||
|
<div v-if="apiKey.usage?.totalCost">${{ apiKey.usage.totalCost.toFixed(4) }}</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Actions -->
|
||||||
|
<div class="flex items-center space-x-1">
|
||||||
|
<button
|
||||||
|
@click="showApiKey(apiKey)"
|
||||||
|
class="inline-flex items-center p-1 border border-transparent rounded text-gray-400 hover:text-gray-600"
|
||||||
|
title="View API Key"
|
||||||
|
>
|
||||||
|
<svg class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M15 12a3 3 0 11-6 0 3 3 0 016 0z" />
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M2.458 12C3.732 7.943 7.523 5 12 5c4.478 0 8.268 2.943 9.542 7-1.274 4.057-5.064 7-9.542 7-4.477 0-8.268-2.943-9.542-7z" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<button
|
||||||
|
@click="regenerateApiKey(apiKey)"
|
||||||
|
class="inline-flex items-center p-1 border border-transparent rounded text-gray-400 hover:text-gray-600"
|
||||||
|
title="Regenerate API Key"
|
||||||
|
>
|
||||||
|
<svg class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M4 4v5h.582m15.356 2A8.001 8.001 0 004.582 9m0 0H9m11 11v-5h-.581m0 0a8.003 8.003 0 01-15.357-2m15.357 2H15" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<button
|
||||||
|
@click="deleteApiKey(apiKey)"
|
||||||
|
class="inline-flex items-center p-1 border border-transparent rounded text-red-400 hover:text-red-600"
|
||||||
|
title="Delete API Key"
|
||||||
|
>
|
||||||
|
<svg class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M19 7l-.867 12.142A2 2 0 0116.138 21H7.862a2 2 0 01-1.995-1.858L5 7m5 4v6m4-6v6m1-10V4a1 1 0 00-1-1h-4a1 1 0 00-1 1v3M4 7h16" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</li>
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Empty State -->
|
||||||
|
<div v-else class="text-center py-12">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M15 7a2 2 0 012 2m0 0a2 2 0 012 2m-2-2h-6m6 0v6a2 2 0 01-2 2H9a2 2 0 01-2-2V9a2 2 0 012-2h6z" />
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">No API keys</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">Get started by creating your first API key.</p>
|
||||||
|
<div class="mt-6">
|
||||||
|
<button
|
||||||
|
@click="showCreateModal = true"
|
||||||
|
class="inline-flex items-center px-4 py-2 border border-transparent shadow-sm text-sm font-medium rounded-md text-white bg-blue-600 hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500"
|
||||||
|
>
|
||||||
|
<svg class="-ml-1 mr-2 h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 6v6m0 0v6m0-6h6m-6 0H6" />
|
||||||
|
</svg>
|
||||||
|
Create API Key
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Create API Key Modal -->
|
||||||
|
<CreateApiKeyModal
|
||||||
|
:show="showCreateModal"
|
||||||
|
@close="showCreateModal = false"
|
||||||
|
@created="handleApiKeyCreated"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<!-- View API Key Modal -->
|
||||||
|
<ViewApiKeyModal
|
||||||
|
:show="showViewModal"
|
||||||
|
:apiKey="selectedApiKey"
|
||||||
|
@close="showViewModal = false"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<!-- Confirm Delete Modal -->
|
||||||
|
<ConfirmModal
|
||||||
|
:show="showDeleteModal"
|
||||||
|
title="Delete API Key"
|
||||||
|
:message="`Are you sure you want to delete '${selectedApiKey?.name}'? This action cannot be undone.`"
|
||||||
|
confirmText="Delete"
|
||||||
|
confirmClass="bg-red-600 hover:bg-red-700"
|
||||||
|
@confirm="handleDeleteConfirm"
|
||||||
|
@cancel="showDeleteModal = false"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, onMounted } from 'vue'
|
||||||
|
import { useUserStore } from '@/stores/user'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
import CreateApiKeyModal from './CreateApiKeyModal.vue'
|
||||||
|
import ViewApiKeyModal from './ViewApiKeyModal.vue'
|
||||||
|
import ConfirmModal from '@/components/common/ConfirmModal.vue'
|
||||||
|
|
||||||
|
const userStore = useUserStore()
|
||||||
|
|
||||||
|
const loading = ref(true)
|
||||||
|
const apiKeys = ref([])
|
||||||
|
const maxApiKeys = ref(5) // 从配置获取
|
||||||
|
|
||||||
|
const showCreateModal = ref(false)
|
||||||
|
const showViewModal = ref(false)
|
||||||
|
const showDeleteModal = ref(false)
|
||||||
|
const selectedApiKey = ref(null)
|
||||||
|
|
||||||
|
const formatNumber = (num) => {
|
||||||
|
if (num >= 1000000) {
|
||||||
|
return (num / 1000000).toFixed(1) + 'M'
|
||||||
|
} else if (num >= 1000) {
|
||||||
|
return (num / 1000).toFixed(1) + 'K'
|
||||||
|
}
|
||||||
|
return num.toString()
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatDate = (dateString) => {
|
||||||
|
if (!dateString) return null
|
||||||
|
return new Date(dateString).toLocaleDateString('en-US', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric',
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const loadApiKeys = async () => {
|
||||||
|
loading.value = true
|
||||||
|
try {
|
||||||
|
apiKeys.value = await userStore.getUserApiKeys()
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to load API keys:', error)
|
||||||
|
showToast('Failed to load API keys', 'error')
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const showApiKey = (apiKey) => {
|
||||||
|
selectedApiKey.value = apiKey
|
||||||
|
showViewModal.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
const regenerateApiKey = async (apiKey) => {
|
||||||
|
try {
|
||||||
|
const result = await userStore.regenerateApiKey(apiKey.id)
|
||||||
|
|
||||||
|
if (result.success) {
|
||||||
|
showToast('API key regenerated successfully', 'success')
|
||||||
|
|
||||||
|
// 显示新的API key
|
||||||
|
selectedApiKey.value = {
|
||||||
|
...apiKey,
|
||||||
|
key: result.apiKey.key
|
||||||
|
}
|
||||||
|
showViewModal.value = true
|
||||||
|
|
||||||
|
// 重新加载列表
|
||||||
|
await loadApiKeys()
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to regenerate API key:', error)
|
||||||
|
showToast('Failed to regenerate API key', 'error')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const deleteApiKey = (apiKey) => {
|
||||||
|
selectedApiKey.value = apiKey
|
||||||
|
showDeleteModal.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleDeleteConfirm = async () => {
|
||||||
|
try {
|
||||||
|
const result = await userStore.deleteApiKey(selectedApiKey.value.id)
|
||||||
|
|
||||||
|
if (result.success) {
|
||||||
|
showToast('API key deleted successfully', 'success')
|
||||||
|
await loadApiKeys()
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to delete API key:', error)
|
||||||
|
showToast('Failed to delete API key', 'error')
|
||||||
|
} finally {
|
||||||
|
showDeleteModal.value = false
|
||||||
|
selectedApiKey.value = null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleApiKeyCreated = async () => {
|
||||||
|
showCreateModal.value = false
|
||||||
|
await loadApiKeys()
|
||||||
|
}
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
loadApiKeys()
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
276
web/admin-spa/src/components/user/UserUsageStats.vue
Normal file
276
web/admin-spa/src/components/user/UserUsageStats.vue
Normal file
@@ -0,0 +1,276 @@
|
|||||||
|
<template>
|
||||||
|
<div class="space-y-6">
|
||||||
|
<div class="sm:flex sm:items-center">
|
||||||
|
<div class="sm:flex-auto">
|
||||||
|
<h1 class="text-2xl font-semibold text-gray-900">Usage Statistics</h1>
|
||||||
|
<p class="mt-2 text-sm text-gray-700">
|
||||||
|
View your API usage statistics and costs
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div class="mt-4 sm:mt-0 sm:ml-16 sm:flex-none">
|
||||||
|
<select
|
||||||
|
v-model="selectedPeriod"
|
||||||
|
@change="loadUsageStats"
|
||||||
|
class="block w-full rounded-md border-gray-300 shadow-sm focus:border-blue-500 focus:ring-blue-500 sm:text-sm"
|
||||||
|
>
|
||||||
|
<option value="day">Last 24 Hours</option>
|
||||||
|
<option value="week">Last 7 Days</option>
|
||||||
|
<option value="month">Last 30 Days</option>
|
||||||
|
<option value="quarter">Last 90 Days</option>
|
||||||
|
</select>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Loading State -->
|
||||||
|
<div v-if="loading" class="text-center py-12">
|
||||||
|
<svg class="animate-spin h-8 w-8 text-blue-600 mx-auto" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
<p class="mt-2 text-sm text-gray-500">Loading usage statistics...</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Stats Cards -->
|
||||||
|
<div v-else class="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-6">
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-blue-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M13 10V3L4 14h7v7l9-11h-7z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total Requests</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ formatNumber(usageStats?.totalRequests || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-green-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Input Tokens</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ formatNumber(usageStats?.totalInputTokens || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-purple-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Output Tokens</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ formatNumber(usageStats?.totalOutputTokens || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-yellow-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 8c-1.657 0-3 .895-3 2s1.343 2 3 2 3 .895 3 2-1.343 2-3 2m0-8c1.11 0 2.08.402 2.599 1M12 8V7m0 1v8m0 0v1m0-1c-1.11 0-2.08-.402-2.599-1" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total Cost</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">${{ (usageStats?.totalCost || 0).toFixed(4) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Daily Usage Chart -->
|
||||||
|
<div v-if="!loading && usageStats" class="bg-white shadow rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:p-6">
|
||||||
|
<h3 class="text-lg leading-6 font-medium text-gray-900 mb-4">Daily Usage Trend</h3>
|
||||||
|
|
||||||
|
<!-- Placeholder for chart - you can integrate Chart.js or similar -->
|
||||||
|
<div class="border-2 border-dashed border-gray-300 rounded-lg h-64 flex items-center justify-center">
|
||||||
|
<div class="text-center">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z" />
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">Usage Chart</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">
|
||||||
|
Daily usage trends would be displayed here
|
||||||
|
</p>
|
||||||
|
<p class="mt-2 text-xs text-gray-400">
|
||||||
|
(Chart integration can be added with Chart.js, D3.js, or similar library)
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Model Usage Breakdown -->
|
||||||
|
<div v-if="!loading && usageStats && usageStats.modelStats?.length > 0" class="bg-white shadow rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:p-6">
|
||||||
|
<h3 class="text-lg leading-6 font-medium text-gray-900 mb-4">Usage by Model</h3>
|
||||||
|
<div class="space-y-3">
|
||||||
|
<div v-for="model in usageStats.modelStats" :key="model.name" class="flex items-center justify-between">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<div class="h-2 w-2 bg-blue-500 rounded-full"></div>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3">
|
||||||
|
<p class="text-sm font-medium text-gray-900">{{ model.name }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="text-right">
|
||||||
|
<p class="text-sm text-gray-900">{{ formatNumber(model.requests) }} requests</p>
|
||||||
|
<p class="text-xs text-gray-500">${{ model.cost.toFixed(4) }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Detailed Usage Table -->
|
||||||
|
<div v-if="!loading && userApiKeys.length > 0" class="bg-white shadow rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:p-6">
|
||||||
|
<h3 class="text-lg leading-6 font-medium text-gray-900 mb-4">Usage by API Key</h3>
|
||||||
|
<div class="overflow-hidden">
|
||||||
|
<table class="min-w-full divide-y divide-gray-200">
|
||||||
|
<thead class="bg-gray-50">
|
||||||
|
<tr>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
API Key
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Requests
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Input Tokens
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Output Tokens
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Cost
|
||||||
|
</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||||||
|
Status
|
||||||
|
</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody class="bg-white divide-y divide-gray-200">
|
||||||
|
<tr v-for="apiKey in userApiKeys" :key="apiKey.id">
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<div class="text-sm font-medium text-gray-900">{{ apiKey.name }}</div>
|
||||||
|
<div class="text-sm text-gray-500">{{ apiKey.keyPreview }}</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
{{ formatNumber(apiKey.usage?.requests || 0) }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
{{ formatNumber(apiKey.usage?.inputTokens || 0) }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
{{ formatNumber(apiKey.usage?.outputTokens || 0) }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
${{ (apiKey.usage?.totalCost || 0).toFixed(4) }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<span :class="[
|
||||||
|
'inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium',
|
||||||
|
apiKey.isActive
|
||||||
|
? 'bg-green-100 text-green-800'
|
||||||
|
: 'bg-red-100 text-red-800'
|
||||||
|
]">
|
||||||
|
{{ apiKey.isActive ? 'Active' : 'Disabled' }}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- No Data State -->
|
||||||
|
<div v-if="!loading && (!usageStats || usageStats.totalRequests === 0)" class="text-center py-12">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z" />
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">No usage data</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">
|
||||||
|
You haven't made any API requests yet. Create an API key and start using the service to see usage statistics.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, onMounted } from 'vue'
|
||||||
|
import { useUserStore } from '@/stores/user'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
|
||||||
|
const userStore = useUserStore()
|
||||||
|
|
||||||
|
const loading = ref(true)
|
||||||
|
const selectedPeriod = ref('week')
|
||||||
|
const usageStats = ref(null)
|
||||||
|
const userApiKeys = ref([])
|
||||||
|
|
||||||
|
const formatNumber = (num) => {
|
||||||
|
if (num >= 1000000) {
|
||||||
|
return (num / 1000000).toFixed(1) + 'M'
|
||||||
|
} else if (num >= 1000) {
|
||||||
|
return (num / 1000).toFixed(1) + 'K'
|
||||||
|
}
|
||||||
|
return num.toString()
|
||||||
|
}
|
||||||
|
|
||||||
|
const loadUsageStats = async () => {
|
||||||
|
loading.value = true
|
||||||
|
try {
|
||||||
|
const [stats, apiKeys] = await Promise.all([
|
||||||
|
userStore.getUserUsageStats({ period: selectedPeriod.value }),
|
||||||
|
userStore.getUserApiKeys()
|
||||||
|
])
|
||||||
|
|
||||||
|
usageStats.value = stats
|
||||||
|
userApiKeys.value = apiKeys
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to load usage stats:', error)
|
||||||
|
showToast('Failed to load usage statistics', 'error')
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
loadUsageStats()
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
248
web/admin-spa/src/components/user/ViewApiKeyModal.vue
Normal file
248
web/admin-spa/src/components/user/ViewApiKeyModal.vue
Normal file
@@ -0,0 +1,248 @@
|
|||||||
|
<template>
|
||||||
|
<div v-if="show" class="fixed inset-0 bg-gray-600 bg-opacity-50 overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<div class="flex items-center justify-between mb-4">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900">API Key Details</h3>
|
||||||
|
<button
|
||||||
|
@click="$emit('close')"
|
||||||
|
class="text-gray-400 hover:text-gray-600"
|
||||||
|
>
|
||||||
|
<svg class="h-6 w-6" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M6 18L18 6M6 6l12 12" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="apiKey" class="space-y-4">
|
||||||
|
<!-- API Key Name -->
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700">Name</label>
|
||||||
|
<p class="mt-1 text-sm text-gray-900">{{ apiKey.name }}</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Description -->
|
||||||
|
<div v-if="apiKey.description">
|
||||||
|
<label class="block text-sm font-medium text-gray-700">Description</label>
|
||||||
|
<p class="mt-1 text-sm text-gray-900">{{ apiKey.description }}</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- API Key -->
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700">API Key</label>
|
||||||
|
<div class="mt-1 flex items-center space-x-2">
|
||||||
|
<div class="flex-1">
|
||||||
|
<div v-if="showFullKey" class="bg-gray-50 p-3 border border-gray-300 rounded-md">
|
||||||
|
<code class="text-sm font-mono text-gray-900 break-all">{{ apiKey.key || 'Not available' }}</code>
|
||||||
|
</div>
|
||||||
|
<div v-else class="bg-gray-50 p-3 border border-gray-300 rounded-md">
|
||||||
|
<code class="text-sm font-mono text-gray-900">{{ apiKey.keyPreview || 'cr_****' }}</code>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="flex flex-col space-y-1">
|
||||||
|
<button
|
||||||
|
v-if="apiKey.key"
|
||||||
|
@click="showFullKey = !showFullKey"
|
||||||
|
class="inline-flex items-center px-2 py-1 border border-gray-300 text-xs font-medium rounded text-gray-700 bg-white hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500"
|
||||||
|
>
|
||||||
|
<svg v-if="showFullKey" class="h-3 w-3 mr-1" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M13.875 18.825A10.05 10.05 0 0112 19c-4.478 0-8.268-2.943-9.543-7a9.97 9.97 0 011.563-3.029m5.858.908a3 3 0 114.243 4.243M9.878 9.878l4.242 4.242M9.878 9.878L3 3m6.878 6.878L12 12m-1.122-2.122L12 12m-1.122-2.122l-4.243-4.242m6.879 6.878L15 15" />
|
||||||
|
</svg>
|
||||||
|
<svg v-else class="h-3 w-3 mr-1" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M15 12a3 3 0 11-6 0 3 3 0 016 0z" />
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M2.458 12C3.732 7.943 7.523 5 12 5c4.478 0 8.268 2.943 9.542 7-1.274 4.057-5.064 7-9.542 7-4.477 0-8.268-2.943-9.542-7z" />
|
||||||
|
</svg>
|
||||||
|
{{ showFullKey ? 'Hide' : 'Show' }}
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
v-if="showFullKey && apiKey.key"
|
||||||
|
@click="copyToClipboard(apiKey.key)"
|
||||||
|
class="inline-flex items-center px-2 py-1 border border-gray-300 text-xs font-medium rounded text-gray-700 bg-white hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500"
|
||||||
|
>
|
||||||
|
<svg class="h-3 w-3 mr-1" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M8 16H6a2 2 0 01-2-2V6a2 2 0 012-2h8a2 2 0 012 2v2m-6 12h8a2 2 0 002-2v-8a2 2 0 00-2-2h-8a2 2 0 00-2 2v8a2 2 0 002 2z" />
|
||||||
|
</svg>
|
||||||
|
Copy
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<p v-if="!apiKey.key" class="mt-1 text-xs text-gray-500">
|
||||||
|
Full API key is only shown when first created or regenerated
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Status -->
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700">Status</label>
|
||||||
|
<div class="mt-1">
|
||||||
|
<span :class="[
|
||||||
|
'inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium',
|
||||||
|
apiKey.isActive
|
||||||
|
? 'bg-green-100 text-green-800'
|
||||||
|
: 'bg-red-100 text-red-800'
|
||||||
|
]">
|
||||||
|
{{ apiKey.isActive ? 'Active' : 'Disabled' }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Limits -->
|
||||||
|
<div class="grid grid-cols-2 gap-4">
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700">Token Limit</label>
|
||||||
|
<p class="mt-1 text-sm text-gray-900">
|
||||||
|
{{ apiKey.tokenLimit ? apiKey.tokenLimit.toLocaleString() : 'Unlimited' }}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700">Daily Cost Limit</label>
|
||||||
|
<p class="mt-1 text-sm text-gray-900">
|
||||||
|
{{ apiKey.dailyCostLimit ? `$${apiKey.dailyCostLimit.toFixed(2)}` : 'Unlimited' }}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Usage Stats -->
|
||||||
|
<div v-if="apiKey.usage" class="border-t border-gray-200 pt-4">
|
||||||
|
<label class="block text-sm font-medium text-gray-700 mb-2">Usage Statistics</label>
|
||||||
|
<div class="grid grid-cols-2 gap-4 text-sm">
|
||||||
|
<div>
|
||||||
|
<span class="text-gray-500">Requests:</span>
|
||||||
|
<span class="ml-2 font-medium">{{ formatNumber(apiKey.usage.requests || 0) }}</span>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<span class="text-gray-500">Input Tokens:</span>
|
||||||
|
<span class="ml-2 font-medium">{{ formatNumber(apiKey.usage.inputTokens || 0) }}</span>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<span class="text-gray-500">Output Tokens:</span>
|
||||||
|
<span class="ml-2 font-medium">{{ formatNumber(apiKey.usage.outputTokens || 0) }}</span>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<span class="text-gray-500">Total Cost:</span>
|
||||||
|
<span class="ml-2 font-medium">${{ (apiKey.usage.totalCost || 0).toFixed(4) }}</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Timestamps -->
|
||||||
|
<div class="border-t border-gray-200 pt-4 space-y-2 text-sm">
|
||||||
|
<div class="flex justify-between">
|
||||||
|
<span class="text-gray-500">Created:</span>
|
||||||
|
<span class="text-gray-900">{{ formatDate(apiKey.createdAt) }}</span>
|
||||||
|
</div>
|
||||||
|
<div v-if="apiKey.lastUsedAt" class="flex justify-between">
|
||||||
|
<span class="text-gray-500">Last Used:</span>
|
||||||
|
<span class="text-gray-900">{{ formatDate(apiKey.lastUsedAt) }}</span>
|
||||||
|
</div>
|
||||||
|
<div v-if="apiKey.expiresAt" class="flex justify-between">
|
||||||
|
<span class="text-gray-500">Expires:</span>
|
||||||
|
<span :class="[
|
||||||
|
'font-medium',
|
||||||
|
new Date(apiKey.expiresAt) < new Date() ? 'text-red-600' : 'text-gray-900'
|
||||||
|
]">
|
||||||
|
{{ formatDate(apiKey.expiresAt) }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Usage Instructions -->
|
||||||
|
<div class="border-t border-gray-200 pt-4">
|
||||||
|
<label class="block text-sm font-medium text-gray-700 mb-2">Usage Instructions</label>
|
||||||
|
<div class="bg-gray-50 p-3 rounded-md">
|
||||||
|
<p class="text-xs text-gray-600 mb-2">Set these environment variables to use this API key:</p>
|
||||||
|
<div class="space-y-1 text-xs font-mono">
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<code class="text-gray-800">export ANTHROPIC_BASE_URL="http://your-server:3000/api/"</code>
|
||||||
|
<button
|
||||||
|
@click="copyToClipboard('export ANTHROPIC_BASE_URL=\"http://your-server:3000/api/\"')"
|
||||||
|
class="ml-2 text-gray-400 hover:text-gray-600"
|
||||||
|
>
|
||||||
|
<svg class="h-3 w-3" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M8 16H6a2 2 0 01-2-2V6a2 2 0 012-2h8a2 2 0 012 2v2m-6 12h8a2 2 0 002-2v-8a2 2 0 00-2-2h-8a2 2 0 00-2 2v8a2 2 0 002 2z" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<code class="text-gray-800">export ANTHROPIC_AUTH_TOKEN="{{ apiKey.keyPreview || 'your-api-key' }}"</code>
|
||||||
|
<button
|
||||||
|
v-if="apiKey.key"
|
||||||
|
@click="copyToClipboard(`export ANTHROPIC_AUTH_TOKEN=\"${apiKey.key}\"`)"
|
||||||
|
class="ml-2 text-gray-400 hover:text-gray-600"
|
||||||
|
>
|
||||||
|
<svg class="h-3 w-3" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M8 16H6a2 2 0 01-2-2V6a2 2 0 012-2h8a2 2 0 012 2v2m-6 12h8a2 2 0 002-2v-8a2 2 0 00-2-2h-8a2 2 0 00-2 2v8a2 2 0 002 2z" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex justify-end pt-4">
|
||||||
|
<button
|
||||||
|
@click="$emit('close')"
|
||||||
|
class="px-4 py-2 border border-gray-300 rounded-md text-sm font-medium text-gray-700 hover:bg-gray-50 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500"
|
||||||
|
>
|
||||||
|
Close
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref } from 'vue'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
show: {
|
||||||
|
type: Boolean,
|
||||||
|
default: false
|
||||||
|
},
|
||||||
|
apiKey: {
|
||||||
|
type: Object,
|
||||||
|
default: null
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const emit = defineEmits(['close'])
|
||||||
|
|
||||||
|
const showFullKey = ref(false)
|
||||||
|
|
||||||
|
const formatNumber = (num) => {
|
||||||
|
if (num >= 1000000) {
|
||||||
|
return (num / 1000000).toFixed(1) + 'M'
|
||||||
|
} else if (num >= 1000) {
|
||||||
|
return (num / 1000).toFixed(1) + 'K'
|
||||||
|
}
|
||||||
|
return num.toString()
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatDate = (dateString) => {
|
||||||
|
if (!dateString) return null
|
||||||
|
return new Date(dateString).toLocaleDateString('en-US', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric',
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const copyToClipboard = async (text) => {
|
||||||
|
try {
|
||||||
|
await navigator.clipboard.writeText(text)
|
||||||
|
showToast('Copied to clipboard!', 'success')
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to copy:', err)
|
||||||
|
showToast('Failed to copy to clipboard', 'error')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
@@ -1,9 +1,13 @@
|
|||||||
import { createRouter, createWebHistory } from 'vue-router'
|
import { createRouter, createWebHistory } from 'vue-router'
|
||||||
import { useAuthStore } from '@/stores/auth'
|
import { useAuthStore } from '@/stores/auth'
|
||||||
|
import { useUserStore } from '@/stores/user'
|
||||||
import { APP_CONFIG } from '@/config/app'
|
import { APP_CONFIG } from '@/config/app'
|
||||||
|
|
||||||
// 路由懒加载
|
// 路由懒加载
|
||||||
const LoginView = () => import('@/views/LoginView.vue')
|
const LoginView = () => import('@/views/LoginView.vue')
|
||||||
|
const UserLoginView = () => import('@/views/UserLoginView.vue')
|
||||||
|
const UserDashboardView = () => import('@/views/UserDashboardView.vue')
|
||||||
|
const UserManagementView = () => import('@/views/UserManagementView.vue')
|
||||||
const MainLayout = () => import('@/components/layout/MainLayout.vue')
|
const MainLayout = () => import('@/components/layout/MainLayout.vue')
|
||||||
const DashboardView = () => import('@/views/DashboardView.vue')
|
const DashboardView = () => import('@/views/DashboardView.vue')
|
||||||
const ApiKeysView = () => import('@/views/ApiKeysView.vue')
|
const ApiKeysView = () => import('@/views/ApiKeysView.vue')
|
||||||
@@ -35,6 +39,22 @@ const routes = [
|
|||||||
component: LoginView,
|
component: LoginView,
|
||||||
meta: { requiresAuth: false }
|
meta: { requiresAuth: false }
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
path: '/admin-login',
|
||||||
|
redirect: '/login'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
path: '/user-login',
|
||||||
|
name: 'UserLogin',
|
||||||
|
component: UserLoginView,
|
||||||
|
meta: { requiresAuth: false, userAuth: true }
|
||||||
|
},
|
||||||
|
{
|
||||||
|
path: '/user-dashboard',
|
||||||
|
name: 'UserDashboard',
|
||||||
|
component: UserDashboardView,
|
||||||
|
meta: { requiresUserAuth: true }
|
||||||
|
},
|
||||||
{
|
{
|
||||||
path: '/api-stats',
|
path: '/api-stats',
|
||||||
name: 'ApiStats',
|
name: 'ApiStats',
|
||||||
@@ -101,6 +121,18 @@ const routes = [
|
|||||||
}
|
}
|
||||||
]
|
]
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
path: '/user-management',
|
||||||
|
component: MainLayout,
|
||||||
|
meta: { requiresAuth: true },
|
||||||
|
children: [
|
||||||
|
{
|
||||||
|
path: '',
|
||||||
|
name: 'UserManagement',
|
||||||
|
component: UserManagementView
|
||||||
|
}
|
||||||
|
]
|
||||||
|
},
|
||||||
// 捕获所有未匹配的路由
|
// 捕获所有未匹配的路由
|
||||||
{
|
{
|
||||||
path: '/:pathMatch(.*)*',
|
path: '/:pathMatch(.*)*',
|
||||||
@@ -114,15 +146,18 @@ const router = createRouter({
|
|||||||
})
|
})
|
||||||
|
|
||||||
// 路由守卫
|
// 路由守卫
|
||||||
router.beforeEach((to, from, next) => {
|
router.beforeEach(async (to, from, next) => {
|
||||||
const authStore = useAuthStore()
|
const authStore = useAuthStore()
|
||||||
|
const userStore = useUserStore()
|
||||||
|
|
||||||
console.log('路由导航:', {
|
console.log('路由导航:', {
|
||||||
to: to.path,
|
to: to.path,
|
||||||
from: from.path,
|
from: from.path,
|
||||||
fullPath: to.fullPath,
|
fullPath: to.fullPath,
|
||||||
requiresAuth: to.meta.requiresAuth,
|
requiresAuth: to.meta.requiresAuth,
|
||||||
isAuthenticated: authStore.isAuthenticated
|
requiresUserAuth: to.meta.requiresUserAuth,
|
||||||
|
isAuthenticated: authStore.isAuthenticated,
|
||||||
|
isUserAuthenticated: userStore.isAuthenticated
|
||||||
})
|
})
|
||||||
|
|
||||||
// 防止重定向循环:如果已经在目标路径,直接放行
|
// 防止重定向循环:如果已经在目标路径,直接放行
|
||||||
@@ -130,9 +165,28 @@ router.beforeEach((to, from, next) => {
|
|||||||
return next()
|
return next()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 检查用户认证状态
|
||||||
|
if (to.meta.requiresUserAuth) {
|
||||||
|
if (!userStore.isAuthenticated) {
|
||||||
|
// 尝试检查本地存储的认证信息
|
||||||
|
const isUserLoggedIn = await userStore.checkAuth()
|
||||||
|
if (!isUserLoggedIn) {
|
||||||
|
return next('/user-login')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return next()
|
||||||
|
}
|
||||||
|
|
||||||
// API Stats 页面不需要认证,直接放行
|
// API Stats 页面不需要认证,直接放行
|
||||||
if (to.path === '/api-stats' || to.path.startsWith('/api-stats')) {
|
if (to.path === '/api-stats' || to.path.startsWith('/api-stats')) {
|
||||||
next()
|
next()
|
||||||
|
} else if (to.path === '/user-login') {
|
||||||
|
// 如果已经是用户登录状态,重定向到用户仪表板
|
||||||
|
if (userStore.isAuthenticated) {
|
||||||
|
next('/user-dashboard')
|
||||||
|
} else {
|
||||||
|
next()
|
||||||
|
}
|
||||||
} else if (to.meta.requiresAuth && !authStore.isAuthenticated) {
|
} else if (to.meta.requiresAuth && !authStore.isAuthenticated) {
|
||||||
next('/login')
|
next('/login')
|
||||||
} else if (to.path === '/login' && authStore.isAuthenticated) {
|
} else if (to.path === '/login' && authStore.isAuthenticated) {
|
||||||
|
|||||||
185
web/admin-spa/src/stores/user.js
Normal file
185
web/admin-spa/src/stores/user.js
Normal file
@@ -0,0 +1,185 @@
|
|||||||
|
import { defineStore } from 'pinia'
|
||||||
|
import axios from 'axios'
|
||||||
|
|
||||||
|
const API_BASE = '/users'
|
||||||
|
|
||||||
|
export const useUserStore = defineStore('user', {
|
||||||
|
state: () => ({
|
||||||
|
user: null,
|
||||||
|
isAuthenticated: false,
|
||||||
|
sessionToken: null,
|
||||||
|
loading: false
|
||||||
|
}),
|
||||||
|
|
||||||
|
getters: {
|
||||||
|
isLoggedIn: (state) => state.isAuthenticated && state.user,
|
||||||
|
userName: (state) => state.user?.displayName || state.user?.username,
|
||||||
|
userRole: (state) => state.user?.role
|
||||||
|
},
|
||||||
|
|
||||||
|
actions: {
|
||||||
|
// 🔐 用户登录
|
||||||
|
async login(credentials) {
|
||||||
|
this.loading = true
|
||||||
|
try {
|
||||||
|
const response = await axios.post(`${API_BASE}/login`, credentials)
|
||||||
|
|
||||||
|
if (response.data.success) {
|
||||||
|
this.user = response.data.user
|
||||||
|
this.sessionToken = response.data.sessionToken
|
||||||
|
this.isAuthenticated = true
|
||||||
|
|
||||||
|
// 保存到 localStorage
|
||||||
|
localStorage.setItem('userToken', this.sessionToken)
|
||||||
|
localStorage.setItem('userData', JSON.stringify(this.user))
|
||||||
|
|
||||||
|
// 设置 axios 默认头部
|
||||||
|
this.setAuthHeader()
|
||||||
|
|
||||||
|
return response.data
|
||||||
|
} else {
|
||||||
|
throw new Error(response.data.message || 'Login failed')
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
this.clearAuth()
|
||||||
|
throw error
|
||||||
|
} finally {
|
||||||
|
this.loading = false
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🚪 用户登出
|
||||||
|
async logout() {
|
||||||
|
try {
|
||||||
|
if (this.sessionToken) {
|
||||||
|
await axios.post(`${API_BASE}/logout`, {}, {
|
||||||
|
headers: { 'x-user-token': this.sessionToken }
|
||||||
|
})
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Logout request failed:', error)
|
||||||
|
} finally {
|
||||||
|
this.clearAuth()
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🔄 检查认证状态
|
||||||
|
async checkAuth() {
|
||||||
|
const token = localStorage.getItem('userToken')
|
||||||
|
const userData = localStorage.getItem('userData')
|
||||||
|
|
||||||
|
if (!token || !userData) {
|
||||||
|
this.clearAuth()
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
this.sessionToken = token
|
||||||
|
this.user = JSON.parse(userData)
|
||||||
|
this.isAuthenticated = true
|
||||||
|
this.setAuthHeader()
|
||||||
|
|
||||||
|
// 验证 token 是否仍然有效
|
||||||
|
await this.getUserProfile()
|
||||||
|
return true
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Auth check failed:', error)
|
||||||
|
this.clearAuth()
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 👤 获取用户资料
|
||||||
|
async getUserProfile() {
|
||||||
|
try {
|
||||||
|
const response = await axios.get(`${API_BASE}/profile`)
|
||||||
|
|
||||||
|
if (response.data.success) {
|
||||||
|
this.user = response.data.user
|
||||||
|
localStorage.setItem('userData', JSON.stringify(this.user))
|
||||||
|
return response.data.user
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
if (error.response?.status === 401) {
|
||||||
|
this.clearAuth()
|
||||||
|
}
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🔑 获取用户API Keys
|
||||||
|
async getUserApiKeys() {
|
||||||
|
try {
|
||||||
|
const response = await axios.get(`${API_BASE}/api-keys`)
|
||||||
|
return response.data.success ? response.data.apiKeys : []
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to fetch API keys:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🔑 创建API Key
|
||||||
|
async createApiKey(keyData) {
|
||||||
|
try {
|
||||||
|
const response = await axios.post(`${API_BASE}/api-keys`, keyData)
|
||||||
|
return response.data
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to create API key:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🔄 重新生成API Key
|
||||||
|
async regenerateApiKey(keyId) {
|
||||||
|
try {
|
||||||
|
const response = await axios.post(`${API_BASE}/api-keys/${keyId}/regenerate`)
|
||||||
|
return response.data
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to regenerate API key:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🗑️ 删除API Key
|
||||||
|
async deleteApiKey(keyId) {
|
||||||
|
try {
|
||||||
|
const response = await axios.delete(`${API_BASE}/api-keys/${keyId}`)
|
||||||
|
return response.data
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to delete API key:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 📊 获取使用统计
|
||||||
|
async getUserUsageStats(params = {}) {
|
||||||
|
try {
|
||||||
|
const response = await axios.get(`${API_BASE}/usage-stats`, { params })
|
||||||
|
return response.data.success ? response.data.stats : null
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to fetch usage stats:', error)
|
||||||
|
throw error
|
||||||
|
}
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🧹 清除认证信息
|
||||||
|
clearAuth() {
|
||||||
|
this.user = null
|
||||||
|
this.sessionToken = null
|
||||||
|
this.isAuthenticated = false
|
||||||
|
|
||||||
|
localStorage.removeItem('userToken')
|
||||||
|
localStorage.removeItem('userData')
|
||||||
|
|
||||||
|
// 清除 axios 默认头部
|
||||||
|
delete axios.defaults.headers.common['x-user-token']
|
||||||
|
},
|
||||||
|
|
||||||
|
// 🔧 设置认证头部
|
||||||
|
setAuthHeader() {
|
||||||
|
if (this.sessionToken) {
|
||||||
|
axios.defaults.headers.common['x-user-token'] = this.sessionToken
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
})
|
||||||
266
web/admin-spa/src/views/UserDashboardView.vue
Normal file
266
web/admin-spa/src/views/UserDashboardView.vue
Normal file
@@ -0,0 +1,266 @@
|
|||||||
|
<template>
|
||||||
|
<div class="min-h-screen bg-gray-50">
|
||||||
|
<!-- 导航栏 -->
|
||||||
|
<nav class="bg-white shadow">
|
||||||
|
<div class="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8">
|
||||||
|
<div class="flex justify-between h-16">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0 flex items-center">
|
||||||
|
<svg class="h-8 w-8 text-blue-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2"
|
||||||
|
d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z" />
|
||||||
|
</svg>
|
||||||
|
<span class="ml-2 text-xl font-bold text-gray-900">Claude Relay</span>
|
||||||
|
</div>
|
||||||
|
<div class="ml-10">
|
||||||
|
<div class="flex items-baseline space-x-4">
|
||||||
|
<button
|
||||||
|
:class="[
|
||||||
|
'px-3 py-2 rounded-md text-sm font-medium',
|
||||||
|
activeTab === 'overview'
|
||||||
|
? 'bg-blue-100 text-blue-700'
|
||||||
|
: 'text-gray-500 hover:text-gray-700'
|
||||||
|
]"
|
||||||
|
@click="activeTab = 'overview'"
|
||||||
|
>
|
||||||
|
Overview
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
:class="[
|
||||||
|
'px-3 py-2 rounded-md text-sm font-medium',
|
||||||
|
activeTab === 'api-keys'
|
||||||
|
? 'bg-blue-100 text-blue-700'
|
||||||
|
: 'text-gray-500 hover:text-gray-700'
|
||||||
|
]"
|
||||||
|
@click="activeTab = 'api-keys'"
|
||||||
|
>
|
||||||
|
API Keys
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
:class="[
|
||||||
|
'px-3 py-2 rounded-md text-sm font-medium',
|
||||||
|
activeTab === 'usage'
|
||||||
|
? 'bg-blue-100 text-blue-700'
|
||||||
|
: 'text-gray-500 hover:text-gray-700'
|
||||||
|
]"
|
||||||
|
@click="activeTab = 'usage'"
|
||||||
|
>
|
||||||
|
Usage Stats
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="flex items-center space-x-4">
|
||||||
|
<div class="text-sm text-gray-700">
|
||||||
|
Welcome, <span class="font-medium">{{ userStore.userName }}</span>
|
||||||
|
</div>
|
||||||
|
<button
|
||||||
|
@click="handleLogout"
|
||||||
|
class="text-gray-500 hover:text-gray-700 px-3 py-2 rounded-md text-sm font-medium"
|
||||||
|
>
|
||||||
|
Logout
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</nav>
|
||||||
|
|
||||||
|
<!-- 主内容 -->
|
||||||
|
<main class="max-w-7xl mx-auto py-6 px-4 sm:px-6 lg:px-8">
|
||||||
|
<!-- Overview Tab -->
|
||||||
|
<div v-if="activeTab === 'overview'" class="space-y-6">
|
||||||
|
<div>
|
||||||
|
<h1 class="text-2xl font-semibold text-gray-900">Dashboard Overview</h1>
|
||||||
|
<p class="mt-2 text-sm text-gray-600">Welcome to your Claude Relay dashboard</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Stats Cards -->
|
||||||
|
<div class="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-6">
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M15 7a2 2 0 012 2m0 0a2 2 0 012 2m-2-2h-6m6 0v6a2 2 0 01-2 2H9a2 2 0 01-2-2V9a2 2 0 012-2h6z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">API Keys</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ userProfile?.apiKeyCount || 0 }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M13 10V3L4 14h7v7l9-11h-7z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total Requests</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ formatNumber(userProfile?.totalUsage?.requests || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Input Tokens</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ formatNumber(userProfile?.totalUsage?.inputTokens || 0) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 8c-1.657 0-3 .895-3 2s1.343 2 3 2 3 .895 3 2-1.343 2-3 2m0-8c1.11 0 2.08.402 2.599 1M12 8V7m0 1v8m0 0v1m0-1c-1.11 0-2.08-.402-2.599-1" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total Cost</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">${{ (userProfile?.totalUsage?.totalCost || 0).toFixed(4) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- User Info -->
|
||||||
|
<div class="bg-white shadow rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:p-6">
|
||||||
|
<h3 class="text-lg leading-6 font-medium text-gray-900">Account Information</h3>
|
||||||
|
<div class="mt-5 border-t border-gray-200">
|
||||||
|
<dl class="divide-y divide-gray-200">
|
||||||
|
<div class="py-4 sm:py-5 sm:grid sm:grid-cols-3 sm:gap-4">
|
||||||
|
<dt class="text-sm font-medium text-gray-500">Username</dt>
|
||||||
|
<dd class="mt-1 text-sm text-gray-900 sm:mt-0 sm:col-span-2">{{ userProfile?.username }}</dd>
|
||||||
|
</div>
|
||||||
|
<div class="py-4 sm:py-5 sm:grid sm:grid-cols-3 sm:gap-4">
|
||||||
|
<dt class="text-sm font-medium text-gray-500">Display Name</dt>
|
||||||
|
<dd class="mt-1 text-sm text-gray-900 sm:mt-0 sm:col-span-2">{{ userProfile?.displayName || 'N/A' }}</dd>
|
||||||
|
</div>
|
||||||
|
<div class="py-4 sm:py-5 sm:grid sm:grid-cols-3 sm:gap-4">
|
||||||
|
<dt class="text-sm font-medium text-gray-500">Email</dt>
|
||||||
|
<dd class="mt-1 text-sm text-gray-900 sm:mt-0 sm:col-span-2">{{ userProfile?.email || 'N/A' }}</dd>
|
||||||
|
</div>
|
||||||
|
<div class="py-4 sm:py-5 sm:grid sm:grid-cols-3 sm:gap-4">
|
||||||
|
<dt class="text-sm font-medium text-gray-500">Role</dt>
|
||||||
|
<dd class="mt-1 text-sm text-gray-900 sm:mt-0 sm:col-span-2">
|
||||||
|
<span class="inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium bg-blue-100 text-blue-800">
|
||||||
|
{{ userProfile?.role || 'user' }}
|
||||||
|
</span>
|
||||||
|
</dd>
|
||||||
|
</div>
|
||||||
|
<div class="py-4 sm:py-5 sm:grid sm:grid-cols-3 sm:gap-4">
|
||||||
|
<dt class="text-sm font-medium text-gray-500">Member Since</dt>
|
||||||
|
<dd class="mt-1 text-sm text-gray-900 sm:mt-0 sm:col-span-2">{{ formatDate(userProfile?.createdAt) }}</dd>
|
||||||
|
</div>
|
||||||
|
<div class="py-4 sm:py-5 sm:grid sm:grid-cols-3 sm:gap-4">
|
||||||
|
<dt class="text-sm font-medium text-gray-500">Last Login</dt>
|
||||||
|
<dd class="mt-1 text-sm text-gray-900 sm:mt-0 sm:col-span-2">{{ formatDate(userProfile?.lastLoginAt) || 'N/A' }}</dd>
|
||||||
|
</div>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- API Keys Tab -->
|
||||||
|
<div v-else-if="activeTab === 'api-keys'">
|
||||||
|
<UserApiKeysManager />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Usage Stats Tab -->
|
||||||
|
<div v-else-if="activeTab === 'usage'">
|
||||||
|
<UserUsageStats />
|
||||||
|
</div>
|
||||||
|
</main>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, onMounted } from 'vue'
|
||||||
|
import { useRouter } from 'vue-router'
|
||||||
|
import { useUserStore } from '@/stores/user'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
import UserApiKeysManager from '@/components/user/UserApiKeysManager.vue'
|
||||||
|
import UserUsageStats from '@/components/user/UserUsageStats.vue'
|
||||||
|
|
||||||
|
const router = useRouter()
|
||||||
|
const userStore = useUserStore()
|
||||||
|
|
||||||
|
const activeTab = ref('overview')
|
||||||
|
const userProfile = ref(null)
|
||||||
|
|
||||||
|
const formatNumber = (num) => {
|
||||||
|
if (num >= 1000000) {
|
||||||
|
return (num / 1000000).toFixed(1) + 'M'
|
||||||
|
} else if (num >= 1000) {
|
||||||
|
return (num / 1000).toFixed(1) + 'K'
|
||||||
|
}
|
||||||
|
return num.toString()
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatDate = (dateString) => {
|
||||||
|
if (!dateString) return null
|
||||||
|
return new Date(dateString).toLocaleDateString('en-US', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric',
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleLogout = async () => {
|
||||||
|
try {
|
||||||
|
await userStore.logout()
|
||||||
|
showToast('Logged out successfully', 'success')
|
||||||
|
router.push('/user-login')
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Logout error:', error)
|
||||||
|
showToast('Logout failed', 'error')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const loadUserProfile = async () => {
|
||||||
|
try {
|
||||||
|
userProfile.value = await userStore.getUserProfile()
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to load user profile:', error)
|
||||||
|
showToast('Failed to load user profile', 'error')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
loadUserProfile()
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
146
web/admin-spa/src/views/UserLoginView.vue
Normal file
146
web/admin-spa/src/views/UserLoginView.vue
Normal file
@@ -0,0 +1,146 @@
|
|||||||
|
<template>
|
||||||
|
<div class="min-h-screen bg-gray-50 flex items-center justify-center py-12 px-4 sm:px-6 lg:px-8">
|
||||||
|
<div class="max-w-md w-full space-y-8">
|
||||||
|
<div>
|
||||||
|
<div class="mx-auto h-12 w-auto flex items-center justify-center">
|
||||||
|
<svg class="h-8 w-8 text-blue-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2"
|
||||||
|
d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z" />
|
||||||
|
</svg>
|
||||||
|
<span class="ml-2 text-xl font-bold text-gray-900">Claude Relay</span>
|
||||||
|
</div>
|
||||||
|
<h2 class="mt-6 text-center text-3xl font-extrabold text-gray-900">
|
||||||
|
User Sign In
|
||||||
|
</h2>
|
||||||
|
<p class="mt-2 text-center text-sm text-gray-600">
|
||||||
|
Sign in to your account to manage your API keys
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white rounded-lg shadow px-6 py-8">
|
||||||
|
<form class="space-y-6" @submit.prevent="handleLogin">
|
||||||
|
<div>
|
||||||
|
<label for="username" class="block text-sm font-medium text-gray-700">
|
||||||
|
Username
|
||||||
|
</label>
|
||||||
|
<div class="mt-1">
|
||||||
|
<input
|
||||||
|
id="username"
|
||||||
|
name="username"
|
||||||
|
type="text"
|
||||||
|
required
|
||||||
|
v-model="form.username"
|
||||||
|
:disabled="loading"
|
||||||
|
class="appearance-none relative block w-full px-3 py-2 border border-gray-300 rounded-md placeholder-gray-500 text-gray-900 focus:outline-none focus:ring-blue-500 focus:border-blue-500 focus:z-10 sm:text-sm"
|
||||||
|
placeholder="Enter your username"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<label for="password" class="block text-sm font-medium text-gray-700">
|
||||||
|
Password
|
||||||
|
</label>
|
||||||
|
<div class="mt-1">
|
||||||
|
<input
|
||||||
|
id="password"
|
||||||
|
name="password"
|
||||||
|
type="password"
|
||||||
|
required
|
||||||
|
v-model="form.password"
|
||||||
|
:disabled="loading"
|
||||||
|
class="appearance-none relative block w-full px-3 py-2 border border-gray-300 rounded-md placeholder-gray-500 text-gray-900 focus:outline-none focus:ring-blue-500 focus:border-blue-500 focus:z-10 sm:text-sm"
|
||||||
|
placeholder="Enter your password"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="error" class="bg-red-50 border border-red-200 rounded-md p-4">
|
||||||
|
<div class="flex">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-5 w-5 text-red-400" viewBox="0 0 20 20" fill="currentColor">
|
||||||
|
<path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z" clip-rule="evenodd" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-3">
|
||||||
|
<p class="text-sm text-red-700">{{ error }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<button
|
||||||
|
type="submit"
|
||||||
|
:disabled="loading || !form.username || !form.password"
|
||||||
|
class="group relative w-full flex justify-center py-2 px-4 border border-transparent text-sm font-medium rounded-md text-white bg-blue-600 hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50 disabled:cursor-not-allowed"
|
||||||
|
>
|
||||||
|
<span v-if="loading" class="absolute left-0 inset-y-0 flex items-center pl-3">
|
||||||
|
<svg class="animate-spin h-5 w-5 text-white" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
</span>
|
||||||
|
{{ loading ? 'Signing In...' : 'Sign In' }}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="text-center">
|
||||||
|
<router-link
|
||||||
|
to="/admin-login"
|
||||||
|
class="text-sm text-blue-600 hover:text-blue-500"
|
||||||
|
>
|
||||||
|
Admin Login
|
||||||
|
</router-link>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, reactive } from 'vue'
|
||||||
|
import { useRouter } from 'vue-router'
|
||||||
|
import { useUserStore } from '@/stores/user'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
|
||||||
|
const router = useRouter()
|
||||||
|
const userStore = useUserStore()
|
||||||
|
|
||||||
|
const loading = ref(false)
|
||||||
|
const error = ref('')
|
||||||
|
|
||||||
|
const form = reactive({
|
||||||
|
username: '',
|
||||||
|
password: ''
|
||||||
|
})
|
||||||
|
|
||||||
|
const handleLogin = async () => {
|
||||||
|
if (!form.username || !form.password) {
|
||||||
|
error.value = 'Please enter both username and password'
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
loading.value = true
|
||||||
|
error.value = ''
|
||||||
|
|
||||||
|
try {
|
||||||
|
await userStore.login({
|
||||||
|
username: form.username,
|
||||||
|
password: form.password
|
||||||
|
})
|
||||||
|
|
||||||
|
showToast('Login successful!', 'success')
|
||||||
|
router.push('/user-dashboard')
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Login error:', err)
|
||||||
|
error.value = err.response?.data?.message || err.message || 'Login failed'
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
511
web/admin-spa/src/views/UserManagementView.vue
Normal file
511
web/admin-spa/src/views/UserManagementView.vue
Normal file
@@ -0,0 +1,511 @@
|
|||||||
|
<template>
|
||||||
|
<div class="space-y-6">
|
||||||
|
<!-- Header -->
|
||||||
|
<div class="sm:flex sm:items-center">
|
||||||
|
<div class="sm:flex-auto">
|
||||||
|
<h1 class="text-2xl font-semibold text-gray-900">User Management</h1>
|
||||||
|
<p class="mt-2 text-sm text-gray-700">
|
||||||
|
Manage users, their API keys, and view usage statistics
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div class="mt-4 sm:mt-0 sm:ml-16 sm:flex-none">
|
||||||
|
<button
|
||||||
|
@click="loadUsers"
|
||||||
|
:disabled="loading"
|
||||||
|
class="inline-flex items-center justify-center rounded-md border border-transparent bg-blue-600 px-4 py-2 text-sm font-medium text-white shadow-sm hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-blue-500 focus:ring-offset-2 disabled:opacity-50 sm:w-auto"
|
||||||
|
>
|
||||||
|
<svg class="-ml-1 mr-2 h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M4 4v5h.582m15.356 2A8.001 8.001 0 004.582 9m0 0H9m11 11v-5h-.581m0 0a8.003 8.003 0 01-15.357-2m15.357 2H15" />
|
||||||
|
</svg>
|
||||||
|
Refresh
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Stats Cards -->
|
||||||
|
<div class="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-6">
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-blue-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 4.354a4 4 0 110 5.292M15 21H3v-1a6 6 0 0112 0v1zm0 0h6v-1a6 6 0 00-9-5.197m13.5-9a2.5 2.5 0 11-5 0 2.5 2.5 0 015 0z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total Users</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ userStats?.totalUsers || 0 }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-green-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Active Users</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ userStats?.activeUsers || 0 }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-purple-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M15 7a2 2 0 012 2m0 0a2 2 0 012 2m-2-2h-6m6 0v6a2 2 0 01-2 2H9a2 2 0 01-2-2V9a2 2 0 012-2h6z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total API Keys</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">{{ userStats?.totalApiKeys || 0 }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white overflow-hidden shadow rounded-lg">
|
||||||
|
<div class="p-5">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<svg class="h-6 w-6 text-yellow-500" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 8c-1.657 0-3 .895-3 2s1.343 2 3 2 3 .895 3 2-1.343 2-3 2m0-8c1.11 0 2.08.402 2.599 1M12 8V7m0 1v8m0 0v1m0-1c-1.11 0-2.08-.402-2.599-1" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-5 w-0 flex-1">
|
||||||
|
<dl>
|
||||||
|
<dt class="text-sm font-medium text-gray-500 truncate">Total Cost</dt>
|
||||||
|
<dd class="text-lg font-medium text-gray-900">${{ (userStats?.totalUsage?.totalCost || 0).toFixed(4) }}</dd>
|
||||||
|
</dl>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Search and Filters -->
|
||||||
|
<div class="bg-white shadow rounded-lg">
|
||||||
|
<div class="px-4 py-5 sm:p-6">
|
||||||
|
<div class="sm:flex sm:items-center sm:justify-between">
|
||||||
|
<div class="sm:flex sm:items-center space-y-4 sm:space-y-0 sm:space-x-4">
|
||||||
|
<!-- Search -->
|
||||||
|
<div class="flex-1 min-w-0">
|
||||||
|
<div class="relative rounded-md shadow-sm">
|
||||||
|
<div class="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none">
|
||||||
|
<svg class="h-5 w-5 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<input
|
||||||
|
v-model="searchQuery"
|
||||||
|
@input="debouncedSearch"
|
||||||
|
type="search"
|
||||||
|
class="focus:ring-blue-500 focus:border-blue-500 block w-full pl-10 sm:text-sm border-gray-300 rounded-md"
|
||||||
|
placeholder="Search users..."
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Role Filter -->
|
||||||
|
<div>
|
||||||
|
<select
|
||||||
|
v-model="selectedRole"
|
||||||
|
@change="loadUsers"
|
||||||
|
class="block w-full rounded-md border-gray-300 shadow-sm focus:border-blue-500 focus:ring-blue-500 sm:text-sm"
|
||||||
|
>
|
||||||
|
<option value="">All Roles</option>
|
||||||
|
<option value="user">User</option>
|
||||||
|
<option value="admin">Admin</option>
|
||||||
|
</select>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Status Filter -->
|
||||||
|
<div>
|
||||||
|
<select
|
||||||
|
v-model="selectedStatus"
|
||||||
|
@change="loadUsers"
|
||||||
|
class="block w-full rounded-md border-gray-300 shadow-sm focus:border-blue-500 focus:ring-blue-500 sm:text-sm"
|
||||||
|
>
|
||||||
|
<option value="">All Status</option>
|
||||||
|
<option value="true">Active</option>
|
||||||
|
<option value="false">Disabled</option>
|
||||||
|
</select>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Users Table -->
|
||||||
|
<div class="bg-white shadow overflow-hidden sm:rounded-md">
|
||||||
|
<div class="px-4 py-5 sm:px-6 border-b border-gray-200">
|
||||||
|
<h3 class="text-lg leading-6 font-medium text-gray-900">
|
||||||
|
Users
|
||||||
|
<span v-if="!loading" class="text-sm text-gray-500">({{ filteredUsers.length }} of {{ users.length }})</span>
|
||||||
|
</h3>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Loading State -->
|
||||||
|
<div v-if="loading" class="text-center py-12">
|
||||||
|
<svg class="animate-spin h-8 w-8 text-blue-600 mx-auto" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
|
||||||
|
<circle class="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" stroke-width="4"></circle>
|
||||||
|
<path class="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
|
||||||
|
</svg>
|
||||||
|
<p class="mt-2 text-sm text-gray-500">Loading users...</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Users List -->
|
||||||
|
<ul v-else-if="filteredUsers.length > 0" role="list" class="divide-y divide-gray-200">
|
||||||
|
<li v-for="user in filteredUsers" :key="user.id" class="px-6 py-4">
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<div class="flex items-center min-w-0 flex-1">
|
||||||
|
<div class="flex-shrink-0">
|
||||||
|
<div class="h-10 w-10 rounded-full bg-gray-300 flex items-center justify-center">
|
||||||
|
<svg class="h-6 w-6 text-gray-600" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M16 7a4 4 0 11-8 0 4 4 0 018 0zM12 14a7 7 0 00-7 7h14a7 7 0 00-7-7z" />
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="ml-4 flex-1 min-w-0">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<p class="text-sm font-medium text-gray-900 truncate">
|
||||||
|
{{ user.displayName || user.username }}
|
||||||
|
</p>
|
||||||
|
<div class="ml-2 flex items-center space-x-2">
|
||||||
|
<span :class="[
|
||||||
|
'inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium',
|
||||||
|
user.isActive
|
||||||
|
? 'bg-green-100 text-green-800'
|
||||||
|
: 'bg-red-100 text-red-800'
|
||||||
|
]">
|
||||||
|
{{ user.isActive ? 'Active' : 'Disabled' }}
|
||||||
|
</span>
|
||||||
|
<span :class="[
|
||||||
|
'inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium',
|
||||||
|
user.role === 'admin'
|
||||||
|
? 'bg-purple-100 text-purple-800'
|
||||||
|
: 'bg-blue-100 text-blue-800'
|
||||||
|
]">
|
||||||
|
{{ user.role }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="mt-1 flex items-center space-x-4 text-sm text-gray-500">
|
||||||
|
<span>@{{ user.username }}</span>
|
||||||
|
<span v-if="user.email">{{ user.email }}</span>
|
||||||
|
<span>{{ user.apiKeyCount || 0 }} API keys</span>
|
||||||
|
<span v-if="user.lastLoginAt">Last login: {{ formatDate(user.lastLoginAt) }}</span>
|
||||||
|
<span v-else>Never logged in</span>
|
||||||
|
</div>
|
||||||
|
<div v-if="user.totalUsage" class="mt-1 flex items-center space-x-4 text-xs text-gray-400">
|
||||||
|
<span>{{ formatNumber(user.totalUsage.requests || 0) }} requests</span>
|
||||||
|
<span>${{ (user.totalUsage.totalCost || 0).toFixed(4) }} total cost</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="flex items-center space-x-2">
|
||||||
|
<!-- View Usage Stats -->
|
||||||
|
<button
|
||||||
|
@click="viewUserStats(user)"
|
||||||
|
class="inline-flex items-center p-1 border border-transparent rounded text-gray-400 hover:text-blue-600"
|
||||||
|
title="View Usage Stats"
|
||||||
|
>
|
||||||
|
<svg class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<!-- Disable User API Keys -->
|
||||||
|
<button
|
||||||
|
@click="disableUserApiKeys(user)"
|
||||||
|
:disabled="user.apiKeyCount === 0"
|
||||||
|
class="inline-flex items-center p-1 border border-transparent rounded text-gray-400 hover:text-red-600 disabled:opacity-50 disabled:cursor-not-allowed"
|
||||||
|
title="Disable All API Keys"
|
||||||
|
>
|
||||||
|
<svg class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728L5.636 5.636m12.728 12.728L18 12M6 6l12 12" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<!-- Toggle User Status -->
|
||||||
|
<button
|
||||||
|
@click="toggleUserStatus(user)"
|
||||||
|
:class="[
|
||||||
|
'inline-flex items-center p-1 border border-transparent rounded',
|
||||||
|
user.isActive
|
||||||
|
? 'text-gray-400 hover:text-red-600'
|
||||||
|
: 'text-gray-400 hover:text-green-600'
|
||||||
|
]"
|
||||||
|
:title="user.isActive ? 'Disable User' : 'Enable User'"
|
||||||
|
>
|
||||||
|
<svg v-if="user.isActive" class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728L5.636 5.636m12.728 12.728L18 12M6 6l12 12" />
|
||||||
|
</svg>
|
||||||
|
<svg v-else class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<!-- Change Role -->
|
||||||
|
<button
|
||||||
|
@click="changeUserRole(user)"
|
||||||
|
class="inline-flex items-center p-1 border border-transparent rounded text-gray-400 hover:text-purple-600"
|
||||||
|
title="Change Role"
|
||||||
|
>
|
||||||
|
<svg class="h-4 w-4" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 6V4m0 2a2 2 0 100 4m0-4a2 2 0 110 4m-6 8a2 2 0 100-4m0 4a2 2 0 100 4m0-4v2m0-6V4m6 6v10m6-2a2 2 0 100-4m0 4a2 2 0 100 4m0-4v2m0-6V4" />
|
||||||
|
</svg>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</li>
|
||||||
|
</ul>
|
||||||
|
|
||||||
|
<!-- Empty State -->
|
||||||
|
<div v-else class="text-center py-12">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 4.354a4 4 0 110 5.292M15 21H3v-1a6 6 0 0112 0v1zm0 0h6v-1a6 6 0 00-9-5.197m13.5-9a2.5 2.5 0 11-5 0 2.5 2.5 0 015 0z" />
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">No users found</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">
|
||||||
|
{{ searchQuery ? 'No users match your search criteria.' : 'No users have been created yet.' }}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- User Usage Stats Modal -->
|
||||||
|
<UserUsageStatsModal
|
||||||
|
:show="showStatsModal"
|
||||||
|
:user="selectedUser"
|
||||||
|
@close="showStatsModal = false"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<!-- Confirm Modals -->
|
||||||
|
<ConfirmModal
|
||||||
|
:show="showConfirmModal"
|
||||||
|
:title="confirmAction.title"
|
||||||
|
:message="confirmAction.message"
|
||||||
|
:confirmText="confirmAction.confirmText"
|
||||||
|
:confirmClass="confirmAction.confirmClass"
|
||||||
|
@confirm="handleConfirmAction"
|
||||||
|
@cancel="showConfirmModal = false"
|
||||||
|
/>
|
||||||
|
|
||||||
|
<!-- Change Role Modal -->
|
||||||
|
<ChangeRoleModal
|
||||||
|
:show="showRoleModal"
|
||||||
|
:user="selectedUser"
|
||||||
|
@close="showRoleModal = false"
|
||||||
|
@updated="handleUserUpdated"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup>
|
||||||
|
import { ref, computed, onMounted } from 'vue'
|
||||||
|
import axios from 'axios'
|
||||||
|
import { showToast } from '@/utils/toast'
|
||||||
|
import { debounce } from 'lodash-es'
|
||||||
|
import UserUsageStatsModal from '@/components/admin/UserUsageStatsModal.vue'
|
||||||
|
import ChangeRoleModal from '@/components/admin/ChangeRoleModal.vue'
|
||||||
|
import ConfirmModal from '@/components/common/ConfirmModal.vue'
|
||||||
|
|
||||||
|
const loading = ref(true)
|
||||||
|
const users = ref([])
|
||||||
|
const userStats = ref(null)
|
||||||
|
const searchQuery = ref('')
|
||||||
|
const selectedRole = ref('')
|
||||||
|
const selectedStatus = ref('')
|
||||||
|
|
||||||
|
const showStatsModal = ref(false)
|
||||||
|
const showConfirmModal = ref(false)
|
||||||
|
const showRoleModal = ref(false)
|
||||||
|
const selectedUser = ref(null)
|
||||||
|
|
||||||
|
const confirmAction = ref({
|
||||||
|
title: '',
|
||||||
|
message: '',
|
||||||
|
confirmText: '',
|
||||||
|
confirmClass: '',
|
||||||
|
action: null
|
||||||
|
})
|
||||||
|
|
||||||
|
const filteredUsers = computed(() => {
|
||||||
|
let filtered = users.value
|
||||||
|
|
||||||
|
// Apply search filter
|
||||||
|
if (searchQuery.value) {
|
||||||
|
const query = searchQuery.value.toLowerCase()
|
||||||
|
filtered = filtered.filter(user =>
|
||||||
|
user.username.toLowerCase().includes(query) ||
|
||||||
|
user.displayName?.toLowerCase().includes(query) ||
|
||||||
|
user.email?.toLowerCase().includes(query)
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Apply role filter
|
||||||
|
if (selectedRole.value) {
|
||||||
|
filtered = filtered.filter(user => user.role === selectedRole.value)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Apply status filter
|
||||||
|
if (selectedStatus.value !== '') {
|
||||||
|
const isActive = selectedStatus.value === 'true'
|
||||||
|
filtered = filtered.filter(user => user.isActive === isActive)
|
||||||
|
}
|
||||||
|
|
||||||
|
return filtered
|
||||||
|
})
|
||||||
|
|
||||||
|
const formatNumber = (num) => {
|
||||||
|
if (num >= 1000000) {
|
||||||
|
return (num / 1000000).toFixed(1) + 'M'
|
||||||
|
} else if (num >= 1000) {
|
||||||
|
return (num / 1000).toFixed(1) + 'K'
|
||||||
|
}
|
||||||
|
return num.toString()
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatDate = (dateString) => {
|
||||||
|
if (!dateString) return null
|
||||||
|
return new Date(dateString).toLocaleDateString('en-US', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric',
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
const loadUsers = async () => {
|
||||||
|
loading.value = true
|
||||||
|
try {
|
||||||
|
const [usersResponse, statsResponse] = await Promise.all([
|
||||||
|
axios.get('/users', {
|
||||||
|
params: {
|
||||||
|
role: selectedRole.value || undefined,
|
||||||
|
isActive: selectedStatus.value !== '' ? selectedStatus.value : undefined
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
axios.get('/users/stats/overview')
|
||||||
|
])
|
||||||
|
|
||||||
|
if (usersResponse.data.success) {
|
||||||
|
users.value = usersResponse.data.users
|
||||||
|
}
|
||||||
|
|
||||||
|
if (statsResponse.data.success) {
|
||||||
|
userStats.value = statsResponse.data.stats
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Failed to load users:', error)
|
||||||
|
showToast('Failed to load users', 'error')
|
||||||
|
} finally {
|
||||||
|
loading.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const debouncedSearch = debounce(() => {
|
||||||
|
// Search is handled by computed property
|
||||||
|
}, 300)
|
||||||
|
|
||||||
|
const viewUserStats = (user) => {
|
||||||
|
selectedUser.value = user
|
||||||
|
showStatsModal.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
const toggleUserStatus = (user) => {
|
||||||
|
selectedUser.value = user
|
||||||
|
confirmAction.value = {
|
||||||
|
title: user.isActive ? 'Disable User' : 'Enable User',
|
||||||
|
message: user.isActive
|
||||||
|
? `Are you sure you want to disable user "${user.username}"? This will prevent them from logging in.`
|
||||||
|
: `Are you sure you want to enable user "${user.username}"?`,
|
||||||
|
confirmText: user.isActive ? 'Disable' : 'Enable',
|
||||||
|
confirmClass: user.isActive ? 'bg-red-600 hover:bg-red-700' : 'bg-green-600 hover:bg-green-700',
|
||||||
|
action: 'toggleStatus'
|
||||||
|
}
|
||||||
|
showConfirmModal.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
const disableUserApiKeys = (user) => {
|
||||||
|
if (user.apiKeyCount === 0) return
|
||||||
|
|
||||||
|
selectedUser.value = user
|
||||||
|
confirmAction.value = {
|
||||||
|
title: 'Disable All API Keys',
|
||||||
|
message: `Are you sure you want to disable all ${user.apiKeyCount} API keys for user "${user.username}"? This will prevent them from using the service.`,
|
||||||
|
confirmText: 'Disable Keys',
|
||||||
|
confirmClass: 'bg-red-600 hover:bg-red-700',
|
||||||
|
action: 'disableKeys'
|
||||||
|
}
|
||||||
|
showConfirmModal.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
const changeUserRole = (user) => {
|
||||||
|
selectedUser.value = user
|
||||||
|
showRoleModal.value = true
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleConfirmAction = async () => {
|
||||||
|
const user = selectedUser.value
|
||||||
|
const action = confirmAction.value.action
|
||||||
|
|
||||||
|
try {
|
||||||
|
if (action === 'toggleStatus') {
|
||||||
|
const response = await axios.patch(`/users/${user.id}/status`, {
|
||||||
|
isActive: !user.isActive
|
||||||
|
})
|
||||||
|
|
||||||
|
if (response.data.success) {
|
||||||
|
const userIndex = users.value.findIndex(u => u.id === user.id)
|
||||||
|
if (userIndex !== -1) {
|
||||||
|
users.value[userIndex].isActive = !user.isActive
|
||||||
|
}
|
||||||
|
showToast(`User ${user.isActive ? 'disabled' : 'enabled'} successfully`, 'success')
|
||||||
|
}
|
||||||
|
} else if (action === 'disableKeys') {
|
||||||
|
const response = await axios.post(`/users/${user.id}/disable-keys`)
|
||||||
|
|
||||||
|
if (response.data.success) {
|
||||||
|
showToast(`Disabled ${response.data.disabledCount} API keys`, 'success')
|
||||||
|
await loadUsers() // Refresh to get updated counts
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error(`Failed to ${action}:`, error)
|
||||||
|
showToast(`Failed to ${action}`, 'error')
|
||||||
|
} finally {
|
||||||
|
showConfirmModal.value = false
|
||||||
|
selectedUser.value = null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleUserUpdated = () => {
|
||||||
|
showRoleModal.value = false
|
||||||
|
selectedUser.value = null
|
||||||
|
loadUsers()
|
||||||
|
}
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
loadUsers()
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
/* 组件特定样式 */
|
||||||
|
</style>
|
||||||
Reference in New Issue
Block a user