nemoris 0.1.0

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.
Files changed (223) hide show
  1. package/.env.example +49 -0
  2. package/LICENSE +21 -0
  3. package/README.md +209 -0
  4. package/SECURITY.md +119 -0
  5. package/bin/nemoris +46 -0
  6. package/config/agents/agent.toml.example +28 -0
  7. package/config/agents/default.toml +22 -0
  8. package/config/agents/orchestrator.toml +18 -0
  9. package/config/delivery.toml +73 -0
  10. package/config/embeddings.toml +5 -0
  11. package/config/identity/default-purpose.md +1 -0
  12. package/config/identity/default-soul.md +3 -0
  13. package/config/identity/orchestrator-purpose.md +1 -0
  14. package/config/identity/orchestrator-soul.md +1 -0
  15. package/config/improvement-targets.toml +15 -0
  16. package/config/jobs/heartbeat-check.toml +30 -0
  17. package/config/jobs/memory-rollup.toml +46 -0
  18. package/config/jobs/workspace-health.toml +63 -0
  19. package/config/mcp.toml +16 -0
  20. package/config/output-contracts.toml +17 -0
  21. package/config/peers.toml +32 -0
  22. package/config/peers.toml.example +32 -0
  23. package/config/policies/memory-default.toml +10 -0
  24. package/config/policies/memory-heartbeat.toml +5 -0
  25. package/config/policies/memory-ops.toml +10 -0
  26. package/config/policies/tools-heartbeat-minimal.toml +8 -0
  27. package/config/policies/tools-interactive-safe.toml +8 -0
  28. package/config/policies/tools-ops-bounded.toml +8 -0
  29. package/config/policies/tools-orchestrator.toml +7 -0
  30. package/config/providers/anthropic.toml +15 -0
  31. package/config/providers/ollama.toml +5 -0
  32. package/config/providers/openai-codex.toml +9 -0
  33. package/config/providers/openrouter.toml +5 -0
  34. package/config/router.toml +22 -0
  35. package/config/runtime.toml +114 -0
  36. package/config/skills/self-improvement.toml +15 -0
  37. package/config/skills/telegram-onboarding-spec.md +240 -0
  38. package/config/skills/workspace-monitor.toml +15 -0
  39. package/config/task-router.toml +42 -0
  40. package/install.sh +50 -0
  41. package/package.json +90 -0
  42. package/src/auth/auth-profiles.js +169 -0
  43. package/src/auth/openai-codex-oauth.js +285 -0
  44. package/src/battle.js +449 -0
  45. package/src/cli/help.js +265 -0
  46. package/src/cli/output-filter.js +49 -0
  47. package/src/cli/runtime-control.js +704 -0
  48. package/src/cli-main.js +2763 -0
  49. package/src/cli.js +78 -0
  50. package/src/config/loader.js +332 -0
  51. package/src/config/schema-validator.js +214 -0
  52. package/src/config/toml-lite.js +8 -0
  53. package/src/daemon/action-handlers.js +71 -0
  54. package/src/daemon/healing-tick.js +87 -0
  55. package/src/daemon/health-probes.js +90 -0
  56. package/src/daemon/notifier.js +57 -0
  57. package/src/daemon/nurse.js +218 -0
  58. package/src/daemon/repair-log.js +106 -0
  59. package/src/daemon/rule-staging.js +90 -0
  60. package/src/daemon/rules.js +29 -0
  61. package/src/daemon/telegram-commands.js +54 -0
  62. package/src/daemon/updater.js +85 -0
  63. package/src/jobs/job-runner.js +78 -0
  64. package/src/mcp/consumer.js +129 -0
  65. package/src/memory/active-recall.js +171 -0
  66. package/src/memory/backend-manager.js +97 -0
  67. package/src/memory/backends/file-backend.js +38 -0
  68. package/src/memory/backends/qmd-backend.js +219 -0
  69. package/src/memory/embedding-guards.js +24 -0
  70. package/src/memory/embedding-index.js +118 -0
  71. package/src/memory/embedding-service.js +179 -0
  72. package/src/memory/file-index.js +177 -0
  73. package/src/memory/memory-signature.js +5 -0
  74. package/src/memory/memory-store.js +648 -0
  75. package/src/memory/retrieval-planner.js +66 -0
  76. package/src/memory/scoring.js +145 -0
  77. package/src/memory/simhash.js +78 -0
  78. package/src/memory/sqlite-active-store.js +824 -0
  79. package/src/memory/write-policy.js +36 -0
  80. package/src/onboarding/aliases.js +33 -0
  81. package/src/onboarding/auth/api-key.js +224 -0
  82. package/src/onboarding/auth/ollama-detect.js +42 -0
  83. package/src/onboarding/clack-prompter.js +77 -0
  84. package/src/onboarding/doctor.js +530 -0
  85. package/src/onboarding/lock.js +42 -0
  86. package/src/onboarding/model-catalog.js +344 -0
  87. package/src/onboarding/phases/auth.js +589 -0
  88. package/src/onboarding/phases/build.js +130 -0
  89. package/src/onboarding/phases/choose.js +82 -0
  90. package/src/onboarding/phases/detect.js +98 -0
  91. package/src/onboarding/phases/hatch.js +216 -0
  92. package/src/onboarding/phases/identity.js +79 -0
  93. package/src/onboarding/phases/ollama.js +345 -0
  94. package/src/onboarding/phases/scaffold.js +99 -0
  95. package/src/onboarding/phases/telegram.js +377 -0
  96. package/src/onboarding/phases/validate.js +204 -0
  97. package/src/onboarding/phases/verify.js +206 -0
  98. package/src/onboarding/platform.js +482 -0
  99. package/src/onboarding/status-bar.js +95 -0
  100. package/src/onboarding/templates.js +794 -0
  101. package/src/onboarding/toml-writer.js +38 -0
  102. package/src/onboarding/tui.js +250 -0
  103. package/src/onboarding/uninstall.js +153 -0
  104. package/src/onboarding/wizard.js +499 -0
  105. package/src/providers/anthropic.js +168 -0
  106. package/src/providers/base.js +247 -0
  107. package/src/providers/circuit-breaker.js +136 -0
  108. package/src/providers/ollama.js +163 -0
  109. package/src/providers/openai-codex.js +149 -0
  110. package/src/providers/openrouter.js +136 -0
  111. package/src/providers/registry.js +36 -0
  112. package/src/providers/router.js +16 -0
  113. package/src/runtime/bootstrap-cache.js +47 -0
  114. package/src/runtime/capabilities-prompt.js +25 -0
  115. package/src/runtime/completion-ping.js +99 -0
  116. package/src/runtime/config-validator.js +121 -0
  117. package/src/runtime/context-ledger.js +360 -0
  118. package/src/runtime/cutover-readiness.js +42 -0
  119. package/src/runtime/daemon.js +729 -0
  120. package/src/runtime/delivery-ack.js +195 -0
  121. package/src/runtime/delivery-adapters/local-file.js +41 -0
  122. package/src/runtime/delivery-adapters/openclaw-cli.js +94 -0
  123. package/src/runtime/delivery-adapters/openclaw-peer.js +98 -0
  124. package/src/runtime/delivery-adapters/shadow.js +13 -0
  125. package/src/runtime/delivery-adapters/standalone-http.js +98 -0
  126. package/src/runtime/delivery-adapters/telegram.js +104 -0
  127. package/src/runtime/delivery-adapters/tui.js +128 -0
  128. package/src/runtime/delivery-manager.js +807 -0
  129. package/src/runtime/delivery-store.js +168 -0
  130. package/src/runtime/dependency-health.js +118 -0
  131. package/src/runtime/envelope.js +114 -0
  132. package/src/runtime/evaluation.js +1089 -0
  133. package/src/runtime/exec-approvals.js +216 -0
  134. package/src/runtime/executor.js +500 -0
  135. package/src/runtime/failure-ping.js +67 -0
  136. package/src/runtime/flows.js +83 -0
  137. package/src/runtime/guards.js +45 -0
  138. package/src/runtime/handoff.js +51 -0
  139. package/src/runtime/identity-cache.js +28 -0
  140. package/src/runtime/improvement-engine.js +109 -0
  141. package/src/runtime/improvement-harness.js +581 -0
  142. package/src/runtime/input-sanitiser.js +72 -0
  143. package/src/runtime/interaction-contract.js +347 -0
  144. package/src/runtime/lane-readiness.js +226 -0
  145. package/src/runtime/migration.js +323 -0
  146. package/src/runtime/model-resolution.js +78 -0
  147. package/src/runtime/network.js +64 -0
  148. package/src/runtime/notification-store.js +97 -0
  149. package/src/runtime/notifier.js +256 -0
  150. package/src/runtime/orchestrator.js +53 -0
  151. package/src/runtime/orphan-reaper.js +41 -0
  152. package/src/runtime/output-contract-schema.js +139 -0
  153. package/src/runtime/output-contract-validator.js +439 -0
  154. package/src/runtime/peer-readiness.js +69 -0
  155. package/src/runtime/peer-registry.js +133 -0
  156. package/src/runtime/pilot-status.js +108 -0
  157. package/src/runtime/prompt-builder.js +261 -0
  158. package/src/runtime/provider-attempt.js +582 -0
  159. package/src/runtime/report-fallback.js +71 -0
  160. package/src/runtime/result-normalizer.js +183 -0
  161. package/src/runtime/retention.js +74 -0
  162. package/src/runtime/review.js +244 -0
  163. package/src/runtime/route-job.js +15 -0
  164. package/src/runtime/run-store.js +38 -0
  165. package/src/runtime/schedule.js +88 -0
  166. package/src/runtime/scheduler-state.js +434 -0
  167. package/src/runtime/scheduler.js +656 -0
  168. package/src/runtime/session-compactor.js +182 -0
  169. package/src/runtime/session-search.js +155 -0
  170. package/src/runtime/slack-inbound.js +249 -0
  171. package/src/runtime/ssrf.js +102 -0
  172. package/src/runtime/status-aggregator.js +330 -0
  173. package/src/runtime/task-contract.js +140 -0
  174. package/src/runtime/task-packet.js +107 -0
  175. package/src/runtime/task-router.js +140 -0
  176. package/src/runtime/telegram-inbound.js +1565 -0
  177. package/src/runtime/token-counter.js +134 -0
  178. package/src/runtime/token-estimator.js +59 -0
  179. package/src/runtime/tool-loop.js +200 -0
  180. package/src/runtime/transport-server.js +311 -0
  181. package/src/runtime/tui-server.js +411 -0
  182. package/src/runtime/ulid.js +44 -0
  183. package/src/security/ssrf-check.js +197 -0
  184. package/src/setup.js +369 -0
  185. package/src/shadow/bridge.js +303 -0
  186. package/src/skills/loader.js +84 -0
  187. package/src/tools/catalog.json +49 -0
  188. package/src/tools/cli-delegate.js +44 -0
  189. package/src/tools/mcp-client.js +106 -0
  190. package/src/tools/micro/cancel-task.js +6 -0
  191. package/src/tools/micro/complete-task.js +6 -0
  192. package/src/tools/micro/fail-task.js +6 -0
  193. package/src/tools/micro/http-fetch.js +74 -0
  194. package/src/tools/micro/index.js +36 -0
  195. package/src/tools/micro/lcm-recall.js +60 -0
  196. package/src/tools/micro/list-dir.js +17 -0
  197. package/src/tools/micro/list-skills.js +46 -0
  198. package/src/tools/micro/load-skill.js +38 -0
  199. package/src/tools/micro/memory-search.js +45 -0
  200. package/src/tools/micro/read-file.js +11 -0
  201. package/src/tools/micro/session-search.js +54 -0
  202. package/src/tools/micro/shell-exec.js +43 -0
  203. package/src/tools/micro/trigger-job.js +79 -0
  204. package/src/tools/micro/web-search.js +58 -0
  205. package/src/tools/micro/workspace-paths.js +39 -0
  206. package/src/tools/micro/write-file.js +14 -0
  207. package/src/tools/micro/write-memory.js +41 -0
  208. package/src/tools/registry.js +348 -0
  209. package/src/tools/tool-result-contract.js +36 -0
  210. package/src/tui/chat.js +835 -0
  211. package/src/tui/renderer.js +175 -0
  212. package/src/tui/socket-client.js +217 -0
  213. package/src/utils/canonical-json.js +29 -0
  214. package/src/utils/compaction.js +30 -0
  215. package/src/utils/env-loader.js +5 -0
  216. package/src/utils/errors.js +80 -0
  217. package/src/utils/fs.js +101 -0
  218. package/src/utils/ids.js +5 -0
  219. package/src/utils/model-context-limits.js +30 -0
  220. package/src/utils/token-budget.js +74 -0
  221. package/src/utils/usage-cost.js +25 -0
  222. package/src/utils/usage-metrics.js +14 -0
  223. package/vendor/smol-toml-1.5.2.tgz +0 -0
