File size: 6,964 Bytes
8cdca00 | 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 | const APP_KEY_STORAGE = 'grok2api_app_key';
const PUBLIC_KEY_STORAGE = 'grok2api_public_key';
const APP_KEY_ENC_PREFIX = 'enc:v1:';
const APP_KEY_XOR_PREFIX = 'enc:xor:';
const APP_KEY_SECRET = 'grok2api-admin-key';
let cachedAdminKey = null;
let cachedPublicKey = null;
const textEncoder = new TextEncoder();
const textDecoder = new TextDecoder();
function toBase64(bytes) {
let binary = '';
bytes.forEach(b => { binary += String.fromCharCode(b); });
return btoa(binary);
}
function fromBase64(base64) {
const binary = atob(base64);
const bytes = new Uint8Array(binary.length);
for (let i = 0; i < binary.length; i++) {
bytes[i] = binary.charCodeAt(i);
}
return bytes;
}
function xorCipher(bytes, keyBytes) {
const out = new Uint8Array(bytes.length);
for (let i = 0; i < bytes.length; i++) {
out[i] = bytes[i] ^ keyBytes[i % keyBytes.length];
}
return out;
}
function xorEncrypt(plain) {
const data = textEncoder.encode(plain);
const key = textEncoder.encode(APP_KEY_SECRET);
const cipher = xorCipher(data, key);
return `${APP_KEY_XOR_PREFIX}${toBase64(cipher)}`;
}
function xorDecrypt(stored) {
if (!stored.startsWith(APP_KEY_XOR_PREFIX)) return stored;
const payload = stored.slice(APP_KEY_XOR_PREFIX.length);
const data = fromBase64(payload);
const key = textEncoder.encode(APP_KEY_SECRET);
const plain = xorCipher(data, key);
return textDecoder.decode(plain);
}
async function deriveKey(salt) {
const keyMaterial = await crypto.subtle.importKey(
'raw',
textEncoder.encode(APP_KEY_SECRET),
'PBKDF2',
false,
['deriveKey']
);
return crypto.subtle.deriveKey(
{
name: 'PBKDF2',
salt,
iterations: 100000,
hash: 'SHA-256'
},
keyMaterial,
{ name: 'AES-GCM', length: 256 },
false,
['encrypt', 'decrypt']
);
}
async function encryptAppKey(plain) {
if (!plain) return '';
if (!crypto?.subtle) return xorEncrypt(plain);
const salt = crypto.getRandomValues(new Uint8Array(16));
const iv = crypto.getRandomValues(new Uint8Array(12));
const key = await deriveKey(salt);
const cipher = await crypto.subtle.encrypt(
{ name: 'AES-GCM', iv },
key,
textEncoder.encode(plain)
);
return `${APP_KEY_ENC_PREFIX}${toBase64(salt)}:${toBase64(iv)}:${toBase64(new Uint8Array(cipher))}`;
}
async function decryptAppKey(stored) {
if (!stored) return '';
if (stored.startsWith(APP_KEY_XOR_PREFIX)) return xorDecrypt(stored);
if (!stored.startsWith(APP_KEY_ENC_PREFIX)) return stored;
if (!crypto?.subtle) return '';
const parts = stored.split(':');
if (parts.length !== 5) return '';
const salt = fromBase64(parts[2]);
const iv = fromBase64(parts[3]);
const cipher = fromBase64(parts[4]);
const key = await deriveKey(salt);
const plain = await crypto.subtle.decrypt(
{ name: 'AES-GCM', iv },
key,
cipher
);
return textDecoder.decode(plain);
}
async function getStoredAppKey() {
const stored = localStorage.getItem(APP_KEY_STORAGE) || '';
if (!stored) return '';
try {
return await decryptAppKey(stored);
} catch (e) {
clearStoredAppKey();
return '';
}
}
async function getStoredPublicKey() {
const stored = localStorage.getItem(PUBLIC_KEY_STORAGE) || '';
if (!stored) return '';
try {
return await decryptAppKey(stored);
} catch (e) {
clearStoredPublicKey();
return '';
}
}
async function storeAppKey(appKey) {
if (!appKey) {
clearStoredAppKey();
return;
}
const encrypted = await encryptAppKey(appKey);
localStorage.setItem(APP_KEY_STORAGE, encrypted || '');
}
async function storePublicKey(publicKey) {
if (!publicKey) {
clearStoredPublicKey();
return;
}
const encrypted = await encryptAppKey(publicKey);
localStorage.setItem(PUBLIC_KEY_STORAGE, encrypted || '');
}
function clearStoredAppKey() {
localStorage.removeItem(APP_KEY_STORAGE);
cachedAdminKey = null;
}
function clearStoredPublicKey() {
localStorage.removeItem(PUBLIC_KEY_STORAGE);
cachedPublicKey = null;
}
async function verifyKey(url, key) {
const headers = key ? { 'Authorization': `Bearer ${key}` } : {};
const res = await fetch(url, { method: 'GET', headers });
return res.ok;
}
async function ensureAdminKey() {
if (cachedAdminKey) return cachedAdminKey;
const appKey = await getStoredAppKey();
if (!appKey) {
window.location.href = '/admin/login';
return null;
}
try {
const ok = await verifyKey('/v1/admin/verify', appKey);
if (!ok) throw new Error('Unauthorized');
cachedAdminKey = `Bearer ${appKey}`;
return cachedAdminKey;
} catch (e) {
clearStoredAppKey();
window.location.href = '/admin/login';
return null;
}
}
async function ensurePublicKey() {
if (cachedPublicKey !== null) return cachedPublicKey;
const key = await getStoredPublicKey();
if (!key) {
try {
const ok = await verifyKey('/v1/public/verify', '');
if (ok) {
cachedPublicKey = '';
return cachedPublicKey;
}
} catch (e) {
// ignore
}
return null;
}
if (!key) {
return null;
}
try {
const ok = await verifyKey('/v1/public/verify', key);
if (!ok) throw new Error('Unauthorized');
cachedPublicKey = `Bearer ${key}`;
return cachedPublicKey;
} catch (e) {
clearStoredPublicKey();
return null;
}
}
function buildAuthHeaders(apiKey) {
return apiKey ? { 'Authorization': apiKey } : {};
}
function logout() {
clearStoredAppKey();
clearStoredPublicKey();
window.location.href = '/admin/login';
}
function publicLogout() {
clearStoredPublicKey();
window.location.href = '/login';
}
async function fetchStorageType() {
const apiKey = await ensureAdminKey();
if (apiKey === null) return null;
try {
const res = await fetch('/v1/admin/storage', {
headers: buildAuthHeaders(apiKey)
});
if (!res.ok) return null;
const data = await res.json();
return (data && data.type) ? String(data.type) : null;
} catch (e) {
return null;
}
}
function formatStorageLabel(type) {
if (!type) return '-';
const normalized = type.toLowerCase();
const map = {
local: 'local',
mysql: 'mysql',
pgsql: 'pgsql',
postgres: 'pgsql',
postgresql: 'pgsql',
redis: 'redis'
};
return map[normalized] || '-';
}
async function updateStorageModeButton() {
const btn = document.getElementById('storage-mode-btn');
if (!btn) return;
btn.textContent = '...';
btn.title = '存储模式';
btn.classList.remove('storage-ready');
const storageType = await fetchStorageType();
const label = formatStorageLabel(storageType);
btn.textContent = label === '-' ? label : label.toUpperCase();
btn.title = '存储模式';
if (label !== '-') {
btn.classList.add('storage-ready');
}
}
if (document.readyState === 'loading') {
document.addEventListener('DOMContentLoaded', updateStorageModeButton);
} else {
updateStorageModeButton();
}
|