File size: 15,262 Bytes
4fdfbb7 3c0a2c4 098232e 3c0a2c4 098232e 3c0a2c4 329cee1 575ed5e 098232e 3c0a2c4 35cd777 3c0a2c4 35cd777 3c0a2c4 35cd777 3c0a2c4 4fdfbb7 3c0a2c4 098232e df3232e 3c0a2c4 3a461ba df3232e 098232e 3a461ba 098232e 35cd777 3c0a2c4 098232e 3c0a2c4 3a461ba 3c0a2c4 3a461ba accf952 3a461ba 098232e 3a461ba 3c0a2c4 35cd777 3a461ba df3232e 098232e 3c0a2c4 098232e 3a461ba 098232e 9c30f7b 098232e 78862b8 9129169 78862b8 58c9684 098232e 3a461ba 098232e ddd6667 098232e 3a461ba 098232e accf952 df3232e 575ed5e 58c9684 0ca70be 098232e 58c9684 575ed5e 098232e df3232e 58c9684 575ed5e 58c9684 df3232e 58c9684 9129169 58c9684 098232e 58c9684 0828051 58c9684 0828051 58c9684 575ed5e 58c9684 9129169 098232e df3232e 36a095b 329cee1 accf952 df3232e 3a461ba 098232e 3a461ba 098232e 3a461ba accf952 3a461ba 098232e 3a461ba 098232e accf952 3a461ba accf952 3c0a2c4 4fdfbb7 3a461ba 4fdfbb7 35cd777 3c0a2c4 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 | from fastapi import FastAPI, HTTPException, Request, Response
from fastapi.middleware.cors import CORSMiddleware
from fastapi.responses import StreamingResponse, FileResponse
from fastapi.staticfiles import StaticFiles
import httpx
import os
import json
from typing import List, Optional, Dict
import requests
from itertools import cycle
import asyncio
import time
from datetime import datetime, timedelta
# 创建FastAPI应用
app = FastAPI()
# CORS设置
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
# 配置
class Config:
OPENAI_API_BASE = "https://api.x.ai/v1"
KEYS_URL = os.getenv("KEYS_URL", "")
WHITELIST_IPS = os.getenv("WHITELIST_IPS", "").split(",")
ADMIN_PASSWORD = os.getenv("ADMIN_PASSWORD", "admin")
# 密钥状态类
class KeyStatus:
def __init__(self, key: str):
self.key = key
self.status = "valid" # valid, invalid, cooling
self.cooling_until = None
self.last_check = None
# 全局变量
keys = []
key_cycle = None
first_key = None
key_status_map: Dict[str, KeyStatus] = {}
# 静态文件挂载
app.mount("/static", StaticFiles(directory="static"), name="static")
# 管理页面路由
@app.get("/admin")
async def admin():
return FileResponse("static/admin.html")
# 获取真实IP地址
def get_client_ip(request: Request) -> str:
# 尝试从各种头部获取IP
forwarded_for = request.headers.get("x-forwarded-for")
if forwarded_for:
return forwarded_for.split(",")[0].strip()
real_ip = request.headers.get("x-real-ip")
if real_ip:
return real_ip
return request.client.host
# IP白名单中间件
@app.middleware("http")
async def ip_whitelist(request: Request, call_next):
# 只对API接口启用白名单,排除管理后台
if "/api/" in request.url.path and "/api/admin/" not in request.url.path and "/api/keys" not in request.url.path:
if Config.WHITELIST_IPS and Config.WHITELIST_IPS[0]:
client_ip = get_client_ip(request)
if client_ip not in Config.WHITELIST_IPS:
raise HTTPException(status_code=403, detail="IP not allowed")
return await call_next(request)
# 初始化keys
def init_keys():
global keys, key_cycle, first_key, key_status_map
try:
if Config.KEYS_URL:
response = requests.get(Config.KEYS_URL)
keys = [k.strip() for k in response.text.splitlines() if k.strip()]
else:
with open("key.txt", "r") as f:
keys = [k.strip() for k in f.readlines() if k.strip()]
if keys:
first_key = keys[0]
key_cycle = cycle(keys)
# 初始化所有key的状态
key_status_map = {key: KeyStatus(key) for key in keys}
print(f"Loaded {len(keys)} API keys")
except Exception as e:
print(f"Error loading keys: {e}")
keys = []
key_cycle = None
first_key = None
key_status_map = {}
# 获取有效的key
def get_valid_key():
global key_cycle
if not key_cycle:
raise HTTPException(status_code=500, detail="No API keys available")
# 尝试最多len(keys)次
for _ in range(len(keys)):
key = next(key_cycle)
key_info = key_status_map.get(key)
if not key_info:
key_info = KeyStatus(key)
key_status_map[key] = key_info
# 检查key是否可用
if key_info.status == "valid":
return key
elif key_info.status == "cooling":
if key_info.cooling_until and datetime.now() > key_info.cooling_until:
key_info.status = "valid"
key_info.cooling_until = None
return key
raise HTTPException(status_code=500, detail="No valid API keys available")
# 标记key为冷却状态
def mark_key_cooling(key: str):
if key in key_status_map:
key_status_map[key].status = "cooling"
key_status_map[key].cooling_until = datetime.now() + timedelta(days=30)
# 检查key状态
async def check_key_status(key: str) -> bool:
try:
async with httpx.AsyncClient() as client:
response = await client.get(
f"{Config.OPENAI_API_BASE}/models",
headers={"Authorization": f"Bearer {key}"}
)
is_valid = response.status_code == 200
key_info = key_status_map.get(key)
if key_info:
if not is_valid:
key_info.status = "cooling"
key_info.cooling_until = datetime.now() + timedelta(days=30)
else:
key_info.status = "valid"
key_info.cooling_until = None
key_info.last_check = datetime.now()
return is_valid
except Exception as e:
print(f"Error checking key {key}: {e}")
return False
# 流式响应生成器
async def stream_generator(response):
buffer = ""
try:
async for chunk in response.aiter_bytes():
chunk_str = chunk.decode('utf-8')
buffer += chunk_str
while '\n\n' in buffer:
event, buffer = buffer.split('\n\n', 1)
if event.startswith('data: '):
data = event[6:] # 移除 "data: " 前缀
if data.strip() == '[DONE]':
yield f"data: [DONE]\n\n"
else:
try:
json_data = json.loads(data)
yield f"data: {json.dumps(json_data)}\n\n"
except json.JSONDecodeError:
print(f"JSON decode error for data: {data}")
continue
except Exception as e:
print(f"Stream Error: {str(e)}")
yield f"data: {json.dumps({'error': str(e)})}\n\n"
# 验证管理员密码
def verify_admin(password: str):
if not password or password != Config.ADMIN_PASSWORD:
raise HTTPException(status_code=403, detail="Invalid admin password")
# 管理员登录
@app.post("/api/admin/login")
async def admin_login(request: Request):
data = await request.json()
password = data.get("password")
verify_admin(password)
return {"status": "success"}
# 获取所有密钥状态
@app.get("/api/keys")
async def list_keys(password: str):
verify_admin(password)
return {
"keys": [
{
"key": k,
"status": key_status_map[k].status if k in key_status_map else "valid",
"cooling_until": key_status_map[k].cooling_until.isoformat() if k in key_status_map and key_status_map[k].cooling_until else None,
"last_check": key_status_map[k].last_check.isoformat() if k in key_status_map and key_status_map[k].last_check else None
}
for k in keys
]
}
# 添加新密钥
@app.post("/api/keys/add")
async def add_key(request: Request):
data = await request.json()
verify_admin(data.get("password"))
new_key = data.get("key", "").strip()
if not new_key:
raise HTTPException(status_code=400, detail="Key is required")
if new_key in keys:
raise HTTPException(status_code=400, detail="Key already exists")
keys.append(new_key)
key_status_map[new_key] = KeyStatus(new_key)
# 重新初始化key_cycle
global key_cycle
key_cycle = cycle(keys)
# 保存到文件
if not Config.KEYS_URL:
with open("key.txt", "w") as f:
f.write("\n".join(keys))
return {"status": "success"}
# 删除密钥
@app.delete("/api/keys/{key}")
async def delete_key(key: str, password: str):
verify_admin(password)
if key in keys:
keys.remove(key)
if key in key_status_map:
del key_status_map[key]
# 重新初始化key_cycle
global key_cycle
key_cycle = cycle(keys)
# 保存到文件
if not Config.KEYS_URL:
with open("key.txt", "w") as f:
f.write("\n".join(keys))
return {"status": "success"}
# 批量删除密钥
@app.post("/api/keys/delete-batch")
async def delete_keys_batch(request: Request):
data = await request.json()
verify_admin(data.get("password"))
keys_to_delete = data.get("keys", [])
for key in keys_to_delete:
if key in keys:
keys.remove(key)
if key in key_status_map:
del key_status_map[key]
# 重新初始化key_cycle
global key_cycle
key_cycle = cycle(keys)
# 保存到文件
if not Config.KEYS_URL:
with open("key.txt", "w") as f:
f.write("\n".join(keys))
return {"status": "success"}
# 检查单个密钥
@app.get("/api/keys/check/{key}")
async def check_single_key(key: str, password: str):
verify_admin(password)
if key not in keys:
raise HTTPException(status_code=404, detail="Key not found")
is_valid = await check_key_status(key)
return {"status": "success", "valid": is_valid}
# 检查所有密钥
@app.post("/api/keys/check-all")
async def check_all_keys(password: str):
verify_admin(password)
for key in keys:
await check_key_status(key)
return {"status": "success"}
# 模型列表路由
@app.get("/api/v1/models")
async def list_models():
# 对于模型列表,使用第一个可用的key
try:
key = first_key
if key in key_status_map and key_status_map[key].status == "cooling":
key = get_valid_key() # 如果第一个key在冷却,则使用轮询获取
headers = {
"Authorization": f"Bearer {key}",
"Content-Type": "application/json"
}
async with httpx.AsyncClient() as client:
response = await client.get(
f"{Config.OPENAI_API_BASE}/models",
headers=headers
)
if response.status_code == 429: # 如果遇到限流
mark_key_cooling(key)
# 重试一次,使用轮询的key
key = get_valid_key()
headers["Authorization"] = f"Bearer {key}"
response = await client.get(
f"{Config.OPENAI_API_BASE}/models",
headers=headers
)
return response.json()
except Exception as e:
print(f"Models Error: {str(e)}")
raise HTTPException(status_code=500, detail=str(e))
# 聊天完成路由
@app.post("/api/v1/chat/completions")
async def chat_completions(request: Request):
try:
# 获取请求体
body = await request.body()
body_json = json.loads(body)
# 使用轮询获取key
key = get_valid_key()
# 获取headers
headers = {
"Authorization": f"Bearer {key}",
"Content-Type": "application/json",
"Accept": "text/event-stream" if body_json.get("stream") else "application/json"
}
# 构建目标URL
url = f"{Config.OPENAI_API_BASE}/chat/completions"
async with httpx.AsyncClient(timeout=60.0) as client:
response = await client.post(
url,
headers=headers,
json=body_json
)
# 如果遇到限流,标记key为冷却状态并重试
if response.status_code == 429:
mark_key_cooling(key)
# 重试一次
key = get_valid_key()
headers["Authorization"] = f"Bearer {key}"
response = await client.post(
url,
headers=headers,
json=body_json
)
# 检查响应状态
if response.status_code != 200:
return Response(
content=response.text,
status_code=response.status_code,
media_type=response.headers.get("content-type", "application/json")
)
# 处理流式响应
if body_json.get("stream"):
return StreamingResponse(
stream_generator(response),
media_type="text/event-stream",
headers={
"Cache-Control": "no-cache",
"Connection": "keep-alive",
"Content-Type": "text/event-stream"
}
)
# 处理普通响应
return Response(
content=response.text,
media_type=response.headers.get("content-type", "application/json")
)
except Exception as e:
print(f"Chat Error: {str(e)}")
raise HTTPException(status_code=500, detail=str(e))
# 代理其他请求
@app.api_route("/api/v1/{path:path}", methods=["GET", "POST", "PUT", "DELETE"])
async def proxy(path: str, request: Request):
if path == "chat/completions":
return await chat_completions(request)
try:
method = request.method
body = await request.body() if method in ["POST", "PUT"] else None
# 使用第一个可用的key
key = first_key
if key in key_status_map and key_status_map[key].status == "cooling":
key = get_valid_key()
headers = {
"Authorization": f"Bearer {key}",
"Content-Type": "application/json"
}
async with httpx.AsyncClient() as client:
response = await client.request(
method=method,
url=f"{Config.OPENAI_API_BASE}/{path}",
headers=headers,
content=body
)
if response.status_code == 429: # 如果遇到限流
mark_key_cooling(key)
# 重试一次,使用轮询的key
key = get_valid_key()
headers["Authorization"] = f"Bearer {key}"
response = await client.request(
method=method,
url=f"{Config.OPENAI_API_BASE}/{path}",
headers=headers,
content=body
)
return Response(
content=response.text,
status_code=response.status_code,
media_type=response.headers.get("content-type", "application/json")
)
except Exception as e:
print(f"Proxy Error: {str(e)}")
raise HTTPException(status_code=500, detail=str(e))
# 健康检查路由
@app.get("/api/health")
async def health_check():
return {"status": "healthy", "key_count": len(keys)}
# 启动时初始化
@app.on_event("startup")
async def startup_event():
init_keys() |