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
@@ -0,0 +1,38 @@
1
+ import fs from "node:fs";
2
+ import path from "node:path";
3
+ import { parse } from "smol-toml";
4
+
5
+ export function upsertTomlSection(content, sectionName, newBlock) {
6
+ const escaped = sectionName.replace(/\./g, "\\.");
7
+ const sectionRegex = new RegExp(`\\n?\\[${escaped}\\][\\s\\S]*?(?=\\n\\[|$)`, "g");
8
+ const stripped = String(content || "").replace(sectionRegex, "").trimEnd();
9
+ const block = String(newBlock || "").trim();
10
+ return stripped ? `${stripped}\n\n${block}\n` : `${block}\n`;
11
+ }
12
+
13
+ export function countTomlSections(content, sectionName) {
14
+ const escaped = sectionName.replace(/\./g, "\\.");
15
+ const sectionRegex = new RegExp(`\\[${escaped}\\]`, "g");
16
+ return (String(content || "").match(sectionRegex) || []).length;
17
+ }
18
+
19
+ export function assertSingleTomlSection(content, sectionName) {
20
+ if (countTomlSections(content, sectionName) > 1) {
21
+ throw new Error(`Invalid TOML document: duplicate [${sectionName}] section.`);
22
+ }
23
+ parse(String(content || ""));
24
+ }
25
+
26
+ export function writeTomlSection(filePath, sectionName, newBlock) {
27
+ let content = "";
28
+ try {
29
+ content = fs.readFileSync(filePath, "utf8");
30
+ } catch {
31
+ content = "";
32
+ }
33
+ const next = upsertTomlSection(content, sectionName, newBlock);
34
+ assertSingleTomlSection(next, sectionName);
35
+ fs.mkdirSync(path.dirname(filePath), { recursive: true });
36
+ fs.writeFileSync(filePath, next, "utf8");
37
+ return next;
38
+ }
@@ -0,0 +1,250 @@
1
+ import readline from "node:readline";
2
+
3
+ // ── ANSI (Node 25 util.styleText or fallback) ───────────────────
4
+ const hasStyleText = typeof (await import("node:util")).styleText === "function";
5
+ const { styleText } = hasStyleText ? await import("node:util") : {};
6
+
7
+ export function bold(text) {
8
+ return hasStyleText ? styleText("bold", text) : `\x1b[1m${text}\x1b[0m`;
9
+ }
10
+ export function green(text) {
11
+ return hasStyleText ? styleText("green", text) : `\x1b[32m${text}\x1b[0m`;
12
+ }
13
+ export function red(text) {
14
+ return hasStyleText ? styleText("red", text) : `\x1b[31m${text}\x1b[0m`;
15
+ }
16
+ export function yellow(text) {
17
+ return hasStyleText ? styleText("yellow", text) : `\x1b[33m${text}\x1b[0m`;
18
+ }
19
+ export function dim(text) {
20
+ return hasStyleText ? styleText("dim", text) : `\x1b[2m${text}\x1b[0m`;
21
+ }
22
+
23
+ // ── Formatting ──────────────────────────────────────────────────
24
+
25
+ export function maskKey(key) {
26
+ if (!key || key.length < 8) return "***";
27
+ return key.slice(0, 6) + "..." + key.slice(-3);
28
+ }
29
+
30
+ export function formatCheck(label, value, status) {
31
+ const icon = status === "pass" ? green("✓")
32
+ : status === "fail" ? red("✗")
33
+ : yellow("!");
34
+ return ` ${label.padEnd(15)}${value.padEnd(20)}${icon}`;
35
+ }
36
+
37
+ export function formatSection(title) {
38
+ return `\n ${bold(title)}`;
39
+ }
40
+
41
+ // Brand accent: #2dd4bf — matches nanoclawV2 --color-accent
42
+ const BRAND = "\x1b[38;2;45;212;191m";
43
+ const RESET = "\x1b[0m";
44
+ const brand = (s) => `${BRAND}${s}${RESET}`;
45
+
46
+ export function banner(title, version) {
47
+ const ascii = [
48
+ "███╗ ██╗███████╗███╗ ███╗ ██████╗ ██████╗ ██╗███████╗",
49
+ "████╗ ██║██╔════╝████╗ ████║██╔═══██╗██╔══██╗██║██╔════╝",
50
+ "██╔██╗ ██║█████╗ ██╔████╔██║██║ ██║██████╔╝██║███████╗",
51
+ "██║╚██╗██║██╔══╝ ██║╚██╔╝██║██║ ██║██╔══██╗██║╚════██║",
52
+ "██║ ╚████║███████╗██║ ╚═╝ ██║╚██████╔╝██║ ██║██║███████║",
53
+ "╚═╝ ╚═══╝╚══════╝╚═╝ ╚═╝ ╚═════╝ ╚═╝ ╚═╝╚═╝╚══════╝",
54
+ ].join("\n");
55
+ // Font: ANSI Shadow — https://patorjk.com/software/taag/#p=display&f=ANSI+Shadow&t=Nemoris
56
+ return `\n${brand(ascii)}\n${dim(` v${version}`)}\n`;
57
+ }
58
+
59
+ // ── Input ───────────────────────────────────────────────────────
60
+
61
+ export function prompt(question, defaultValue) {
62
+ return new Promise((resolve) => {
63
+ const rl = readline.createInterface({ input: process.stdin, output: process.stdout });
64
+ const suffix = defaultValue ? dim(` (${defaultValue})`) : "";
65
+ rl.question(` ${question}${suffix}: `, (answer) => {
66
+ rl.close();
67
+ resolve(answer.trim() || defaultValue || "");
68
+ });
69
+ });
70
+ }
71
+
72
+ export function promptSecret(question) {
73
+ return new Promise((resolve) => {
74
+ const rl = readline.createInterface({ input: process.stdin, output: process.stdout });
75
+ process.stdout.write(` ${question}: `);
76
+ // Mute output for secret input
77
+ const originalWrite = process.stdout.write.bind(process.stdout);
78
+ let collecting = true;
79
+ process.stdout.write = (chunk) => {
80
+ if (collecting && typeof chunk === "string" && !chunk.includes(question)) return true;
81
+ return originalWrite(chunk);
82
+ };
83
+ rl.question("", (answer) => {
84
+ collecting = false;
85
+ process.stdout.write = originalWrite;
86
+ process.stdout.write("\n");
87
+ rl.close();
88
+ resolve(answer.trim());
89
+ });
90
+ });
91
+ }
92
+
93
+ export function confirm(question, defaultValue = true) {
94
+ if (!process.stdin.isTTY || !process.stdin.setRawMode) {
95
+ return new Promise((resolve) => {
96
+ const rl = readline.createInterface({ input: process.stdin, output: process.stdout });
97
+ const hint = defaultValue ? "Y/n" : "y/N";
98
+ rl.question(` ${question} ${dim(`(${hint})`)}: `, (answer) => {
99
+ rl.close();
100
+ const a = answer.trim().toLowerCase();
101
+ resolve(a === "" ? defaultValue : a === "y");
102
+ });
103
+ });
104
+ }
105
+ return new Promise((resolve) => {
106
+ let yes = defaultValue;
107
+ function draw(first) {
108
+ const yLabel = yes ? bold(cyan("Yes")) : dim("Yes");
109
+ const nLabel = !yes ? bold(cyan("No")) : dim("No");
110
+ if (!first) process.stdout.write("\x1B[1A\x1B[2K");
111
+ process.stdout.write(` ${question} ${yLabel} ${nLabel}\n`);
112
+ }
113
+ draw(true);
114
+ process.stdin.setRawMode(true);
115
+ process.stdin.resume();
116
+ process.stdin.setEncoding("utf8");
117
+ function onKey(key) {
118
+ if (key === "\x1B[D" || key === "\x1B[A" || key === "h" || key === "k") {
119
+ yes = true;
120
+ draw(false);
121
+ } else if (key === "\x1B[C" || key === "\x1B[B" || key === "l" || key === "j") {
122
+ yes = false;
123
+ draw(false);
124
+ } else if (key === "\r" || key === "\n") {
125
+ process.stdin.setRawMode(false);
126
+ process.stdin.pause();
127
+ process.stdin.removeListener("data", onKey);
128
+ resolve(yes);
129
+ } else if (key === "\x03") {
130
+ process.stdin.setRawMode(false);
131
+ process.stdin.pause();
132
+ process.exit(1);
133
+ }
134
+ }
135
+ process.stdin.on("data", onKey);
136
+ });
137
+ }
138
+
139
+ function countRenderedOptionLines(option) {
140
+ const description = option.description || option.desc || "";
141
+ return 1 + String(description).split("\n").filter(Boolean).length;
142
+ }
143
+
144
+ function renderOption(option, index, selected) {
145
+ const marker = selected ? cyan("›") : " ";
146
+ const label = selected ? bold(option.label) : dim(option.label);
147
+ console.log(` ${marker} ${label}`);
148
+
149
+ const description = option.description || option.desc || "";
150
+ for (const line of String(description).split("\n").filter(Boolean)) {
151
+ console.log(` ${dim(line)}`);
152
+ }
153
+ }
154
+
155
+ export function select(question, options) {
156
+ if (!process.stdin.isTTY || !process.stdin.setRawMode) {
157
+ return new Promise((resolve) => {
158
+ const rl = readline.createInterface({ input: process.stdin, output: process.stdout });
159
+ console.log(`\n ${question}`);
160
+ options.forEach((opt, i) => {
161
+ console.log(` ${dim(`[${i + 1}]`)} ${opt.label}`);
162
+ const description = opt.description || opt.desc || "";
163
+ for (const line of String(description).split("\n").filter(Boolean)) {
164
+ console.log(` ${dim(line)}`);
165
+ }
166
+ });
167
+ rl.question(`\n Choice: `, (answer) => {
168
+ rl.close();
169
+ const idx = parseInt(answer, 10) - 1;
170
+ resolve(options[idx >= 0 && idx < options.length ? idx : 0].value);
171
+ });
172
+ });
173
+ }
174
+ return new Promise((resolve) => {
175
+ let selected = 0;
176
+ const renderedLines = 1 + options.reduce((sum, opt) => sum + countRenderedOptionLines(opt), 0);
177
+ function render(first) {
178
+ if (!first) process.stdout.write(`\x1B[${renderedLines}A\x1B[J`);
179
+ console.log(` ${question}`);
180
+ options.forEach((opt, i) => renderOption(opt, i, i === selected));
181
+ }
182
+ console.log("");
183
+ render(true);
184
+ process.stdin.setRawMode(true);
185
+ process.stdin.resume();
186
+ process.stdin.setEncoding("utf8");
187
+ function onKey(key) {
188
+ if (key === "\x1B[A" || key === "k") {
189
+ selected = Math.max(0, selected - 1);
190
+ render(false);
191
+ } else if (key === "\x1B[B" || key === "j") {
192
+ selected = Math.min(options.length - 1, selected + 1);
193
+ render(false);
194
+ } else if (key === "\r" || key === "\n") {
195
+ process.stdin.setRawMode(false);
196
+ process.stdin.pause();
197
+ process.stdin.removeListener("data", onKey);
198
+ process.stdout.write("\n");
199
+ resolve(options[selected].value);
200
+ } else if (key === "\x03") {
201
+ process.stdin.setRawMode(false);
202
+ process.stdin.pause();
203
+ process.exit(1);
204
+ }
205
+ }
206
+ process.stdin.on("data", onKey);
207
+ });
208
+ }
209
+
210
+ export function waitForEnter(message) {
211
+ return new Promise((resolve) => {
212
+ const rl = readline.createInterface({ input: process.stdin, output: process.stdout });
213
+ rl.question(` ${message} `, () => {
214
+ rl.close();
215
+ resolve();
216
+ });
217
+ });
218
+ }
219
+
220
+ // ── Nemoris-branded rendering helpers ───────────────────────────
221
+ // Match the landing page terminal style: teal accent, tree connectors
222
+
223
+ export function cyan(text) {
224
+ // Always use raw ANSI for cyan: styleText strips codes in non-TTY environments
225
+ // which breaks test assertions and terminal output in piped contexts.
226
+ return `\x1b[36m${text}\x1b[0m`;
227
+ }
228
+
229
+ export function treeItem(label, value, status) {
230
+ const icon = status === "pass" ? green("✓ ")
231
+ : status === "fail" ? red("✗ ")
232
+ : "";
233
+ return ` ${dim("└")} ${icon}${dim(label.padEnd(12))}${cyan(value)}`;
234
+ }
235
+
236
+ export function progressLine(label, filePath) {
237
+ return ` ${green("✓")} ${label.padEnd(24)}${dim(filePath)}`;
238
+ }
239
+
240
+ export function sectionHeader(text) {
241
+ return ` ${bold("•")} ${text}`;
242
+ }
243
+
244
+ export function whatsNext(commands) {
245
+ const lines = [`\n ${bold("What's next:")}\n`];
246
+ for (const [cmd, desc] of commands) {
247
+ lines.push(` ${cyan(cmd.padEnd(22))}${dim(desc)}`);
248
+ }
249
+ return lines.join("\n") + "\n";
250
+ }
@@ -0,0 +1,153 @@
1
+ /**
2
+ * nemoris uninstall
3
+ *
4
+ * Removes all user-specific setup artifacts:
5
+ * - Daemon plist (ai.nemoris.daemon.plist + legacy ai.nanoclaw.daemon.plist)
6
+ * - .env (secrets)
7
+ * - state/ (SQLite DB + runtime state)
8
+ * - config/runtime.toml (reset to git default via git checkout, or delete if not in git)
9
+ *
10
+ * The code repo itself is NOT removed — you keep the install directory.
11
+ * Re-run `nemoris setup` to start fresh.
12
+ */
13
+
14
+ import { execFile as execFileCb } from "node:child_process";
15
+ import { promisify } from "node:util";
16
+ import { existsSync, rmSync, readFileSync } from "node:fs";
17
+ import { join } from "node:path";
18
+ import { createInterface } from "node:readline";
19
+ import { unloadDaemon } from "./platform.js";
20
+ import { getDaemonPaths, readTrackedPid, isPidRunning } from "../cli/runtime-control.js";
21
+
22
+ const execFile = promisify(execFileCb);
23
+
24
+ async function confirm(question) {
25
+ const rl = createInterface({ input: process.stdin, output: process.stdout });
26
+ return new Promise((resolve) => {
27
+ rl.question(question, (answer) => {
28
+ rl.close();
29
+ resolve(answer.trim().toLowerCase());
30
+ });
31
+ });
32
+ }
33
+
34
+ async function wipeEnv(installDir) {
35
+ const envPath = join(installDir, ".env");
36
+ if (existsSync(envPath)) {
37
+ // Grab bot token before wiping so we can print it for safekeeping
38
+ let botToken = null;
39
+ try {
40
+ const lines = readFileSync(envPath, "utf8").split("\n");
41
+ for (const line of lines) {
42
+ const m = line.match(/^NEMORIS_TELEGRAM_BOT_TOKEN\s*=\s*(.+)/);
43
+ if (m) botToken = m[1].trim();
44
+ }
45
+ } catch (_) {}
46
+
47
+ rmSync(envPath);
48
+ console.log(" ✓ .env removed");
49
+ if (botToken) {
50
+ console.log(` ℹ Bot token for reference: ${botToken}`);
51
+ }
52
+ } else {
53
+ console.log(" · .env not found (already clean)");
54
+ }
55
+ }
56
+
57
+ /**
58
+ * Kill any foreground daemon tracked by daemon.pid before wiping state.
59
+ * unloadDaemon() handles PM2/launchctl/systemd — this covers the
60
+ * `nemoris start --foreground` case which only leaves a PID file.
61
+ * Safe no-op if no process is running.
62
+ */
63
+ async function stopForegroundDaemon(installDir) {
64
+ const { pidFile, lockFile } = getDaemonPaths(installDir);
65
+ const pid = readTrackedPid(pidFile);
66
+
67
+ if (!pid || !isPidRunning(pid)) return;
68
+
69
+ console.log(` · Stopping foreground daemon (pid ${pid})...`);
70
+
71
+ // Send SIGTERM (graceful on Linux/macOS; TerminateProcess on Windows — immediate)
72
+ try {
73
+ process.kill(pid, "SIGTERM");
74
+ } catch (e) {
75
+ if (e.code !== "ESRCH" && e.code !== "EPERM") throw e;
76
+ }
77
+
78
+ // Wait up to 3 s for the process to exit (no-op on Windows — already gone)
79
+ for (let i = 0; i < 6; i++) {
80
+ await new Promise((r) => setTimeout(r, 500));
81
+ if (!isPidRunning(pid)) break;
82
+ }
83
+
84
+ // Force-kill if still alive (Linux/macOS only — won't reach here on Windows)
85
+ if (isPidRunning(pid)) {
86
+ try { process.kill(pid, "SIGKILL"); } catch (_) {}
87
+ await new Promise((r) => setTimeout(r, 500));
88
+ }
89
+
90
+ // Clean up stale PID / lock files so wipeState() has no contention
91
+ for (const f of [pidFile, lockFile]) {
92
+ try { rmSync(f, { force: true }); } catch (_) {}
93
+ }
94
+
95
+ console.log(" ✓ Foreground daemon stopped");
96
+ }
97
+
98
+ async function wipeState(installDir) {
99
+ const statePath = join(installDir, "state");
100
+ if (existsSync(statePath)) {
101
+ rmSync(statePath, { recursive: true, force: true });
102
+ console.log(" ✓ state/ removed");
103
+ } else {
104
+ console.log(" · state/ not found (already clean)");
105
+ }
106
+ }
107
+
108
+ async function resetRuntimeToml(installDir) {
109
+ const runtimeToml = join(installDir, "config", "runtime.toml");
110
+ if (!existsSync(runtimeToml)) {
111
+ console.log(" · config/runtime.toml not found (already clean)");
112
+ return;
113
+ }
114
+ try {
115
+ // Try git reset first (preserves git-tracked default)
116
+ await execFile("git", ["checkout", "config/runtime.toml"], { cwd: installDir, timeout: 5000 });
117
+ console.log(" ✓ config/runtime.toml reset to git default");
118
+ } catch (_) {
119
+ // Not a git repo or file not in git — just remove it
120
+ rmSync(runtimeToml, { force: true });
121
+ console.log(" ✓ config/runtime.toml removed");
122
+ }
123
+ }
124
+
125
+ export async function runUninstall({ installDir = process.cwd(), force = false } = {}) {
126
+ console.log("\n🗑 Nemoris Uninstall\n");
127
+ console.log("This will remove:");
128
+ console.log(" • Daemon service (stops the background service)");
129
+ console.log(" • .env (secrets — save your bot token first if needed)");
130
+ console.log(" • state/ (all sessions, jobs, and history)");
131
+ console.log(" • config/runtime.toml (reset to defaults)");
132
+ console.log("\nThe Nemoris binary is not removed. Run `nemoris setup` to start fresh.\n");
133
+
134
+ if (!force) {
135
+ const answer = await confirm("Are you sure? Type 'yes' to continue: ");
136
+ if (answer !== "yes") {
137
+ console.log("\nAborted. Nothing changed.\n");
138
+ return 0;
139
+ }
140
+ }
141
+
142
+ console.log("\nUninstalling...\n");
143
+
144
+ await unloadDaemon();
145
+ await stopForegroundDaemon(installDir);
146
+ await wipeEnv(installDir);
147
+ await wipeState(installDir);
148
+ await resetRuntimeToml(installDir);
149
+
150
+ console.log("\n✅ Nemoris uninstalled cleanly.");
151
+ console.log(" Run `nemoris setup` to configure and start again.\n");
152
+ return 0;
153
+ }