Spaces:
Paused
Paused
File size: 16,525 Bytes
1a9e2c2 | 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 | """存储抽象层 - 支持文件、MySQL和Redis存储"""
import os
import orjson
import toml
import asyncio
import warnings
import aiofiles
from pathlib import Path
from typing import Dict, Any, Optional, Literal
from abc import ABC, abstractmethod
from urllib.parse import urlparse, unquote
from app.core.logger import logger
StorageMode = Literal["file", "mysql", "redis"]
class BaseStorage(ABC):
"""存储基类"""
@abstractmethod
async def init_db(self) -> None:
"""初始化数据库"""
pass
@abstractmethod
async def load_tokens(self) -> Dict[str, Any]:
"""加载token数据"""
pass
@abstractmethod
async def save_tokens(self, data: Dict[str, Any]) -> None:
"""保存token数据"""
pass
@abstractmethod
async def load_config(self) -> Dict[str, Any]:
"""加载配置数据"""
pass
@abstractmethod
async def save_config(self, data: Dict[str, Any]) -> None:
"""保存配置数据"""
pass
class FileStorage(BaseStorage):
"""文件存储"""
def __init__(self, data_dir: Path):
self.data_dir = data_dir
self.token_file = data_dir / "token.json"
self.config_file = data_dir / "setting.toml"
self._token_lock = asyncio.Lock()
self._config_lock = asyncio.Lock()
async def init_db(self) -> None:
"""初始化文件存储"""
self.data_dir.mkdir(parents=True, exist_ok=True)
if not self.token_file.exists():
await self._write(self.token_file, orjson.dumps({"sso": {}, "ssoSuper": {}}, option=orjson.OPT_INDENT_2).decode())
logger.info("[Storage] 创建token文件")
if not self.config_file.exists():
default = {
"global": {"api_keys": [], "admin_username": "admin", "admin_password": "admin"},
"grok": {"proxy_url": "", "cf_clearance": "", "x_statsig_id": ""}
}
await self._write(self.config_file, toml.dumps(default))
logger.info("[Storage] 创建配置文件")
async def _read(self, path: Path) -> str:
"""读取文件"""
async with aiofiles.open(path, "r", encoding="utf-8") as f:
return await f.read()
async def _write(self, path: Path, content: str) -> None:
"""写入文件"""
async with aiofiles.open(path, "w", encoding="utf-8") as f:
await f.write(content)
async def _load_json(self, path: Path, default: Dict, lock: asyncio.Lock) -> Dict[str, Any]:
"""加载JSON"""
try:
async with lock:
if not path.exists():
return default
return orjson.loads(await self._read(path))
except Exception as e:
logger.error(f"[Storage] 加载{path.name}失败: {e}")
return default
async def _save_json(self, path: Path, data: Dict, lock: asyncio.Lock) -> None:
"""保存JSON"""
try:
async with lock:
await self._write(path, orjson.dumps(data, option=orjson.OPT_INDENT_2).decode())
except Exception as e:
logger.error(f"[Storage] 保存{path.name}失败: {e}")
raise
async def _load_toml(self, path: Path, default: Dict, lock: asyncio.Lock) -> Dict[str, Any]:
"""加载TOML"""
try:
async with lock:
if not path.exists():
return default
return toml.loads(await self._read(path))
except Exception as e:
logger.error(f"[Storage] 加载{path.name}失败: {e}")
return default
async def _save_toml(self, path: Path, data: Dict, lock: asyncio.Lock) -> None:
"""保存TOML"""
try:
async with lock:
await self._write(path, toml.dumps(data))
except Exception as e:
logger.error(f"[Storage] 保存{path.name}失败: {e}")
raise
async def load_tokens(self) -> Dict[str, Any]:
"""加载token"""
return await self._load_json(self.token_file, {"sso": {}, "ssoSuper": {}}, self._token_lock)
async def save_tokens(self, data: Dict[str, Any]) -> None:
"""保存token"""
await self._save_json(self.token_file, data, self._token_lock)
async def load_config(self) -> Dict[str, Any]:
"""加载配置"""
return await self._load_toml(self.config_file, {"global": {}, "grok": {}}, self._config_lock)
async def save_config(self, data: Dict[str, Any]) -> None:
"""保存配置"""
await self._save_toml(self.config_file, data, self._config_lock)
class MysqlStorage(BaseStorage):
"""MySQL存储"""
def __init__(self, database_url: str, data_dir: Path):
self.database_url = database_url
self.data_dir = data_dir
self._pool = None
self._file = FileStorage(data_dir)
async def init_db(self) -> None:
"""初始化MySQL"""
try:
import aiomysql
parsed = self._parse_url(self.database_url)
logger.info(f"[Storage] MySQL: {parsed['user']}@{parsed['host']}:{parsed['port']}/{parsed['db']}")
await self._create_db(parsed)
self._pool = await aiomysql.create_pool(
host=parsed['host'], port=parsed['port'], user=parsed['user'],
password=parsed['password'], db=parsed['db'], charset="utf8mb4",
autocommit=True, maxsize=10
)
await self._create_tables()
await self._file.init_db()
await self._sync_data()
except ImportError:
raise Exception("aiomysql未安装")
except Exception as e:
logger.error(f"[Storage] MySQL初始化失败: {e}")
raise
def _parse_url(self, url: str) -> Dict[str, Any]:
"""解析URL"""
p = urlparse(url)
return {
'user': unquote(p.username) if p.username else "",
'password': unquote(p.password) if p.password else "",
'host': p.hostname,
'port': p.port or 3306,
'db': p.path[1:] if p.path else "grok2api"
}
async def _create_db(self, parsed: Dict) -> None:
"""创建数据库"""
import aiomysql
pool = await aiomysql.create_pool(
host=parsed['host'], port=parsed['port'], user=parsed['user'],
password=parsed['password'], charset="utf8mb4", autocommit=True, maxsize=1
)
try:
async with pool.acquire() as conn:
async with conn.cursor() as cursor:
with warnings.catch_warnings():
warnings.filterwarnings('ignore', message='.*database exists')
await cursor.execute(
f"CREATE DATABASE IF NOT EXISTS `{parsed['db']}` "
f"CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci"
)
logger.info(f"[Storage] 数据库 '{parsed['db']}' 就绪")
finally:
pool.close()
await pool.wait_closed()
async def _create_tables(self) -> None:
"""创建表"""
tables = {
"grok_tokens": """
CREATE TABLE IF NOT EXISTS grok_tokens (
id INT AUTO_INCREMENT PRIMARY KEY,
data JSON NOT NULL,
updated_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4
""",
"grok_settings": """
CREATE TABLE IF NOT EXISTS grok_settings (
id INT AUTO_INCREMENT PRIMARY KEY,
data JSON NOT NULL,
updated_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4
"""
}
async with self._pool.acquire() as conn:
async with conn.cursor() as cursor:
with warnings.catch_warnings():
warnings.filterwarnings('ignore', message='.*already exists')
for sql in tables.values():
await cursor.execute(sql)
logger.info("[Storage] MySQL表就绪")
async def _sync_data(self) -> None:
"""同步数据"""
try:
for table, key in [("grok_tokens", "sso"), ("grok_settings", "global")]:
data = await self._load_db(table)
if data:
if table == "grok_tokens":
await self._file.save_tokens(data)
else:
await self._file.save_config(data)
logger.info(f"[Storage] {table.split('_')[1]}数据已从DB同步")
else:
file_data = await (self._file.load_tokens() if table == "grok_tokens" else self._file.load_config())
if file_data.get(key) or (table == "grok_tokens" and file_data.get("ssoSuper")):
await self._save_db(table, file_data)
logger.info(f"[Storage] {table.split('_')[1]}数据已初始化到DB")
except Exception as e:
logger.warning(f"[Storage] 同步失败: {e}")
async def _load_db(self, table: str) -> Optional[Dict]:
"""从DB加载"""
try:
async with self._pool.acquire() as conn:
async with conn.cursor() as cursor:
await cursor.execute(f"SELECT data FROM {table} ORDER BY id DESC LIMIT 1")
result = await cursor.fetchone()
return orjson.loads(result[0]) if result else None
except Exception as e:
logger.error(f"[Storage] 加载{table}失败: {e}")
return None
async def _save_db(self, table: str, data: Dict) -> None:
"""保存到DB"""
try:
async with self._pool.acquire() as conn:
async with conn.cursor() as cursor:
json_data = orjson.dumps(data).decode()
await cursor.execute(f"SELECT id FROM {table} ORDER BY id DESC LIMIT 1")
result = await cursor.fetchone()
if result:
await cursor.execute(f"UPDATE {table} SET data = %s WHERE id = %s", (json_data, result[0]))
else:
await cursor.execute(f"INSERT INTO {table} (data) VALUES (%s)", (json_data,))
except Exception as e:
logger.error(f"[Storage] 保存{table}失败: {e}")
raise
async def load_tokens(self) -> Dict[str, Any]:
"""加载token"""
return await self._file.load_tokens()
async def save_tokens(self, data: Dict[str, Any]) -> None:
"""保存token"""
await self._file.save_tokens(data)
await self._save_db("grok_tokens", data)
async def load_config(self) -> Dict[str, Any]:
"""加载配置"""
return await self._file.load_config()
async def save_config(self, data: Dict[str, Any]) -> None:
"""保存配置"""
await self._file.save_config(data)
await self._save_db("grok_settings", data)
async def close(self) -> None:
"""关闭连接"""
if self._pool:
self._pool.close()
await self._pool.wait_closed()
logger.info("[Storage] MySQL已关闭")
class RedisStorage(BaseStorage):
"""Redis存储"""
def __init__(self, redis_url: str, data_dir: Path):
self.redis_url = redis_url
self.data_dir = data_dir
self._redis = None
self._file = FileStorage(data_dir)
async def init_db(self) -> None:
"""初始化Redis"""
try:
import redis.asyncio as aioredis
parsed = urlparse(self.redis_url)
db = int(parsed.path.lstrip('/')) if parsed.path and parsed.path != '/' else 0
logger.info(f"[Storage] Redis: {parsed.hostname}:{parsed.port or 6379}/{db}")
self._redis = aioredis.Redis.from_url(
self.redis_url, encoding="utf-8", decode_responses=True
)
await self._redis.ping()
logger.info(f"[Storage] Redis连接成功")
await self._file.init_db()
await self._sync_data()
except ImportError:
raise Exception("redis未安装")
except Exception as e:
logger.error(f"[Storage] Redis初始化失败: {e}")
raise
async def _sync_data(self) -> None:
"""同步数据"""
try:
for key, file_func, key_name in [
("grok:tokens", self._file.load_tokens, "sso"),
("grok:settings", self._file.load_config, "global")
]:
data = await self._redis.get(key)
if data:
parsed = orjson.loads(data)
if key == "grok:tokens":
await self._file.save_tokens(parsed)
else:
await self._file.save_config(parsed)
logger.info(f"[Storage] {key.split(':')[1]}数据已从Redis同步")
else:
file_data = await file_func()
if file_data.get(key_name) or (key == "grok:tokens" and file_data.get("ssoSuper")):
await self._redis.set(key, orjson.dumps(file_data).decode())
logger.info(f"[Storage] {key.split(':')[1]}数据已初始化到Redis")
except Exception as e:
logger.warning(f"[Storage] 同步失败: {e}")
async def _save_redis(self, key: str, data: Dict) -> None:
"""保存到Redis"""
try:
await self._redis.set(key, orjson.dumps(data).decode())
except Exception as e:
logger.error(f"[Storage] 保存Redis失败: {e}")
raise
async def load_tokens(self) -> Dict[str, Any]:
"""加载token"""
return await self._file.load_tokens()
async def save_tokens(self, data: Dict[str, Any]) -> None:
"""保存token"""
await self._file.save_tokens(data)
await self._save_redis("grok:tokens", data)
async def load_config(self) -> Dict[str, Any]:
"""加载配置"""
return await self._file.load_config()
async def save_config(self, data: Dict[str, Any]) -> None:
"""保存配置"""
await self._file.save_config(data)
await self._save_redis("grok:settings", data)
async def close(self) -> None:
"""关闭连接"""
if self._redis:
await self._redis.close()
logger.info("[Storage] Redis已关闭")
class StorageManager:
"""存储管理器(单例)"""
_instance: Optional['StorageManager'] = None
_storage: Optional[BaseStorage] = None
_initialized: bool = False
def __new__(cls):
if cls._instance is None:
cls._instance = super().__new__(cls)
return cls._instance
async def init(self) -> None:
"""初始化存储"""
if self._initialized:
return
mode = os.getenv("STORAGE_MODE", "file").lower()
url = os.getenv("DATABASE_URL", "")
data_dir = Path(__file__).parents[2] / "data"
classes = {"mysql": MysqlStorage, "redis": RedisStorage, "file": FileStorage}
if mode in ("mysql", "redis") and not url:
raise ValueError(f"{mode.upper()}模式需要DATABASE_URL")
storage_class = classes.get(mode, FileStorage)
self._storage = storage_class(url, data_dir) if mode != "file" else storage_class(data_dir)
await self._storage.init_db()
self._initialized = True
logger.info(f"[Storage] 使用{mode}模式")
def get_storage(self) -> BaseStorage:
"""获取存储实例"""
if not self._initialized or not self._storage:
raise RuntimeError("StorageManager未初始化")
return self._storage
async def close(self) -> None:
"""关闭存储"""
if self._storage and hasattr(self._storage, 'close'):
await self._storage.close()
# 全局实例
storage_manager = StorageManager()
|