forked from santifer/career-ops
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathupdate-system.mjs
More file actions
329 lines (284 loc) · 9.53 KB
/
update-system.mjs
File metadata and controls
329 lines (284 loc) · 9.53 KB
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
#!/usr/bin/env node
/**
* update-system.mjs — Safe auto-updater for career-ops
*
* Updates ONLY system layer files (modes, scripts, dashboard, templates).
* NEVER touches user data (cv.md, profile.yml, _profile.md, data/, reports/).
*
* Usage:
* node update-system.mjs check # Check if update available
* node update-system.mjs apply # Apply update (after user confirms)
* node update-system.mjs rollback # Rollback last update
* node update-system.mjs dismiss # Dismiss update check
*
* See DATA_CONTRACT.md for the full system/user layer definitions.
*/
import { execFileSync, execSync } from 'child_process';
import { readFileSync, writeFileSync, existsSync, unlinkSync } from 'fs';
import { join, dirname } from 'path';
import { fileURLToPath } from 'url';
const __dirname = dirname(fileURLToPath(import.meta.url));
const ROOT = __dirname;
const CANONICAL_REPO = 'https://github.com/santifer/career-ops.git';
const RAW_VERSION_URL = 'https://raw.githubusercontent.com/santifer/career-ops/main/VERSION';
const RELEASES_API = 'https://api.github.com/repos/santifer/career-ops/releases/latest';
// System layer paths — ONLY these files get updated
const SYSTEM_PATHS = [
'modes/_shared.md',
'modes/_profile.template.md',
'modes/oferta.md',
'modes/pdf.md',
'modes/scan.md',
'modes/batch.md',
'modes/apply.md',
'modes/auto-pipeline.md',
'modes/contacto.md',
'modes/deep.md',
'modes/ofertas.md',
'modes/pipeline.md',
'modes/project.md',
'modes/tracker.md',
'modes/training.md',
'modes/de/',
'CLAUDE.md',
'AGENTS.md',
'generate-pdf.mjs',
'merge-tracker.mjs',
'verify-pipeline.mjs',
'dedup-tracker.mjs',
'normalize-statuses.mjs',
'cv-sync-check.mjs',
'update-system.mjs',
'batch/batch-prompt.md',
'batch/batch-runner.sh',
'dashboard/',
'templates/',
'fonts/',
'.claude/skills/',
'docs/',
'VERSION',
'DATA_CONTRACT.md',
'CONTRIBUTING.md',
'README.md',
'LICENSE',
'CITATION.cff',
'.github/',
'package.json',
];
// User layer paths — NEVER touch these (safety check)
const USER_PATHS = [
'cv.md',
'config/profile.yml',
'modes/_profile.md',
'portals.yml',
'article-digest.md',
'interview-prep/story-bank.md',
'data/',
'reports/',
'output/',
'jds/',
];
function localVersion() {
const vPath = join(ROOT, 'VERSION');
return existsSync(vPath) ? readFileSync(vPath, 'utf-8').trim() : '0.0.0';
}
function compareVersions(a, b) {
const pa = a.split('.').map(Number);
const pb = b.split('.').map(Number);
for (let i = 0; i < 3; i++) {
if ((pa[i] || 0) < (pb[i] || 0)) return -1;
if ((pa[i] || 0) > (pb[i] || 0)) return 1;
}
return 0;
}
function git(...args) {
return execFileSync('git', args, { cwd: ROOT, encoding: 'utf-8', timeout: 30000 }).trim();
}
function gitStatusEntries() {
const status = git('status', '--porcelain');
if (!status) return [];
return status.split('\n')
.filter(Boolean)
.map(line => ({
code: line.slice(0, 2),
path: line.slice(3),
}));
}
function revertPaths(paths) {
if (paths.length === 0) return;
git('checkout', '--', ...paths);
}
function addPaths(paths) {
if (paths.length === 0) return;
git('add', '--', ...paths);
}
// ── CHECK ───────────────────────────────────────────────────────
async function check() {
// Respect dismiss flag
if (existsSync(join(ROOT, '.update-dismissed'))) {
console.log(JSON.stringify({ status: 'dismissed' }));
return;
}
const local = localVersion();
let remote;
try {
const res = await fetch(RAW_VERSION_URL);
if (!res.ok) throw new Error(`HTTP ${res.status}`);
remote = (await res.text()).trim();
} catch {
console.log(JSON.stringify({ status: 'offline', local }));
return;
}
if (compareVersions(local, remote) >= 0) {
console.log(JSON.stringify({ status: 'up-to-date', local, remote }));
return;
}
// Fetch changelog from GitHub releases
let changelog = '';
try {
const res = await fetch(RELEASES_API, {
headers: { 'Accept': 'application/vnd.github.v3+json' }
});
if (res.ok) {
const release = await res.json();
changelog = release.body || '';
}
} catch {
// No changelog available, that's OK
}
console.log(JSON.stringify({
status: 'update-available',
local,
remote,
changelog: changelog.slice(0, 500),
}));
}
// ── APPLY ───────────────────────────────────────────────────────
async function apply() {
const local = localVersion();
const initialStatusPaths = new Set(gitStatusEntries().map(entry => entry.path));
// Check for lock
const lockFile = join(ROOT, '.update-lock');
if (existsSync(lockFile)) {
console.error('Update already in progress (.update-lock exists). If stuck, delete it manually.');
process.exit(1);
}
// Create lock
writeFileSync(lockFile, new Date().toISOString());
try {
// 1. Backup: create branch
const backupBranch = `backup-pre-update-${local}`;
try {
git('branch', backupBranch);
console.log(`Backup branch created: ${backupBranch}`);
} catch {
console.log(`Backup branch already exists (${backupBranch}), continuing...`);
}
// 2. Fetch from canonical repo
console.log('Fetching latest from upstream...');
git('fetch', CANONICAL_REPO, 'main');
// 3. Checkout system files only
console.log('Updating system files...');
const updated = [];
for (const path of SYSTEM_PATHS) {
try {
git('checkout', 'FETCH_HEAD', '--', path);
updated.push(path);
} catch {
// File may not exist in remote (new additions), skip
}
}
// 4. Validate: check NO user files were touched
let userFileTouched = false;
try {
for (const entry of gitStatusEntries()) {
const file = entry.path;
if (initialStatusPaths.has(file)) continue;
for (const userPath of USER_PATHS) {
if (file.startsWith(userPath)) {
console.error(`SAFETY VIOLATION: User file was modified: ${file}`);
userFileTouched = true;
}
}
}
} catch {
// git status failed, skip validation
}
if (userFileTouched) {
console.error('Aborting: user files were touched. Rolling back...');
revertPaths(updated);
process.exit(1);
}
// 5. Install any new dependencies
try {
execSync('npm install --silent', { cwd: ROOT, timeout: 60000 });
} catch {
console.log('npm install skipped (may need manual run)');
}
// 6. Commit the update
const remote = localVersion(); // Re-read after checkout updated VERSION
try {
const pathsToStage = [...updated];
const dismissFile = join(ROOT, '.update-dismissed');
if (existsSync(dismissFile)) {
unlinkSync(dismissFile);
pathsToStage.push('.update-dismissed');
}
addPaths(pathsToStage);
git('commit', '-m', `chore: auto-update system files to v${remote}`);
} catch {
// Nothing to commit (already up to date)
}
console.log(`\nUpdate complete: v${local} → v${remote}`);
console.log(`Updated ${updated.length} system paths.`);
console.log(`Rollback available: node update-system.mjs rollback`);
} finally {
// Remove lock
if (existsSync(lockFile)) unlinkSync(lockFile);
}
}
// ── ROLLBACK ────────────────────────────────────────────────────
function rollback() {
// Find most recent backup branch
try {
const branches = git('for-each-ref', '--sort=-committerdate', '--format=%(refname:short)', 'refs/heads/backup-pre-update-*');
const branchList = branches.split('\n').map(b => b.trim()).filter(Boolean);
if (branchList.length === 0) {
console.error('No backup branches found. Nothing to rollback.');
process.exit(1);
}
const latest = branchList[0];
console.log(`Rolling back to: ${latest}`);
// Checkout system files from backup branch
for (const path of SYSTEM_PATHS) {
try {
git('checkout', latest, '--', path);
} catch {
// File may not have existed in backup
}
}
addPaths(SYSTEM_PATHS);
git('commit', '-m', `chore: rollback system files from ${latest}`);
console.log(`Rollback complete. System files restored from ${latest}.`);
console.log('Your data (CV, profile, tracker, reports) was not affected.');
} catch (err) {
console.error('Rollback failed:', err.message);
process.exit(1);
}
}
// ── DISMISS ─────────────────────────────────────────────────────
function dismiss() {
writeFileSync(join(ROOT, '.update-dismissed'), new Date().toISOString());
console.log('Update check dismissed. Run "node update-system.mjs check" or say "check for updates" to re-enable.');
}
// ── MAIN ────────────────────────────────────────────────────────
const cmd = process.argv[2] || 'check';
switch (cmd) {
case 'check': await check(); break;
case 'apply': await apply(); break;
case 'rollback': rollback(); break;
case 'dismiss': dismiss(); break;
default:
console.log('Usage: node update-system.mjs [check|apply|rollback|dismiss]');
process.exit(1);
}