package/src/setup.js ADDED
@@ -0,0 +1,369 @@
1
+ /**
2
+ * First-run setup script for Nemoris V2.
3
+ *
4
+ * Validates the environment, detects API keys, checks external services,
5
+ * validates config, and ensures state directories exist.
6
+ *
7
+ * No npm dependencies — uses native fetch, native fs, ANSI codes only.
8
+ * Idempotent and non-interactive (no prompts).
9
+ * Exit code 0 if all critical checks pass, 1 otherwise.
10
+ */
11
+
12
+ import fs from "node:fs";
13
+ import os from "node:os";
14
+ import path from "node:path";
15
+ import { fileURLToPath } from "node:url";
16
+
17
+ // ── ANSI helpers ────────────────────────────────────────────────────
18
+
19
+ const BOLD = "\x1b[1m";
20
+ const RESET = "\x1b[0m";
21
+ const GREEN = "\x1b[32m";
22
+ const RED = "\x1b[31m";
23
+ const YELLOW = "\x1b[33m";
24
+ const DIM = "\x1b[2m";
25
+
26
+ const PASS = `${GREEN}\u2713${RESET}`;
27
+ const FAIL = `${RED}\u2717${RESET}`;
28
+ const WARN = `${YELLOW}!${RESET}`;
29
+
30
+ function bold(text) {
31
+ return `${BOLD}${text}${RESET}`;
32
+ }
33
+
34
+ // ── Path resolution ─────────────────────────────────────────────────
35
+
36
+ const __dirname = path.dirname(fileURLToPath(import.meta.url));
37
+ const projectRoot = path.resolve(__dirname, "..");
38
+ const configRoot = path.join(projectRoot, "config");
39
+ const stateRoot = path.join(projectRoot, "state", "memory");
40
+
41
+ // ── Env loader (mirrors cli.js) ─────────────────────────────────────
42
+
43
+ function loadParentEnv(envPath) {
44
+ try {
45
+ const content = fs.readFileSync(envPath, "utf8");
46
+ for (const line of content.split("\n")) {
47
+ const trimmed = line.trim();
48
+ if (!trimmed || trimmed.startsWith("#")) continue;
49
+ const eqIdx = trimmed.indexOf("=");
50
+ if (eqIdx < 1) continue;
51
+ const key = trimmed.slice(0, eqIdx).trim();
52
+ if (process.env[key] !== undefined) continue;
53
+ let value = trimmed.slice(eqIdx + 1).trim();
54
+ if (
55
+ (value.startsWith('"') && value.endsWith('"')) ||
56
+ (value.startsWith("'") && value.endsWith("'"))
57
+ ) {
58
+ value = value.slice(1, -1);
59
+ }
60
+ process.env[key] = value;
61
+ }
62
+ } catch {
63
+ // .env file is optional
64
+ }
65
+ }
66
+
67
+ // ── Helpers ─────────────────────────────────────────────────────────
68
+
69
+ function maskKey(key) {
70
+ if (!key || key.length < 7) return "***";
71
+ return key.slice(0, 6) + "...";
72
+ }
73
+
74
+ function readPackageJson() {
75
+ const raw = fs.readFileSync(path.join(projectRoot, "package.json"), "utf8");
76
+ return JSON.parse(raw);
77
+ }
78
+
79
+ // ── Step 1: Welcome banner ──────────────────────────────────────────
80
+
81
+ function printBanner(pkg) {
82
+ console.log("");
83
+ console.log(
84
+ bold("── Nemoris V2 Setup ") +
85
+ DIM +
86
+ `v${pkg.version}` +
87
+ RESET +
88
+ bold(" ─────────────────────")
89
+ );
90
+ console.log("");
91
+ }
92
+
93
+ // ── Step 2: Node.js version check ───────────────────────────────────
94
+
95
+ function checkNodeVersion() {
96
+ const full = process.version; // e.g. "v25.8.0"
97
+ const major = parseInt(full.slice(1), 10);
98
+ const ok = major >= 22;
99
+ if (ok) {
100
+ console.log(` Node.js ${full} ${PASS}`);
101
+ } else {
102
+ console.log(
103
+ ` Node.js ${full} ${FAIL} (need >= 22.5)`
104
+ );
105
+ }
106
+ return ok;
107
+ }
108
+
109
+ // ── Step 3: Detect API keys ─────────────────────────────────────────
110
+
111
+ function detectApiKeys() {
112
+ // Load parent .env first
113
+ const parentEnvPath = path.resolve(
114
+ process.env.HOME || os.homedir(),
115
+ ".openclaw",
116
+ ".env"
117
+ );
118
+ loadParentEnv(parentEnvPath);
119
+
120
+ const keys = {};
121
+
122
+ // OpenRouter (primary for battle-testing)
123
+ const orKey = process.env.OPENROUTER_API_KEY;
124
+ if (orKey) {
125
+ console.log(` OpenRouter ${maskKey(orKey)} ${PASS} (primary)`);
126
+ keys.openrouter = orKey;
127
+ } else {
128
+ console.log(` OpenRouter not found ${FAIL}`);
129
+ keys.openrouter = null;
130
+ }
131
+
132
+ // Anthropic (optional — routes through OpenRouter when unavailable)
133
+ const antKey = process.env.NEMORIS_ANTHROPIC_API_KEY;
134
+ if (antKey) {
135
+ console.log(` Anthropic ${maskKey(antKey)} ${PASS}`);
136
+ keys.anthropic = antKey;
137
+ } else {
138
+ console.log(` Anthropic not found ${WARN} (optional)`);
139
+ keys.anthropic = null;
140
+ }
141
+
142
+ return keys;
143
+ }
144
+
145
+ // ── Step 4: Validate OpenRouter API key ─────────────────────────────
146
+
147
+ async function validateOpenRouterKey(apiKey) {
148
+ if (!apiKey) return false;
149
+
150
+ try {
151
+ const res = await fetch("https://openrouter.ai/api/v1/models", {
152
+ headers: {
153
+ "Authorization": `Bearer ${apiKey}`,
154
+ },
155
+ signal: AbortSignal.timeout(10000),
156
+ });
157
+
158
+ if (res.ok) {
159
+ console.log(` API check verified ${PASS}`);
160
+ return true;
161
+ }
162
+
163
+ console.log(` API check invalid ${FAIL} (HTTP ${res.status})`);
164
+ return false;
165
+ } catch (err) {
166
+ console.log(` API check error ${FAIL} (${err.message})`);
167
+ return false;
168
+ }
169
+ }
170
+
171
+ // ── Step 5: Check Ollama ────────────────────────────────────────────
172
+
173
+ async function checkOllama() {
174
+ try {
175
+ const res = await fetch("http://localhost:11434/api/tags", {
176
+ signal: AbortSignal.timeout(5000),
177
+ });
178
+ if (!res.ok) {
179
+ console.log(
180
+ ` Ollama unreachable ${WARN} (HTTP ${res.status})`
181
+ );
182
+ return { ok: false, modelCount: 0 };
183
+ }
184
+ const data = await res.json();
185
+ const models = data.models || [];
186
+ if (models.length === 0) {
187
+ console.log(` Ollama 0 models ${WARN} (no models pulled)`);
188
+ } else {
189
+ console.log(
190
+ ` Ollama ${models.length} model${models.length === 1 ? "" : "s"}${models.length < 10 ? " " : " "} ${PASS}`
191
+ );
192
+ for (const m of models) {
193
+ console.log(`${DIM} - ${m.name}${RESET}`);
194
+ }
195
+ }
196
+ return { ok: true, modelCount: models.length };
197
+ } catch {
198
+ console.log(
199
+ ` Ollama not running ${WARN} (remote providers still work)`
200
+ );
201
+ return { ok: false, modelCount: 0 };
202
+ }
203
+ }
204
+
205
+ // ── Step 6: Validate config ─────────────────────────────────────────
206
+
207
+ async function checkConfig() {
208
+ try {
209
+ const { ConfigLoader } = await import("./config/loader.js");
210
+ const { validateAllConfigs } = await import(
211
+ "./config/schema-validator.js"
212
+ );
213
+
214
+ const loader = new ConfigLoader({ rootDir: configRoot });
215
+ const config = await loader.loadAll();
216
+ const result = validateAllConfigs(config, configRoot);
217
+
218
+ if (result.ok) {
219
+ console.log(` Config all valid ${PASS}`);
220
+ } else {
221
+ console.log(
222
+ ` Config ${result.errors.length} error${result.errors.length === 1 ? "" : "s"} ${FAIL}`
223
+ );
224
+ for (const e of result.errors) {
225
+ console.log(`${DIM} - ${e}${RESET}`);
226
+ }
227
+ }
228
+ return result.ok;
229
+ } catch (err) {
230
+ console.log(
231
+ ` Config load error ${FAIL} (${err.message})`
232
+ );
233
+ return false;
234
+ }
235
+ }
236
+
237
+ // ── Step 7: Ensure state directories ────────────────────────────────
238
+
239
+ async function ensureStateDirs() {
240
+ try {
241
+ // Read agent configs to know which dirs are needed
242
+ const agentsDir = path.join(configRoot, "agents");
243
+ const agentFiles = fs.readdirSync(agentsDir).filter((f) => f.endsWith(".toml"));
244
+ const agentIds = agentFiles.map((f) => path.basename(f, ".toml"));
245
+
246
+ let created = 0;
247
+ let _existed = 0;
248
+
249
+ for (const id of agentIds) {
250
+ const dir = path.join(stateRoot, id);
251
+ if (fs.existsSync(dir)) {
252
+ _existed++;
253
+ } else {
254
+ fs.mkdirSync(dir, { recursive: true });
255
+ created++;
256
+ }
257
+ }
258
+
259
+ if (created > 0) {
260
+ console.log(
261
+ ` State dirs ${created} created ${PASS}`
262
+ );
263
+ } else {
264
+ console.log(
265
+ ` State dirs all present ${PASS}`
266
+ );
267
+ }
268
+ return true;
269
+ } catch (err) {
270
+ console.log(
271
+ ` State dirs error ${FAIL} (${err.message})`
272
+ );
273
+ return false;
274
+ }
275
+ }
276
+
277
+ // ── Summary ─────────────────────────────────────────────────────────
278
+
279
+ function printSummary(results) {
280
+ console.log("");
281
+ console.log(bold("── Setup Complete ") + bold("─".repeat(30)));
282
+
283
+ const nodeLabel = results.nodeVersion
284
+ ? `${process.version}`
285
+ : process.version;
286
+ console.log(
287
+ ` Node.js: ${nodeLabel.padEnd(17)}${results.nodeVersion ? PASS : FAIL}`
288
+ );
289
+
290
+ const orLabel = results.keys.openrouter
291
+ ? `${maskKey(results.keys.openrouter)}`
292
+ : "missing";
293
+ const orStatus = results.apiKeyValid
294
+ ? `${PASS} (verified)`
295
+ : results.keys.openrouter
296
+ ? `${FAIL} (unverified)`
297
+ : FAIL;
298
+ console.log(` OpenRouter: ${orLabel.padEnd(17)}${orStatus}`);
299
+
300
+ const antLabel = results.keys.anthropic
301
+ ? `${maskKey(results.keys.anthropic)}`
302
+ : "not set";
303
+ const antStatus = results.keys.anthropic ? PASS : `${WARN} (optional)`;
304
+ console.log(` Anthropic: ${antLabel.padEnd(17)}${antStatus}`);
305
+
306
+ const ollamaLabel = results.ollama.ok
307
+ ? `${results.ollama.modelCount} model${results.ollama.modelCount === 1 ? "" : "s"}`
308
+ : "offline";
309
+ const ollamaStatus = results.ollama.ok ? PASS : WARN;
310
+ console.log(
311
+ ` Ollama: ${ollamaLabel.padEnd(17)}${ollamaStatus}`
312
+ );
313
+
314
+ const configLabel = results.configValid ? "all valid" : "errors";
315
+ console.log(
316
+ ` Config: ${configLabel.padEnd(17)}${results.configValid ? PASS : FAIL}`
317
+ );
318
+
319
+ const stateLabel = results.stateDirs ? "ready" : "error";
320
+ console.log(
321
+ ` State dirs: ${stateLabel.padEnd(17)}${results.stateDirs ? PASS : FAIL}`
322
+ );
323
+
324
+ console.log("");
325
+ console.log(bold(" Ready to run:"));
326
+ console.log(
327
+ ` ${DIM}npm run run:heartbeat${RESET} # dry-run (no API calls)`
328
+ );
329
+ console.log(
330
+ ` ${DIM}npm run run:heartbeat:provider${RESET} # live run (uses API)`
331
+ );
332
+ console.log("");
333
+ }
334
+
335
+ // ── Main ────────────────────────────────────────────────────────────
336
+
337
+ export async function runSetup() {
338
+ const pkg = readPackageJson();
339
+ printBanner(pkg);
340
+
341
+ // Critical checks
342
+ const nodeVersion = checkNodeVersion();
343
+ const keys = detectApiKeys();
344
+ const apiKeyValid = await validateOpenRouterKey(keys.openrouter);
345
+
346
+ // Non-blocking check
347
+ const ollama = await checkOllama();
348
+
349
+ // Critical checks (continued)
350
+ const configValid = await checkConfig();
351
+ const stateDirs = await ensureStateDirs();
352
+
353
+ const results = {
354
+ nodeVersion,
355
+ keys,
356
+ apiKeyValid,
357
+ ollama,
358
+ configValid,
359
+ stateDirs,
360
+ };
361
+
362
+ printSummary(results);
363
+
364
+ // Exit code: fail if any critical check failed
365
+ const criticalPass =
366
+ nodeVersion && keys.openrouter && apiKeyValid && configValid && stateDirs;
367
+
368
+ return criticalPass ? 0 : 1;
369
+ }
@@ -0,0 +1,303 @@
1
+ import path from "node:path";
2
+ import fs from "node:fs/promises";
3
+ import { listFilesRecursive, readJson, readJsonLines, readText } from "../utils/fs.js";
4
+
5
+ function sortNewestFirst(items) {
6
+ return [...items].sort((a, b) => b.mtimeMs - a.mtimeMs);
7
+ }
8
+
9
+ export class OpenClawShadowBridge {
10
+ constructor({ liveRoot }) {
11
+ this.liveRoot = liveRoot;
12
+ }
13
+
14
+ get available() {
15
+ return Boolean(this.liveRoot);
16
+ }
17
+
18
+ async loadConfig() {
19
+ if (!this.available) return {};
20
+ return readJson(path.join(this.liveRoot, "openclaw.json"), {});
21
+ }
22
+
23
+ async loadCronJobs() {
24
+ if (!this.available) return [];
25
+ const data = await readJson(path.join(this.liveRoot, "cron", "jobs.json"), { jobs: [] });
26
+ return data.jobs || [];
27
+ }
28
+
29
+ async loadCronRunHistory(jobId, limit = 3) {
30
+ if (!this.available) return [];
31
+ const filePath = path.join(this.liveRoot, "cron", "runs", `${jobId}.jsonl`);
32
+ const entries = await readJsonLines(filePath);
33
+ return entries.slice(-limit).reverse();
34
+ }
35
+
36
+ async listAgents() {
37
+ const config = await this.loadConfig();
38
+ return (config.agents?.list || []).map((agent) => ({
39
+ id: agent.id,
40
+ name: agent.name,
41
+ workspace: agent.workspace,
42
+ agentDir: agent.agentDir || path.join(this.liveRoot, "agents", agent.id, "agent"),
43
+ primaryModel: agent.model?.primary || null,
44
+ fallbackModels: agent.model?.fallbacks || [],
45
+ deniedTools: agent.tools?.deny || [],
46
+ skills: agent.skills || []
47
+ }));
48
+ }
49
+
50
+ async loadAgentProfiles(agentId) {
51
+ if (!this.available) return {};
52
+ return readJson(path.join(this.liveRoot, "agents", agentId, "agent", "auth-profiles.json"), {});
53
+ }
54
+
55
+ async loadAgentModels(agentId) {
56
+ if (!this.available) return {};
57
+ return readJson(path.join(this.liveRoot, "agents", agentId, "agent", "models.json"), {});
58
+ }
59
+
60
+ async loadSessionIndex(agentId) {
61
+ if (!this.available) return {};
62
+ return readJson(path.join(this.liveRoot, "agents", agentId, "sessions", "sessions.json"), {});
63
+ }
64
+
65
+ async resolveWorkspacePath(agentId, workspaceOverride = null) {
66
+ const agents = await this.listAgents();
67
+ const agent = agents.find((item) => item.id === agentId);
68
+ if (!agent) {
69
+ if (workspaceOverride) return workspaceOverride;
70
+ throw new Error(`Unknown agent: ${agentId}`);
71
+ }
72
+ return agent.workspace;
73
+ }
74
+
75
+ /**
76
+ * Read an identity file (SOUL.md, IDENTITY.md, etc.) with priority:
77
+ * 1. agent.workspace/fileName
78
+ * 2. agent.agentDir/fileName
79
+ * 3. null (caller falls back to stub)
80
+ *
81
+ * Whitespace-only files are treated as absent (same as missing).
82
+ */
83
+ async readIdentityFile(agent, fileName) {
84
+ // Priority 1: workspace dir
85
+ const wsPath = path.join(agent.workspace, fileName);
86
+ try {
87
+ const content = await fs.readFile(wsPath, "utf8");
88
+ if (content.trim()) return content;
89
+ } catch (err) {
90
+ if (err.code !== "ENOENT") throw err;
91
+ }
92
+
93
+ // Priority 2: agent dir
94
+ const agentDirPath = path.join(
95
+ agent.agentDir || path.join(this.liveRoot, "agents", agent.id, "agent"),
96
+ fileName
97
+ );
98
+ try {
99
+ const content = await fs.readFile(agentDirPath, "utf8");
100
+ if (content.trim()) return content;
101
+ } catch (err) {
102
+ if (err.code !== "ENOENT") throw err;
103
+ }
104
+
105
+ return null;
106
+ }
107
+
108
+ /**
109
+ * Read session messages from OpenClaw JSONL files for FTS5 indexing.
110
+ * Only reads active sessions (skips *.reset.jsonl, *.deleted.jsonl).
111
+ * Returns up to `limit` message events (message_in / message_out).
112
+ *
113
+ * @param {string} agentId
114
+ * @param {number} limit Max messages to return (default 1000)
115
+ * Note: each session file is fully loaded before line filtering; for large
116
+ * installations with many messages, memory usage scales with the largest file.
117
+ */
118
+ async readSessionMessages(agentId, limit = 1000) {
119
+ if (!this.available) return [];
120
+ const sessionsDir = path.join(this.liveRoot, "agents", agentId, "sessions");
121
+ let fileNames;
122
+ try {
123
+ const entries = await fs.readdir(sessionsDir, { withFileTypes: true });
124
+ fileNames = entries
125
+ .filter(e => e.isFile() && e.name.endsWith(".jsonl")
126
+ && !e.name.endsWith(".reset.jsonl")
127
+ && !e.name.endsWith(".deleted.jsonl"))
128
+ .map(e => e.name);
129
+ } catch (err) {
130
+ if (err.code === "ENOENT" || err.code === "ENOTDIR") return [];
131
+ throw err;
132
+ }
133
+
134
+ const messages = [];
135
+ for (const fileName of fileNames) {
136
+ if (messages.length >= limit) break;
137
+ const filePath = path.join(sessionsDir, fileName);
138
+ const lines = await readJsonLines(filePath);
139
+ for (let lineIdx = 0; lineIdx < lines.length; lineIdx++) {
140
+ if (messages.length >= limit) break;
141
+ const line = lines[lineIdx];
142
+ // Accept events with kind message_in/message_out (Nemoris format)
143
+ // or role user/assistant (OpenClaw legacy format)
144
+ const kind = line.kind || (line.role === "user" ? "message_in" : line.role === "assistant" ? "message_out" : null);
145
+ if (kind !== "message_in" && kind !== "message_out") continue;
146
+ messages.push({
147
+ id: line.id || `oc-${path.basename(fileName, ".jsonl")}-${lineIdx}`,
148
+ session_id: line.session_id || path.basename(fileName, ".jsonl"),
149
+ kind,
150
+ ts: line.ts || 0,
151
+ payload_json: line.payload_json || JSON.stringify({ content: line.content || "" }),
152
+ });
153
+ }
154
+ }
155
+ return messages;
156
+ }
157
+
158
+ async readWorkspaceDocs(agentId, workspaceOverride = null) {
159
+ const workspaceRoot = await this.resolveWorkspacePath(agentId, workspaceOverride);
160
+ const MAX_FILES = 50;
161
+ const MAX_BYTES = 100 * 1024;
162
+
163
+ let fileNames;
164
+ try {
165
+ const entries = await fs.readdir(workspaceRoot, { withFileTypes: true });
166
+ const IDENTITY_FILES = new Set(["SOUL.md", "IDENTITY.md"]);
167
+ fileNames = entries
168
+ .filter(e => e.isFile() && e.name.endsWith(".md") && !IDENTITY_FILES.has(e.name))
169
+ .map(e => e.name)
170
+ .slice(0, MAX_FILES);
171
+ } catch (err) {
172
+ if (err.code === "ENOENT" || err.code === "ENOTDIR") return [];
173
+ throw err;
174
+ }
175
+
176
+ const docs = [];
177
+ for (const fileName of fileNames) {
178
+ const fullPath = path.join(workspaceRoot, fileName);
179
+ try {
180
+ const content = await fs.readFile(fullPath, "utf8");
181
+ if (content.length <= MAX_BYTES) {
182
+ docs.push({ fileName, fullPath, content });
183
+ }
184
+ } catch (err) {
185
+ if (err.code !== "ENOENT") throw err;
186
+ continue;
187
+ }
188
+ }
189
+ return docs;
190
+ }
191
+
192
+ async readRecentWorkspaceMemory(agentId, limit = 5, workspaceOverride = null) {
193
+ const workspaceRoot = await this.resolveWorkspacePath(agentId, workspaceOverride);
194
+ const memoryDir = path.join(workspaceRoot, "memory");
195
+ const allFiles = (await listFilesRecursive(memoryDir)).filter((filePath) => filePath.endsWith(".md"));
196
+ const stats = await Promise.all(
197
+ allFiles.map(async (filePath) => {
198
+ const content = await readText(filePath, "");
199
+ const match = /(\d{4}-\d{2}-\d{2})/.exec(path.basename(filePath));
200
+ const dateHint = match ? new Date(`${match[1]}T00:00:00Z`).getTime() : 0;
201
+ return {
202
+ filePath,
203
+ content,
204
+ mtimeMs: dateHint
205
+ };
206
+ })
207
+ );
208
+
209
+ return sortNewestFirst(stats).slice(0, limit);
210
+ }
211
+
212
+ async buildWorkspaceSnapshot(agentId, options = {}) {
213
+ const workspaceOverride = options.workspaceOverride || null;
214
+ const canUseLiveAgent = (await this.listAgents()).some((agent) => agent.id === agentId);
215
+ const [docs, recentMemory, sessionIndex, authProfiles, models] = await Promise.all([
216
+ this.readWorkspaceDocs(agentId, workspaceOverride),
217
+ this.readRecentWorkspaceMemory(agentId, 6, workspaceOverride),
218
+ canUseLiveAgent ? this.loadSessionIndex(agentId) : {},
219
+ canUseLiveAgent ? this.loadAgentProfiles(agentId) : {},
220
+ canUseLiveAgent ? this.loadAgentModels(agentId) : {}
221
+ ]);
222
+
223
+ const sessionEntries = Object.entries(sessionIndex || {}).map(([sessionKey, value]) => ({
224
+ sessionKey,
225
+ model: value.model || null,
226
+ modelProvider: value.modelProvider || null,
227
+ updatedAt: value.updatedAt || null,
228
+ origin: value.origin || null,
229
+ lastChannel: value.lastChannel || null
230
+ }));
231
+
232
+ return {
233
+ agentId,
234
+ docs,
235
+ recentMemory,
236
+ sessionEntries,
237
+ authProfiles,
238
+ models
239
+ };
240
+ }
241
+
242
+ async importWorkspaceSnapshot(agentId, memoryStore, policy, options = {}) {
243
+ const snapshot = await this.buildWorkspaceSnapshot(agentId, options);
244
+ const memoryImportLimit = options.memoryImportLimit ?? 5;
245
+ const memorySnippetChars = options.memorySnippetChars ?? 2000;
246
+ let writesThisRun = 0;
247
+ let importedFacts = 0;
248
+ let skippedFacts = 0;
249
+
250
+ await memoryStore.writeSummary(agentId, {
251
+ title: `shadow snapshot ${agentId}`,
252
+ summary: `Imported ${snapshot.docs.length} workspace docs and ${snapshot.recentMemory.length} recent memory files from live OpenClaw in read-only mode.`,
253
+ content: snapshot.docs.map((doc) => `${doc.fileName}: ${doc.fullPath}`).join("\n"),
254
+ category: "artifact_summary",
255
+ sourceKind: "shadow_snapshot",
256
+ salience: 0.75,
257
+ sourceRefs: snapshot.docs.map((doc) => doc.fullPath)
258
+ });
259
+
260
+ for (const entry of snapshot.recentMemory.slice(0, memoryImportLimit)) {
261
+ const result = await memoryStore.writeFact(
262
+ agentId,
263
+ {
264
+ title: path.basename(entry.filePath),
265
+ content: entry.content.slice(0, memorySnippetChars),
266
+ category: "artifact_summary",
267
+ sourceKind: "shadow_snapshot",
268
+ reason: "Shadow import of recent workspace memory for retrieval and continuity.",
269
+ sourceRefs: [entry.filePath]
270
+ },
271
+ policy,
272
+ {
273
+ writesThisRun
274
+ }
275
+ );
276
+ if (result.accepted && !result.skipped) {
277
+ writesThisRun += 1;
278
+ importedFacts += 1;
279
+ } else if (result.skipped) {
280
+ skippedFacts += 1;
281
+ }
282
+ }
283
+
284
+ await memoryStore.appendEvent(agentId, {
285
+ title: `shadow import complete:${agentId}`,
286
+ content: `Imported live workspace snapshot for ${agentId} without modifying source files.`,
287
+ category: "shadow_import",
288
+ salience: 0.66,
289
+ dedupeKey: `shadow_import:${agentId}`
290
+ });
291
+
292
+ return {
293
+ ...snapshot,
294
+ importStats: {
295
+ importedFacts,
296
+ skippedFacts,
297
+ writesThisRun,
298
+ memoryImportLimit,
299
+ memorySnippetChars
300
+ }
301
+ };
302
+ }
303
+ }