Spaces:
Paused
Paused
File size: 12,557 Bytes
06a5304 0c2aed2 06a5304 996585e 73fd0ce 06a5304 504b471 06a5304 996585e 1b6fb15 996585e 1b6fb15 996585e 73fd0ce 996585e ca241c4 996585e 73fd0ce 996585e 73fd0ce 996585e 73fd0ce 996585e 1b6fb15 996585e 1b6fb15 06a5304 0c2aed2 06a5304 66b06ea 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 66b06ea 06a5304 66b06ea 1b1294e 06a5304 66b06ea 1b1294e 66b06ea 1b1294e 66b06ea 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 06a5304 0c2aed2 66b06ea 2fac785 0c2aed2 06a5304 ca241c4 06a5304 0c2aed2 ca241c4 06a5304 ca241c4 06a5304 ca241c4 06a5304 ca241c4 06a5304 bdd4755 06a5304 ca241c4 06a5304 ca241c4 06a5304 ca241c4 06a5304 ca241c4 06a5304 ca241c4 06a5304 ca241c4 06a5304 1b6fb15 ca241c4 996585e 1b6fb15 996585e 06a5304 0c2aed2 2fac785 0c2aed2 2fac785 0c2aed2 2fac785 0c2aed2 2fac785 0c2aed2 | 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 | /**
* Proxy self-update β detects available updates in three deployment modes:
* - CLI (git): git fetch + commit log
* - Docker (no .git): GitHub Releases API
* - Electron (embedded): GitHub Releases API
*/
import { execFile, execFileSync, spawn } from "child_process";
import { existsSync, openSync, readFileSync } from "fs";
import { resolve } from "path";
import { promisify } from "util";
import { getRootDir, isEmbedded } from "./paths.js";
// ββ Restart βββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
let _closeHandler: (() => Promise<void>) | null = null;
/** Register the server's close function for graceful shutdown before restart. */
export function setCloseHandler(handler: () => Promise<void>): void {
_closeHandler = handler;
}
/**
* Restart the server: try graceful close (up to 3s), then spawn the new
* server process directly. The new process has built-in EADDRINUSE retry
* (in index.ts) so it handles port-release timing automatically.
*/
function hardRestart(cwd: string): void {
const nodeExe = process.argv[0];
const serverArgs = process.argv.slice(1);
const doRestart = () => {
if (!existsSync(nodeExe)) {
console.error(`[SelfUpdate] Node executable not found: ${nodeExe}, aborting restart`);
return;
}
console.log("[SelfUpdate] Spawning new server process...");
// Redirect child output to a log file for post-mortem debugging
let outFd: number | null = null;
try {
outFd = openSync(resolve(cwd, ".restart.log"), "w");
} catch { /* fall back to ignore */ }
const child = spawn(nodeExe, serverArgs, {
detached: true,
stdio: ["ignore", outFd ?? "ignore", outFd ?? "ignore"],
cwd,
});
child.unref();
console.log(`[SelfUpdate] New process spawned (pid: ${child.pid ?? "unknown"}). Exiting...`);
process.exit(0);
};
if (!_closeHandler) {
doRestart();
return;
}
// Try graceful close with 3s timeout
const timer = setTimeout(() => {
console.warn("[SelfUpdate] Graceful close timed out (3s), forcing restart...");
doRestart();
}, 3000);
timer.unref();
_closeHandler().then(() => {
clearTimeout(timer);
doRestart();
}).catch(() => {
clearTimeout(timer);
doRestart();
});
}
const execFileAsync = promisify(execFile);
const GITHUB_REPO = "icebear0828/codex-proxy";
const CHECK_INTERVAL_MS = 6 * 60 * 60 * 1000; // 6 hours
const INITIAL_DELAY_MS = 10_000; // 10 seconds after startup
export interface ProxyInfo {
version: string | null;
commit: string | null;
}
export interface CommitInfo {
hash: string;
message: string;
}
export interface GitHubReleaseInfo {
version: string;
tag: string;
body: string;
url: string;
publishedAt: string;
}
export type DeployMode = "git" | "docker" | "electron";
export interface ProxySelfUpdateResult {
commitsBehind: number;
currentCommit: string | null;
latestCommit: string | null;
commits: CommitInfo[];
release: GitHubReleaseInfo | null;
updateAvailable: boolean;
mode: DeployMode;
}
let _proxyUpdateInProgress = false;
let _gitAvailable: boolean | null = null;
let _cachedResult: ProxySelfUpdateResult | null = null;
let _checkTimer: ReturnType<typeof setInterval> | null = null;
let _initialTimer: ReturnType<typeof setTimeout> | null = null;
let _checking = false;
/** Read proxy version from git tag / package.json + current git commit hash. */
export function getProxyInfo(): ProxyInfo {
let version: string | null = null;
let commit: string | null = null;
// Collect version from both sources, pick the higher one
let tagVersion: string | null = null;
let pkgVersion: string | null = null;
try {
const tag = execFileSync("git", ["describe", "--tags", "--abbrev=0", "HEAD"], {
cwd: process.cwd(),
encoding: "utf-8",
timeout: 5000,
}).trim();
if (tag) tagVersion = tag.startsWith("v") ? tag.slice(1) : tag;
} catch { /* no reachable tag */ }
try {
const pkg = JSON.parse(readFileSync(resolve(getRootDir(), "package.json"), "utf-8")) as { version?: string };
const v = pkg.version;
if (v && v !== "1.0.0") pkgVersion = v;
} catch { /* ignore */ }
// Pick whichever is higher (tag on electron branch may be unreachable from master)
if (tagVersion && pkgVersion) {
version = pkgVersion.localeCompare(tagVersion, undefined, { numeric: true }) > 0
? pkgVersion : tagVersion;
} else {
version = tagVersion ?? pkgVersion;
}
try {
const out = execFileSync("git", ["rev-parse", "--short", "HEAD"], {
cwd: process.cwd(),
encoding: "utf-8",
timeout: 5000,
});
commit = out.trim() || null;
} catch { /* ignore */ }
return { version, commit };
}
/** Whether this environment supports git-based self-update. */
export function canSelfUpdate(): boolean {
if (isEmbedded()) return false;
if (_gitAvailable !== null) return _gitAvailable;
if (!existsSync(resolve(process.cwd(), ".git"))) {
_gitAvailable = false;
return false;
}
try {
execFileSync("git", ["--version"], {
cwd: process.cwd(),
timeout: 5000,
stdio: "ignore",
});
_gitAvailable = true;
} catch {
_gitAvailable = false;
}
return _gitAvailable;
}
/** Determine deployment mode. */
export function getDeployMode(): DeployMode {
if (isEmbedded()) return "electron";
if (canSelfUpdate()) return "git";
return "docker";
}
/** Whether a proxy self-update is currently in progress. */
export function isProxyUpdateInProgress(): boolean {
return _proxyUpdateInProgress;
}
/** Return cached proxy update result (set by periodic checker or manual check). */
export function getCachedProxyUpdateResult(): ProxySelfUpdateResult | null {
return _cachedResult;
}
/** Get commit log between HEAD and origin/master. */
async function getCommitLog(cwd: string): Promise<CommitInfo[]> {
try {
const { stdout } = await execFileAsync(
"git", ["log", "HEAD..origin/master", "--oneline", "--format=%h %s"],
{ cwd, timeout: 10000 },
);
return stdout.trim().split("\n")
.filter((line) => line.length > 0)
.map((line) => {
const spaceIdx = line.indexOf(" ");
return {
hash: line.substring(0, spaceIdx),
message: line.substring(spaceIdx + 1),
};
});
} catch {
return [];
}
}
/** Check GitHub Releases API for the latest version. */
async function checkGitHubRelease(): Promise<GitHubReleaseInfo | null> {
try {
const resp = await fetch(`https://api.github.com/repos/${GITHUB_REPO}/releases/latest`, {
headers: { Accept: "application/vnd.github.v3+json" },
signal: AbortSignal.timeout(15000),
});
if (!resp.ok) return null;
const data = await resp.json() as {
tag_name?: string;
body?: string | null;
html_url?: string;
published_at?: string;
};
return {
version: String(data.tag_name ?? "").replace(/^v/, ""),
tag: String(data.tag_name ?? ""),
body: String(data.body ?? ""),
url: String(data.html_url ?? ""),
publishedAt: String(data.published_at ?? ""),
};
} catch {
return null;
}
}
/** Fetch latest from origin and check how many commits behind. */
export async function checkProxySelfUpdate(): Promise<ProxySelfUpdateResult> {
const mode = getDeployMode();
if (mode === "git") {
const cwd = process.cwd();
let currentCommit: string | null = null;
try {
const { stdout } = await execFileAsync("git", ["rev-parse", "--short", "HEAD"], { cwd, timeout: 5000 });
currentCommit = stdout.trim() || null;
} catch { /* ignore */ }
try {
await execFileAsync("git", ["fetch", "origin", "master", "--quiet"], { cwd, timeout: 30000 });
} catch (err) {
console.warn("[SelfUpdate] git fetch failed:", err instanceof Error ? err.message : err);
const result: ProxySelfUpdateResult = {
commitsBehind: 0, currentCommit, latestCommit: currentCommit,
commits: [], release: null, updateAvailable: false, mode,
};
_cachedResult = result;
return result;
}
let commitsBehind = 0;
let latestCommit: string | null = null;
try {
const { stdout: countOut } = await execFileAsync(
"git", ["rev-list", "HEAD..origin/master", "--count"], { cwd, timeout: 5000 },
);
commitsBehind = parseInt(countOut.trim(), 10) || 0;
const { stdout: latestOut } = await execFileAsync(
"git", ["rev-parse", "--short", "origin/master"], { cwd, timeout: 5000 },
);
latestCommit = latestOut.trim() || null;
} catch { /* ignore */ }
const commits = commitsBehind > 0 ? await getCommitLog(cwd) : [];
const result: ProxySelfUpdateResult = {
commitsBehind, currentCommit, latestCommit,
commits, release: null,
updateAvailable: commitsBehind > 0, mode,
};
_cachedResult = result;
return result;
}
// Docker or Electron β GitHub Releases API
const release = await checkGitHubRelease();
const currentVersion = getProxyInfo().version ?? "0.0.0";
const updateAvailable = release !== null
&& release.version !== currentVersion
&& release.version.localeCompare(currentVersion, undefined, { numeric: true }) > 0;
const result: ProxySelfUpdateResult = {
commitsBehind: 0, currentCommit: null, latestCommit: null,
commits: [], release: updateAvailable ? release : null,
updateAvailable, mode,
};
_cachedResult = result;
return result;
}
/** Progress callback for streaming update status. */
export type UpdateProgressCallback = (step: string, status: "running" | "done" | "error", detail?: string) => void;
/**
* Apply proxy self-update: git pull + npm install + npm run build.
* Only works in git (CLI) mode.
* @param onProgress Optional callback to report step-by-step progress.
*/
export async function applyProxySelfUpdate(
onProgress?: UpdateProgressCallback,
): Promise<{ started: boolean; restarting?: boolean; error?: string }> {
if (_proxyUpdateInProgress) {
return { started: false, error: "Update already in progress" };
}
_proxyUpdateInProgress = true;
const cwd = process.cwd();
const report = onProgress ?? (() => {});
try {
report("pull", "running");
console.log("[SelfUpdate] Pulling latest code...");
await execFileAsync("git", ["checkout", "--", "."], { cwd, timeout: 10000 }).catch(() => {});
await execFileAsync("git", ["pull", "origin", "master"], { cwd, timeout: 60000 });
report("pull", "done");
report("install", "running");
console.log("[SelfUpdate] Installing dependencies...");
await execFileAsync("npm", ["install"], { cwd, timeout: 120000, shell: true });
report("install", "done");
report("build", "running");
console.log("[SelfUpdate] Building...");
await execFileAsync("npm", ["run", "build"], { cwd, timeout: 120000, shell: true });
report("build", "done");
report("restart", "running");
console.log("[SelfUpdate] Update complete. Restarting...");
_proxyUpdateInProgress = false;
// Delay 500ms to let SSE flush, then restart
setTimeout(() => hardRestart(cwd), 500);
return { started: true, restarting: true };
} catch (err) {
_proxyUpdateInProgress = false;
const msg = err instanceof Error ? err.message : String(err);
console.error("[SelfUpdate] Update failed:", msg);
return { started: false, error: msg };
}
}
/** Run a background check (guards against concurrent execution). */
async function runCheck(): Promise<void> {
if (_checking) return;
_checking = true;
try {
await checkProxySelfUpdate();
} catch (err) {
console.warn("[SelfUpdate] Periodic check failed:", err instanceof Error ? err.message : err);
} finally {
_checking = false;
}
}
/** Start periodic proxy update checking (initial check after 10s, then every 6h). */
export function startProxyUpdateChecker(): void {
_initialTimer = setTimeout(() => {
void runCheck();
}, INITIAL_DELAY_MS);
_initialTimer.unref();
_checkTimer = setInterval(() => {
void runCheck();
}, CHECK_INTERVAL_MS);
_checkTimer.unref();
}
/** Stop periodic proxy update checking. */
export function stopProxyUpdateChecker(): void {
if (_initialTimer) {
clearTimeout(_initialTimer);
_initialTimer = null;
}
if (_checkTimer) {
clearInterval(_checkTimer);
_checkTimer = null;
}
}
|