grimoire-framework 1.0.9 → 1.0.10

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -7,8 +7,8 @@
7
7
  # - SHA256 hashes for change detection
8
8
  # - File types for categorization
9
9
  #
10
- version: 1.0.9
11
- generated_at: "2026-02-22T12:01:52.134Z"
10
+ version: 1.0.10
11
+ generated_at: "2026-02-22T12:13:30.092Z"
12
12
  generator: scripts/generate-install-manifest.js
13
13
  file_count: 1011
14
14
  files:
@@ -0,0 +1,251 @@
1
+ 'use strict';
2
+
3
+ /**
4
+ * grimoire Smart Update Command
5
+ * Updates grimoire-framework preserving project customizations.
6
+ *
7
+ * Strategy:
8
+ * 1. Check installed vs latest version on npm
9
+ * 2. npm install grimoire-framework@latest
10
+ * 3. Selectively copy framework files (agents, rules, hooks)
11
+ * - OVERWRITE files that are part of the framework source
12
+ * - PRESERVE files that only exist in the project (custom agents, etc.)
13
+ * 4. Report what was updated/preserved
14
+ */
15
+
16
+ const fs = require('fs');
17
+ const path = require('path');
18
+ const https = require('https');
19
+ const { execSync } = require('child_process');
20
+
21
+ // Framework source directories (relative to node_modules/grimoire-framework)
22
+ const FRAMEWORK_SYNC_DIRS = [
23
+ { src: '.codex/agents', dest: '.codex/agents' },
24
+ { src: '.gemini/rules/grimoire', dest: '.gemini/rules/grimoire' },
25
+ { src: '.cursor/rules/agents', dest: '.cursor/rules/agents' },
26
+ { src: '.claude/commands/grimoire', dest: '.claude/commands/grimoire' },
27
+ ];
28
+
29
+ /**
30
+ * Fetch latest version from npm registry
31
+ */
32
+ function getLatestVersion() {
33
+ return new Promise((resolve) => {
34
+ const req = https.get(
35
+ 'https://registry.npmjs.org/grimoire-framework/latest',
36
+ { timeout: 10000 },
37
+ (res) => {
38
+ let data = '';
39
+ res.on('data', (chunk) => { data += chunk; });
40
+ res.on('end', () => {
41
+ try { resolve(JSON.parse(data).version || null); }
42
+ catch { resolve(null); }
43
+ });
44
+ }
45
+ );
46
+ req.on('error', () => resolve(null));
47
+ req.on('timeout', () => { req.destroy(); resolve(null); });
48
+ });
49
+ }
50
+
51
+ /**
52
+ * Get installed version from node_modules
53
+ */
54
+ function getInstalledVersion(cwd) {
55
+ const pkgPath = path.join(cwd, 'node_modules', 'grimoire-framework', 'package.json');
56
+ if (fs.existsSync(pkgPath)) {
57
+ try { return JSON.parse(fs.readFileSync(pkgPath, 'utf8')).version; }
58
+ catch { /* ignore */ }
59
+ }
60
+ // Fallback: check project package.json dependencies
61
+ const projPkg = path.join(cwd, 'package.json');
62
+ if (fs.existsSync(projPkg)) {
63
+ try {
64
+ const pkg = JSON.parse(fs.readFileSync(projPkg, 'utf8'));
65
+ return (pkg.dependencies || {})['grimoire-framework'] ||
66
+ (pkg.devDependencies || {})['grimoire-framework'] || null;
67
+ } catch { /* ignore */ }
68
+ }
69
+ return null;
70
+ }
71
+
72
+ /**
73
+ * Compare semver strings. Returns: -1 (v1<v2), 0 (equal), 1 (v1>v2)
74
+ */
75
+ function compareVersions(v1, v2) {
76
+ const parse = (v) => v.replace(/[^0-9.]/g, '').split('.').map(Number);
77
+ const [a, b] = [parse(v1), parse(v2)];
78
+ for (let i = 0; i < 3; i++) {
79
+ if ((a[i] || 0) > (b[i] || 0)) return 1;
80
+ if ((a[i] || 0) < (b[i] || 0)) return -1;
81
+ }
82
+ return 0;
83
+ }
84
+
85
+ /**
86
+ * Recursively get all .md files in a directory
87
+ */
88
+ function listMdFiles(dir) {
89
+ if (!fs.existsSync(dir)) return [];
90
+ const results = [];
91
+ for (const entry of fs.readdirSync(dir, { withFileTypes: true })) {
92
+ const full = path.join(dir, entry.name);
93
+ if (entry.isDirectory()) results.push(...listMdFiles(full));
94
+ else if (entry.name.endsWith('.md')) results.push(full);
95
+ }
96
+ return results;
97
+ }
98
+
99
+ /**
100
+ * Sync a directory from framework source to project destination.
101
+ * - Overwrites files that exist in source (framework files)
102
+ * - Preserves files that only exist in destination (custom files)
103
+ * Returns stats: { updated, preserved, added }
104
+ */
105
+ function syncDir(srcDir, destDir) {
106
+ const stats = { updated: [], preserved: [], added: [] };
107
+
108
+ if (!fs.existsSync(srcDir)) return stats;
109
+ fs.mkdirSync(destDir, { recursive: true });
110
+
111
+ // Get files in both dirs
112
+ const srcFiles = new Set(
113
+ fs.readdirSync(srcDir).filter(f => f.endsWith('.md') || f.endsWith('.json') || f.endsWith('.yaml'))
114
+ );
115
+ const destFiles = new Set(
116
+ fs.existsSync(destDir)
117
+ ? fs.readdirSync(destDir).filter(f => f.endsWith('.md') || f.endsWith('.json') || f.endsWith('.yaml'))
118
+ : []
119
+ );
120
+
121
+ // Copy/overwrite source files to dest
122
+ for (const file of srcFiles) {
123
+ const srcFile = path.join(srcDir, file);
124
+ const destFile = path.join(destDir, file);
125
+ const existed = destFiles.has(file);
126
+ fs.copyFileSync(srcFile, destFile);
127
+ if (existed) stats.updated.push(file);
128
+ else stats.added.push(file);
129
+ }
130
+
131
+ // Files in dest but NOT in source = custom files → preserve (do nothing)
132
+ for (const file of destFiles) {
133
+ if (!srcFiles.has(file)) {
134
+ stats.preserved.push(file);
135
+ }
136
+ }
137
+
138
+ return stats;
139
+ }
140
+
141
+ /**
142
+ * Main run function called by the CLI
143
+ */
144
+ async function run(args = []) {
145
+ const cwd = process.cwd();
146
+ const dryRun = args.includes('--dry-run') || args.includes('--check');
147
+ const force = args.includes('--force');
148
+ const verbose = args.includes('--verbose') || args.includes('-v');
149
+
150
+ console.log('\nšŸ”® Grimoire Smart Update\n' + '='.repeat(40));
151
+
152
+ // 1. Get versions
153
+ const installed = getInstalledVersion(cwd);
154
+ process.stdout.write('šŸ“” Checking latest version on npm...');
155
+ const latest = await getLatestVersion();
156
+ console.log(latest ? ` v${latest}` : ' (offline)');
157
+
158
+ console.log(`šŸ“¦ Installed: ${installed ? `v${installed}` : 'āŒ not found in node_modules'}`);
159
+ console.log(`šŸ“¦ Latest: ${latest ? `v${latest}` : 'āŒ could not fetch'}\n`);
160
+
161
+ if (!installed) {
162
+ console.log('āš ļø grimoire-framework not found in this project.\n Run: npx grimoire-framework install\n');
163
+ return;
164
+ }
165
+
166
+ if (!latest) {
167
+ console.log('āš ļø Could not reach npm registry. Check your internet connection.\n');
168
+ return;
169
+ }
170
+
171
+ const cmp = compareVersions(installed.replace(/[\^~><=]/g, ''), latest);
172
+
173
+ if (cmp >= 0 && !force) {
174
+ console.log('āœ… Already up to date! No update needed.\n');
175
+ console.log(' Use --force to reinstall anyway.\n');
176
+ return;
177
+ }
178
+
179
+ if (dryRun) {
180
+ console.log(`šŸ” DRY RUN — would update v${installed} → v${latest}\n`);
181
+ console.log(' Directories that would be synced:');
182
+ for (const { dest } of FRAMEWORK_SYNC_DIRS) {
183
+ console.log(` • ${dest}`);
184
+ }
185
+ console.log('\n Custom files (only in project) would be PRESERVED.');
186
+ console.log(' Run without --dry-run to apply.\n');
187
+ return;
188
+ }
189
+
190
+ // 2. Update npm package
191
+ console.log(`ā¬‡ļø Updating grimoire-framework v${installed} → v${latest}...`);
192
+ try {
193
+ execSync('npm install grimoire-framework@latest', {
194
+ cwd,
195
+ stdio: verbose ? 'inherit' : 'pipe',
196
+ timeout: 120000,
197
+ });
198
+ console.log('āœ… npm package updated.\n');
199
+ } catch (err) {
200
+ console.error(`āŒ npm install failed: ${err.message}\n`);
201
+ return;
202
+ }
203
+
204
+ // 3. Sync framework files selectively
205
+ const frameworkRoot = path.join(cwd, 'node_modules', 'grimoire-framework');
206
+
207
+ if (!fs.existsSync(frameworkRoot)) {
208
+ console.log('āŒ Could not find grimoire-framework in node_modules after install.\n');
209
+ return;
210
+ }
211
+
212
+ console.log('šŸ”„ Syncing framework files...\n');
213
+
214
+ const totalStats = { updated: 0, added: 0, preserved: 0 };
215
+ const report = [];
216
+
217
+ for (const { src, dest } of FRAMEWORK_SYNC_DIRS) {
218
+ const srcPath = path.join(frameworkRoot, src);
219
+ const destPath = path.join(cwd, dest);
220
+
221
+ if (!fs.existsSync(srcPath)) {
222
+ if (verbose) console.log(` ā­ļø Skip (not in source): ${src}`);
223
+ continue;
224
+ }
225
+
226
+ const stats = syncDir(srcPath, destPath);
227
+ totalStats.updated += stats.updated.length;
228
+ totalStats.added += stats.added.length;
229
+ totalStats.preserved += stats.preserved.length;
230
+
231
+ report.push({ dir: dest, stats });
232
+
233
+ if (stats.updated.length || stats.added.length || stats.preserved.length) {
234
+ console.log(` šŸ“ ${dest}`);
235
+ if (stats.updated.length) console.log(` āœ… Updated: ${stats.updated.join(', ')}`);
236
+ if (stats.added.length) console.log(` āž• Added: ${stats.added.join(', ')}`);
237
+ if (stats.preserved.length) console.log(` šŸ”’ Preserved: ${stats.preserved.join(', ')} (custom)`);
238
+ }
239
+ }
240
+
241
+ // 4. Summary
242
+ console.log('\n' + '='.repeat(40));
243
+ console.log(`āœ… Updated to v${latest}\n`);
244
+ console.log(` šŸ“ Files updated: ${totalStats.updated}`);
245
+ console.log(` āž• Files added: ${totalStats.added}`);
246
+ console.log(` šŸ”’ Files preserved: ${totalStats.preserved} (custom — untouched)\n`);
247
+ console.log(' Run: grimoire status to verify the framework is healthy.');
248
+ console.log(' Run: grimoire doctor for full diagnostics.\n');
249
+ }
250
+
251
+ module.exports = { run };
@@ -33,11 +33,13 @@ async function main() {
33
33
  case 'whoami':
34
34
  handleWhoami();
35
35
  break;
36
+ case 'update':
37
+ await require('./commands/update').run(args.slice(1));
38
+ break;
36
39
  case 'doctor':
37
40
  handleDoctor();
38
41
  break;
39
42
  case 'install':
40
- case 'update':
41
43
  case 'validate':
42
44
  case 'info':
43
45
  console.log(`Delegating ${command} to core logic...`);
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "grimoire-framework",
3
- "version": "1.0.9",
3
+ "version": "1.0.10",
4
4
  "description": "Grimoire: AI-Orchestrated System for Full Stack Development - Core Framework",
5
5
  "publishConfig": {
6
6
  "access": "public"