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,206 @@
1
+ import fs from "node:fs";
2
+ import path from "node:path";
3
+ import { validateScaffold } from "./validate.js";
4
+ import { sendHatchMessage } from "./telegram.js";
5
+ import { writeDaemonUnit, loadDaemon } from "../platform.js";
6
+ import { green, yellow, dim, cyan, treeItem, sectionHeader, confirm, bold } from "../tui.js";
7
+
8
+ export function getCommandsWorthKnowing({ telegramConfigured = false } = {}) {
9
+ const commands = [
10
+ ["nemoris status", "see what your agent is doing"],
11
+ ["nemoris doctor", "run a health check"],
12
+ ["nemoris logs", "watch live daemon output"],
13
+ ];
14
+ if (telegramConfigured) {
15
+ commands.push(["/help", "show commands in Telegram"]);
16
+ }
17
+ return commands;
18
+ }
19
+
20
+ /**
21
+ * Verify phase — dry-run health check + "what's next" output.
22
+ * Replaces the old hatch phase egg animation.
23
+ *
24
+ * In non-interactive mode, returns JSON summary.
25
+ */
26
+ export async function verify({
27
+ installDir,
28
+ agentName,
29
+ userName,
30
+ agentId,
31
+ mode,
32
+ providers = [],
33
+ providerFlags: _providerFlags = {},
34
+ nonInteractive = false,
35
+ skipHealthcheck = false,
36
+ importStats = null,
37
+ telegramConfigured = false,
38
+ telegramVerified = false,
39
+ telegramBotUsername = null,
40
+ telegramBotToken = null,
41
+ telegramOperatorChatId = null,
42
+ userGoal = "",
43
+ }) {
44
+ const result = {
45
+ status: "ok",
46
+ mode,
47
+ agent: agentId,
48
+ provider: providers[0] || "none",
49
+ ...(mode === "shadow" && importStats ? { imported: importStats } : {}),
50
+ healthcheck: "skip",
51
+ };
52
+
53
+ // Run validation / health check
54
+ if (!skipHealthcheck) {
55
+ try {
56
+ const validation = await validateScaffold(installDir);
57
+ result.healthcheck = validation.configValid ? "pass" : "fail";
58
+ if (!validation.configValid) {
59
+ result.status = "warning";
60
+ result.errors = validation.errors;
61
+ }
62
+ } catch {
63
+ result.healthcheck = "fail";
64
+ }
65
+ }
66
+
67
+ // Non-interactive: return JSON
68
+ if (nonInteractive) {
69
+ if (!process.env.NEMORIS_QUIET) {
70
+ console.log(JSON.stringify(result));
71
+ }
72
+ return result;
73
+ }
74
+
75
+ // Interactive: structured output
76
+ console.log(`\n${sectionHeader("First Run (dry)")}`);
77
+ console.log(treeItem("provider", providers[0] || "none"));
78
+ if (mode === "shadow" && importStats) {
79
+ console.log(treeItem("memory", `${importStats.memory} entries loaded`));
80
+ } else {
81
+ console.log(treeItem("memory", "empty · first run"));
82
+ }
83
+ console.log(treeItem("contract", "HealthCheck"));
84
+
85
+ if (result.healthcheck === "pass") {
86
+ const suffix = mode === "shadow" ? `${agentName} is home` : "your agent is alive";
87
+ console.log(` ${green("✓")} healthy — ${suffix}`);
88
+ } else if (result.healthcheck === "skip") {
89
+ console.log(` ${dim("⊘")} health check skipped`);
90
+ } else {
91
+ console.log(` ${dim("!")} health check had issues (run nemoris doctor)`);
92
+ }
93
+
94
+ // Telegram status
95
+ if (telegramConfigured && telegramVerified) {
96
+ console.log(treeItem("telegram", `connected · @${telegramBotUsername || "bot"}`, "pass"));
97
+ } else if (telegramConfigured && !telegramVerified) {
98
+ console.log(` ${yellow("!")} Telegram configured but not verified — run ${cyan("nemoris setup telegram")} to test`);
99
+ }
100
+
101
+ console.log(`\n ${green("✓")} Nemoris is ready`);
102
+
103
+ // Auto-start daemon
104
+ let daemonStarted = false;
105
+ let hatchSent = false;
106
+ let unitWritten = false;
107
+
108
+ try {
109
+ const unitResult = await writeDaemonUnit(installDir);
110
+ unitWritten = unitResult.ok;
111
+ } catch (err) {
112
+ console.log(` ${yellow("!")} Couldn't write daemon unit: ${err.message}`);
113
+ }
114
+
115
+ if (unitWritten) {
116
+ const start = await confirm("Start your agent now?", true);
117
+ if (start) {
118
+ const loadResult = await loadDaemon(installDir);
119
+ if (loadResult.ok) {
120
+ daemonStarted = true;
121
+
122
+ // Send hatch message to Telegram
123
+ if (telegramConfigured && telegramVerified && telegramOperatorChatId && telegramBotToken) {
124
+ try {
125
+ // Load identity content + provider config for AI-generated greeting
126
+ let soulContent = "";
127
+ let purposeContent = "";
128
+ let providerConfig = null;
129
+
130
+ try {
131
+ const effectiveId = agentId || agentName.toLowerCase().replace(/[^a-z0-9-]/g, "-");
132
+ const identityDir = path.join(installDir, "config", "identity");
133
+ soulContent = fs.readFileSync(path.join(identityDir, `${effectiveId}-soul.md`), "utf8");
134
+ purposeContent = fs.readFileSync(path.join(identityDir, `${effectiveId}-purpose.md`), "utf8");
135
+ } catch {
136
+ // Identity files may not exist yet — use defaults
137
+ }
138
+
139
+ if (providers.length > 0) {
140
+ try {
141
+ const { ConfigLoader } = await import("../../config/loader.js");
142
+ const loader = new ConfigLoader({ rootDir: path.join(installDir, "config") });
143
+ const providerMap = await loader.loadProviders();
144
+ providerConfig = providerMap[providers[0]] || null;
145
+ } catch {
146
+ // Provider config may not be loadable — fall back to static greeting
147
+ }
148
+ }
149
+
150
+ // Detect migrated vs fresh: shadow mode or existing memory = migrated agent
151
+ const isMigrated = mode === "shadow" || (importStats && importStats.memory > 0);
152
+
153
+ const hatched = await sendHatchMessage({
154
+ token: telegramBotToken,
155
+ chatId: telegramOperatorChatId,
156
+ agentName,
157
+ userName,
158
+ installDir,
159
+ agentId,
160
+ userGoal,
161
+ soulContent,
162
+ purposeContent,
163
+ providerConfig,
164
+ migrated: isMigrated,
165
+ });
166
+ if (hatched) {
167
+ hatchSent = true;
168
+ }
169
+ } catch {
170
+ // best-effort, don't fail setup if this errors
171
+ }
172
+ }
173
+ } else {
174
+ console.log(` ${yellow("!")} ${loadResult.message || "Couldn't auto-start"} — run ${cyan("nemoris start")} manually`);
175
+ }
176
+ }
177
+ }
178
+
179
+ // Final Output
180
+ console.log(`\n ${dim("──────────────────────────────────────────────")}`);
181
+ console.log(` ${bold("Your agent is live.")}\n`);
182
+
183
+ if (daemonStarted) {
184
+ console.log(` ${green("✓")} Daemon running in the background`);
185
+ } else {
186
+ console.log(` ${yellow("!")} Run ${cyan("nemoris start")} to bring your agent online`);
187
+ }
188
+
189
+ if (hatchSent && telegramBotUsername) {
190
+ console.log(` ${green("✓")} First message sent to @${telegramBotUsername} — check your phone`);
191
+ }
192
+
193
+ if (daemonStarted) {
194
+ console.log(`\n When you're done here, your agent is waiting in Telegram.`);
195
+ }
196
+ console.log(` ${dim("──────────────────────────────────────────────")}`);
197
+
198
+ console.log(`\n ${bold("Commands worth knowing:")}`);
199
+ for (const [command, description] of getCommandsWorthKnowing({ telegramConfigured })) {
200
+ console.log(` ${command.padEnd(19)} ${description}`);
201
+ }
202
+
203
+ console.log(`\n ${dim("docs: https://github.com/amzer24/nemoris#readme")}\n`);
204
+
205
+ return result;
206
+ }
@@ -0,0 +1,482 @@
1
+ /**
2
+ * platform.js — Cross-platform daemon management adapter.
3
+ *
4
+ * All platform-specific daemon operations (macOS launchctl, Linux systemd,
5
+ * Windows PM2) live here. Callers import these functions instead of
6
+ * scattering launchctl/systemd/pm2 code across the codebase.
7
+ */
8
+
9
+ import { execFile as execFileCb, spawnSync } from "node:child_process";
10
+ import { promisify } from "node:util";
11
+ import { existsSync, rmSync, mkdirSync, readFileSync, writeFileSync } from "node:fs";
12
+ import fs from "node:fs/promises";
13
+ import { join } from "node:path";
14
+ import os from "node:os";
15
+
16
+ const execFile = promisify(execFileCb);
17
+
18
+ // ── Constants ────────────────────────────────────────────────────
19
+
20
+ const PLIST_NAMES = ["ai.nemoris.daemon.plist", "ai.nanoclaw.daemon.plist"];
21
+ const SYSTEMD_UNIT = "nemoris.service";
22
+ export const DAEMON_OUT_LOG = "daemon.out.log";
23
+ export const DAEMON_ERR_LOG = "daemon.err.log";
24
+ export const DAEMON_PID_FILE = "daemon.pid";
25
+
26
+ function getHomeDir() {
27
+ return process.env.HOME || os.homedir();
28
+ }
29
+
30
+ function getLaunchAgentsDir() {
31
+ return join(getHomeDir(), "Library", "LaunchAgents");
32
+ }
33
+
34
+ function getSystemdUserDir() {
35
+ return join(getHomeDir(), ".config", "systemd", "user");
36
+ }
37
+
38
+ function getDaemonEnvDir() {
39
+ return join(getHomeDir(), ".config", "nemoris");
40
+ }
41
+
42
+ function getDaemonEnvFile() {
43
+ return join(getDaemonEnvDir(), "daemon.env");
44
+ }
45
+
46
+ // ── detectPlatform ───────────────────────────────────────────────
47
+
48
+ export function detectPlatform() {
49
+ const platform = process.platform;
50
+ const arch = process.arch;
51
+ const nodeVersion = process.version;
52
+ const major = parseInt(nodeVersion.replace(/^v/, ""), 10);
53
+ const nodeOk = major >= 22;
54
+
55
+ let hasPm2 = false;
56
+ try {
57
+ const r = spawnSync("pm2", ["--version"], { timeout: 3000, stdio: "pipe" });
58
+ hasPm2 = r.status === 0;
59
+ } catch { /* noop */ }
60
+
61
+ let hasSystemctl = false;
62
+ if (platform === "linux") {
63
+ try {
64
+ const r = spawnSync("systemctl", ["--user", "--version"], { timeout: 3000, stdio: "pipe" });
65
+ hasSystemctl = r.status === 0;
66
+ } catch { /* noop */ }
67
+ }
68
+
69
+ return {
70
+ os: platform,
71
+ arch,
72
+ nodeVersion,
73
+ nodeOk,
74
+ hasPm2,
75
+ hasSystemctl,
76
+ };
77
+ }
78
+
79
+ // ── writeDaemonUnit ──────────────────────────────────────────────
80
+
81
+ export async function writeDaemonUnit(installDir) {
82
+ const platform = process.platform;
83
+
84
+ if (platform === "darwin") {
85
+ return writeMacOsPlist(installDir);
86
+ }
87
+
88
+ if (platform === "linux") {
89
+ return writeSystemdUnit(installDir);
90
+ }
91
+
92
+ // Windows / other — no unit file to write
93
+ return { ok: true, path: null, message: "No daemon unit needed on this platform." };
94
+ }
95
+
96
+ async function writeMacOsPlist(installDir) {
97
+ const plistDir = getLaunchAgentsDir();
98
+ const plistPath = join(plistDir, "ai.nemoris.daemon.plist");
99
+
100
+ const { stdout: whichOut } = await execFile("which", ["nemoris"]).catch(() => ({ stdout: "" }));
101
+ const nemorisBin = whichOut.trim() || join(installDir, "src", "cli.js");
102
+
103
+ const plistContent = `<?xml version="1.0" encoding="UTF-8"?>
104
+ <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
105
+ <plist version="1.0">
106
+ <dict>
107
+ <key>Label</key>
108
+ <string>ai.nemoris.daemon</string>
109
+ <key>ProgramArguments</key>
110
+ <array>
111
+ <string>${nemorisBin}</string>
112
+ <string>serve-daemon</string>
113
+ <string>live</string>
114
+ </array>
115
+ <key>WorkingDirectory</key>
116
+ <string>${installDir}</string>
117
+ <key>RunAtLoad</key>
118
+ <true/>
119
+ <key>KeepAlive</key>
120
+ <true/>
121
+ <key>StandardOutPath</key>
122
+ <string>${installDir}/state/${DAEMON_OUT_LOG}</string>
123
+ <key>StandardErrorPath</key>
124
+ <string>${installDir}/state/${DAEMON_ERR_LOG}</string>
125
+ <key>EnvironmentVariables</key>
126
+ <dict>
127
+ <key>NEMORIS_INSTALL_DIR</key>
128
+ <string>${installDir}</string>
129
+ </dict>
130
+ </dict>
131
+ </plist>`;
132
+
133
+ await fs.mkdir(plistDir, { recursive: true });
134
+ await fs.writeFile(plistPath, plistContent, "utf8");
135
+ return { ok: true, path: plistPath };
136
+ }
137
+
138
+ async function writeSystemdUnit(installDir) {
139
+ const { stdout: whichOut } = await execFile("which", ["nemoris"]).catch(() => ({ stdout: "" }));
140
+ const nemorisBin = whichOut.trim() || join(installDir, "src", "cli.js");
141
+
142
+ const unitContent = `[Unit]
143
+ Description=Nemoris Agent Runtime
144
+ After=network-online.target
145
+
146
+ [Service]
147
+ Type=simple
148
+ ExecStart=${nemorisBin} serve-daemon live
149
+ WorkingDirectory=${installDir}
150
+ Restart=on-failure
151
+ RestartSec=10
152
+ EnvironmentFile=-${getDaemonEnvFile()}
153
+ Environment=NEMORIS_INSTALL_DIR=${installDir}
154
+ StandardOutput=append:${installDir}/state/${DAEMON_OUT_LOG}
155
+ StandardError=append:${installDir}/state/${DAEMON_ERR_LOG}
156
+
157
+ [Install]
158
+ WantedBy=default.target
159
+ `;
160
+
161
+ const systemdUserDir = getSystemdUserDir();
162
+ await fs.mkdir(systemdUserDir, { recursive: true });
163
+ const unitPath = join(systemdUserDir, SYSTEMD_UNIT);
164
+ await fs.writeFile(unitPath, unitContent, "utf8");
165
+ return { ok: true, path: unitPath };
166
+ }
167
+
168
+ // ── loadDaemon ───────────────────────────────────────────────────
169
+
170
+ export function hasDaemonServiceUnit({ platform = process.platform, existsImpl = existsSync } = {}) {
171
+ if (platform === "darwin") {
172
+ return PLIST_NAMES.some((name) => existsImpl(join(getLaunchAgentsDir(), name)));
173
+ }
174
+
175
+ if (platform === "linux") {
176
+ return existsImpl(join(getSystemdUserDir(), SYSTEMD_UNIT));
177
+ }
178
+
179
+ return false;
180
+ }
181
+
182
+ export async function loadDaemon(installDir, { platform = process.platform, execFileImpl = execFile, existsImpl = existsSync } = {}) {
183
+
184
+ if (platform === "darwin") {
185
+ const plistPath = join(getLaunchAgentsDir(), "ai.nemoris.daemon.plist");
186
+ if (!existsImpl(plistPath)) {
187
+ return { ok: false, message: "Plist not found. Run writeDaemonUnit first." };
188
+ }
189
+ try {
190
+ await execFileImpl("launchctl", ["load", plistPath], { timeout: 5000 });
191
+ return { ok: true };
192
+ } catch (err) {
193
+ return { ok: false, message: `launchctl load failed: ${err.message}` };
194
+ }
195
+ }
196
+
197
+ if (platform === "linux") {
198
+ if (!existsImpl(join(getSystemdUserDir(), SYSTEMD_UNIT))) {
199
+ return { ok: false, message: "Systemd unit not found. Run writeDaemonUnit first." };
200
+ }
201
+ try {
202
+ await execFileImpl("systemctl", ["--user", "daemon-reload"], { timeout: 5000 });
203
+ await execFileImpl("systemctl", ["--user", "enable", "--now", SYSTEMD_UNIT], { timeout: 10000 });
204
+ return { ok: true };
205
+ } catch (err) {
206
+ return { ok: false, message: `systemctl enable+start failed: ${err.message}` };
207
+ }
208
+ }
209
+
210
+ // Windows — PM2
211
+ if (platform === "win32") {
212
+ const info = detectPlatform();
213
+ if (!info.hasPm2) {
214
+ return {
215
+ ok: false,
216
+ message: "PM2 not found. Run `nemoris setup` first, or start the daemon manually with `node src/cli.js serve-daemon live`.",
217
+ };
218
+ }
219
+ const { stdout: whichOut } = await execFileImpl("where", ["nemoris"]).catch(() => ({ stdout: "" }));
220
+ const nemorisBin = whichOut.trim().split("\n")[0] || join(installDir, "src", "cli.js");
221
+ try {
222
+ await execFileImpl("pm2", ["start", nemorisBin, "--name", "nemoris", "--", "serve-daemon", "live"], { timeout: 10000 });
223
+ await execFileImpl("pm2", ["save"], { timeout: 5000 });
224
+ return { ok: true };
225
+ } catch (err) {
226
+ return { ok: false, message: `PM2 start failed: ${err.message}` };
227
+ }
228
+ }
229
+
230
+ return { ok: false, message: `Unsupported platform: ${platform}` };
231
+ }
232
+
233
+ // ── unloadDaemon ─────────────────────────────────────────────────
234
+
235
+ export async function unloadDaemon() {
236
+ const platform = process.platform;
237
+
238
+ if (platform === "darwin") {
239
+ for (const name of PLIST_NAMES) {
240
+ const p = join(getLaunchAgentsDir(), name);
241
+ if (existsSync(p)) {
242
+ try {
243
+ await execFile("launchctl", ["unload", p], { timeout: 5000 });
244
+ console.log(` \u2713 Daemon unloaded (${name})`);
245
+ } catch (_) {
246
+ console.log(` \u00b7 Daemon not running (${name})`);
247
+ }
248
+ try {
249
+ rmSync(p);
250
+ console.log(` \u2713 Plist removed (${name})`);
251
+ } catch (e) {
252
+ console.warn(` \u26a0 Could not remove plist: ${e.message}`);
253
+ }
254
+ }
255
+ }
256
+ return;
257
+ }
258
+
259
+ if (platform === "linux") {
260
+ try {
261
+ await execFile("systemctl", ["--user", "stop", SYSTEMD_UNIT], { timeout: 5000 });
262
+ console.log(` \u2713 Daemon stopped`);
263
+ } catch (_) {
264
+ console.log(` \u00b7 Daemon not running`);
265
+ }
266
+ try {
267
+ await execFile("systemctl", ["--user", "disable", SYSTEMD_UNIT], { timeout: 5000 });
268
+ console.log(` \u2713 Daemon disabled`);
269
+ } catch (_) { /* noop */ }
270
+ const unitPath = join(getSystemdUserDir(), SYSTEMD_UNIT);
271
+ if (existsSync(unitPath)) {
272
+ try {
273
+ rmSync(unitPath);
274
+ console.log(` \u2713 Unit file removed`);
275
+ } catch (e) {
276
+ console.warn(` \u26a0 Could not remove unit file: ${e.message}`);
277
+ }
278
+ }
279
+ return;
280
+ }
281
+
282
+ if (platform === "win32") {
283
+ try {
284
+ await execFile("pm2", ["delete", "nemoris"], { timeout: 5000 });
285
+ console.log(` \u2713 PM2 process deleted`);
286
+ } catch (_) {
287
+ console.log(` \u00b7 PM2 process not found`);
288
+ }
289
+ try {
290
+ await execFile("pm2", ["save"], { timeout: 5000 });
291
+ } catch (_) { /* noop */ }
292
+ }
293
+ }
294
+
295
+ export async function stopDaemonService({ platform = process.platform, execFileImpl = execFile, existsImpl = existsSync } = {}) {
296
+ if (platform === "darwin") {
297
+ const plistName = PLIST_NAMES.find((name) => existsImpl(join(getLaunchAgentsDir(), name)));
298
+ if (!plistName) {
299
+ return { ok: false, notRunning: true, message: "No launchd unit found." };
300
+ }
301
+ try {
302
+ await execFileImpl("launchctl", ["unload", join(getLaunchAgentsDir(), plistName)], { timeout: 5000 });
303
+ return { ok: true };
304
+ } catch (err) {
305
+ const message = String(err?.message || "");
306
+ if (/could not find|no such process|not loaded/i.test(message)) {
307
+ return { ok: false, notRunning: true, message };
308
+ }
309
+ return { ok: false, message: `launchctl unload failed: ${message}` };
310
+ }
311
+ }
312
+
313
+ if (platform === "linux") {
314
+ if (!existsImpl(join(getSystemdUserDir(), SYSTEMD_UNIT))) {
315
+ return { ok: false, notRunning: true, message: "No systemd unit found." };
316
+ }
317
+ try {
318
+ await execFileImpl("systemctl", ["--user", "stop", SYSTEMD_UNIT], { timeout: 5000 });
319
+ return { ok: true };
320
+ } catch (err) {
321
+ const message = String(err?.message || "");
322
+ if (/not loaded|not found|inactive/i.test(message)) {
323
+ return { ok: false, notRunning: true, message };
324
+ }
325
+ return { ok: false, message: `systemctl stop failed: ${message}` };
326
+ }
327
+ }
328
+
329
+ if (platform === "win32") {
330
+ const info = detectPlatform();
331
+ if (!info.hasPm2) {
332
+ return { ok: false, notRunning: true, message: "PM2 not installed." };
333
+ }
334
+ try {
335
+ await execFileImpl("pm2", ["stop", "nemoris"], { timeout: 5000 });
336
+ await execFileImpl("pm2", ["save"], { timeout: 5000 });
337
+ return { ok: true };
338
+ } catch (err) {
339
+ const message = String(err?.message || "");
340
+ if (/not found|not exist|process or namespace/i.test(message)) {
341
+ return { ok: false, notRunning: true, message };
342
+ }
343
+ return { ok: false, message: `PM2 stop failed: ${message}` };
344
+ }
345
+ }
346
+
347
+ return { ok: false, notRunning: true, message: `Unsupported platform: ${platform}` };
348
+ }
349
+
350
+ // ── isDaemonRunning (SYNCHRONOUS) ────────────────────────────────
351
+
352
+ export function isDaemonRunning() {
353
+ const platform = process.platform;
354
+
355
+ if (platform === "darwin") {
356
+ try {
357
+ const { status } = spawnSync(
358
+ "launchctl", ["list", "ai.nemoris.daemon"],
359
+ { timeout: 3000, stdio: "pipe" },
360
+ );
361
+ return status === 0;
362
+ } catch {
363
+ return false;
364
+ }
365
+ }
366
+
367
+ if (platform === "linux") {
368
+ try {
369
+ const { status } = spawnSync(
370
+ "systemctl", ["--user", "is-active", "--quiet", SYSTEMD_UNIT],
371
+ { timeout: 3000, stdio: "pipe" },
372
+ );
373
+ return status === 0;
374
+ } catch {
375
+ return false;
376
+ }
377
+ }
378
+
379
+ if (platform === "win32") {
380
+ try {
381
+ const { stdout, status } = spawnSync(
382
+ "pm2", ["jlist"],
383
+ { timeout: 5000, stdio: "pipe" },
384
+ );
385
+ if (status !== 0) return false;
386
+ const list = JSON.parse(stdout.toString());
387
+ return list.some((p) => p.name === "nemoris" && p.pm2_env?.status === "online");
388
+ } catch {
389
+ return false;
390
+ }
391
+ }
392
+
393
+ return false;
394
+ }
395
+
396
+ // ── setDaemonEnv ─────────────────────────────────────────────────
397
+
398
+ export async function setDaemonEnv(key, value) {
399
+ const platform = process.platform;
400
+
401
+ if (platform === "darwin") {
402
+ try {
403
+ await execFile("launchctl", ["setenv", key, value], { timeout: 3000 });
404
+ } catch {
405
+ // Non-fatal — daemon restart will pick it up from .env
406
+ }
407
+ return;
408
+ }
409
+
410
+ if (platform === "linux") {
411
+ // Write to env file that systemd EnvironmentFile reads
412
+ try {
413
+ const daemonEnvDir = getDaemonEnvDir();
414
+ const daemonEnvFile = getDaemonEnvFile();
415
+ mkdirSync(daemonEnvDir, { recursive: true });
416
+ let content = "";
417
+ try {
418
+ content = readFileSync(daemonEnvFile, "utf8");
419
+ } catch { /* file doesn't exist yet */ }
420
+
421
+ const re = new RegExp(`^${key}=.*$`, "m");
422
+ const line = `${key}=${value}`;
423
+ if (re.test(content)) {
424
+ content = content.replace(re, line);
425
+ } else {
426
+ content = content.trimEnd() + (content ? "\n" : "") + line + "\n";
427
+ }
428
+ writeFileSync(daemonEnvFile, content, "utf8");
429
+ } catch {
430
+ // Non-fatal
431
+ }
432
+ return;
433
+ }
434
+
435
+ // Windows / other — noop (PM2 reads from process.env / .env)
436
+ }
437
+
438
+ // ── getDaemonEnv ─────────────────────────────────────────────────
439
+
440
+ export async function getDaemonEnv(name, { execFileImpl = execFile, platform = process.platform } = {}) {
441
+ if (!name) {
442
+ return { value: null, source: null };
443
+ }
444
+
445
+ // Always check process.env first
446
+ const direct = process.env[name];
447
+ if (direct) {
448
+ return { value: direct, source: "process_env" };
449
+ }
450
+
451
+ if (platform === "darwin") {
452
+ try {
453
+ const { stdout } = await execFileImpl("launchctl", ["getenv", name], {
454
+ timeout: 2000,
455
+ maxBuffer: 64 * 1024,
456
+ });
457
+ const val = stdout.trim();
458
+ if (val) {
459
+ return { value: val, source: "launchctl" };
460
+ }
461
+ } catch {
462
+ // fall through
463
+ }
464
+ return { value: null, source: null };
465
+ }
466
+
467
+ if (platform === "linux") {
468
+ try {
469
+ const content = readFileSync(getDaemonEnvFile(), "utf8");
470
+ const re = new RegExp(`^${name}=(.*)$`, "m");
471
+ const m = content.match(re);
472
+ if (m) {
473
+ return { value: m[1], source: "env_file" };
474
+ }
475
+ } catch {
476
+ // fall through
477
+ }
478
+ return { value: null, source: null };
479
+ }
480
+
481
+ return { value: null, source: null };
482
+ }