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.
- package/.env.example +49 -0
- package/LICENSE +21 -0
- package/README.md +209 -0
- package/SECURITY.md +119 -0
- package/bin/nemoris +46 -0
- package/config/agents/agent.toml.example +28 -0
- package/config/agents/default.toml +22 -0
- package/config/agents/orchestrator.toml +18 -0
- package/config/delivery.toml +73 -0
- package/config/embeddings.toml +5 -0
- package/config/identity/default-purpose.md +1 -0
- package/config/identity/default-soul.md +3 -0
- package/config/identity/orchestrator-purpose.md +1 -0
- package/config/identity/orchestrator-soul.md +1 -0
- package/config/improvement-targets.toml +15 -0
- package/config/jobs/heartbeat-check.toml +30 -0
- package/config/jobs/memory-rollup.toml +46 -0
- package/config/jobs/workspace-health.toml +63 -0
- package/config/mcp.toml +16 -0
- package/config/output-contracts.toml +17 -0
- package/config/peers.toml +32 -0
- package/config/peers.toml.example +32 -0
- package/config/policies/memory-default.toml +10 -0
- package/config/policies/memory-heartbeat.toml +5 -0
- package/config/policies/memory-ops.toml +10 -0
- package/config/policies/tools-heartbeat-minimal.toml +8 -0
- package/config/policies/tools-interactive-safe.toml +8 -0
- package/config/policies/tools-ops-bounded.toml +8 -0
- package/config/policies/tools-orchestrator.toml +7 -0
- package/config/providers/anthropic.toml +15 -0
- package/config/providers/ollama.toml +5 -0
- package/config/providers/openai-codex.toml +9 -0
- package/config/providers/openrouter.toml +5 -0
- package/config/router.toml +22 -0
- package/config/runtime.toml +114 -0
- package/config/skills/self-improvement.toml +15 -0
- package/config/skills/telegram-onboarding-spec.md +240 -0
- package/config/skills/workspace-monitor.toml +15 -0
- package/config/task-router.toml +42 -0
- package/install.sh +50 -0
- package/package.json +90 -0
- package/src/auth/auth-profiles.js +169 -0
- package/src/auth/openai-codex-oauth.js +285 -0
- package/src/battle.js +449 -0
- package/src/cli/help.js +265 -0
- package/src/cli/output-filter.js +49 -0
- package/src/cli/runtime-control.js +704 -0
- package/src/cli-main.js +2763 -0
- package/src/cli.js +78 -0
- package/src/config/loader.js +332 -0
- package/src/config/schema-validator.js +214 -0
- package/src/config/toml-lite.js +8 -0
- package/src/daemon/action-handlers.js +71 -0
- package/src/daemon/healing-tick.js +87 -0
- package/src/daemon/health-probes.js +90 -0
- package/src/daemon/notifier.js +57 -0
- package/src/daemon/nurse.js +218 -0
- package/src/daemon/repair-log.js +106 -0
- package/src/daemon/rule-staging.js +90 -0
- package/src/daemon/rules.js +29 -0
- package/src/daemon/telegram-commands.js +54 -0
- package/src/daemon/updater.js +85 -0
- package/src/jobs/job-runner.js +78 -0
- package/src/mcp/consumer.js +129 -0
- package/src/memory/active-recall.js +171 -0
- package/src/memory/backend-manager.js +97 -0
- package/src/memory/backends/file-backend.js +38 -0
- package/src/memory/backends/qmd-backend.js +219 -0
- package/src/memory/embedding-guards.js +24 -0
- package/src/memory/embedding-index.js +118 -0
- package/src/memory/embedding-service.js +179 -0
- package/src/memory/file-index.js +177 -0
- package/src/memory/memory-signature.js +5 -0
- package/src/memory/memory-store.js +648 -0
- package/src/memory/retrieval-planner.js +66 -0
- package/src/memory/scoring.js +145 -0
- package/src/memory/simhash.js +78 -0
- package/src/memory/sqlite-active-store.js +824 -0
- package/src/memory/write-policy.js +36 -0
- package/src/onboarding/aliases.js +33 -0
- package/src/onboarding/auth/api-key.js +224 -0
- package/src/onboarding/auth/ollama-detect.js +42 -0
- package/src/onboarding/clack-prompter.js +77 -0
- package/src/onboarding/doctor.js +530 -0
- package/src/onboarding/lock.js +42 -0
- package/src/onboarding/model-catalog.js +344 -0
- package/src/onboarding/phases/auth.js +589 -0
- package/src/onboarding/phases/build.js +130 -0
- package/src/onboarding/phases/choose.js +82 -0
- package/src/onboarding/phases/detect.js +98 -0
- package/src/onboarding/phases/hatch.js +216 -0
- package/src/onboarding/phases/identity.js +79 -0
- package/src/onboarding/phases/ollama.js +345 -0
- package/src/onboarding/phases/scaffold.js +99 -0
- package/src/onboarding/phases/telegram.js +377 -0
- package/src/onboarding/phases/validate.js +204 -0
- package/src/onboarding/phases/verify.js +206 -0
- package/src/onboarding/platform.js +482 -0
- package/src/onboarding/status-bar.js +95 -0
- package/src/onboarding/templates.js +794 -0
- package/src/onboarding/toml-writer.js +38 -0
- package/src/onboarding/tui.js +250 -0
- package/src/onboarding/uninstall.js +153 -0
- package/src/onboarding/wizard.js +499 -0
- package/src/providers/anthropic.js +168 -0
- package/src/providers/base.js +247 -0
- package/src/providers/circuit-breaker.js +136 -0
- package/src/providers/ollama.js +163 -0
- package/src/providers/openai-codex.js +149 -0
- package/src/providers/openrouter.js +136 -0
- package/src/providers/registry.js +36 -0
- package/src/providers/router.js +16 -0
- package/src/runtime/bootstrap-cache.js +47 -0
- package/src/runtime/capabilities-prompt.js +25 -0
- package/src/runtime/completion-ping.js +99 -0
- package/src/runtime/config-validator.js +121 -0
- package/src/runtime/context-ledger.js +360 -0
- package/src/runtime/cutover-readiness.js +42 -0
- package/src/runtime/daemon.js +729 -0
- package/src/runtime/delivery-ack.js +195 -0
- package/src/runtime/delivery-adapters/local-file.js +41 -0
- package/src/runtime/delivery-adapters/openclaw-cli.js +94 -0
- package/src/runtime/delivery-adapters/openclaw-peer.js +98 -0
- package/src/runtime/delivery-adapters/shadow.js +13 -0
- package/src/runtime/delivery-adapters/standalone-http.js +98 -0
- package/src/runtime/delivery-adapters/telegram.js +104 -0
- package/src/runtime/delivery-adapters/tui.js +128 -0
- package/src/runtime/delivery-manager.js +807 -0
- package/src/runtime/delivery-store.js +168 -0
- package/src/runtime/dependency-health.js +118 -0
- package/src/runtime/envelope.js +114 -0
- package/src/runtime/evaluation.js +1089 -0
- package/src/runtime/exec-approvals.js +216 -0
- package/src/runtime/executor.js +500 -0
- package/src/runtime/failure-ping.js +67 -0
- package/src/runtime/flows.js +83 -0
- package/src/runtime/guards.js +45 -0
- package/src/runtime/handoff.js +51 -0
- package/src/runtime/identity-cache.js +28 -0
- package/src/runtime/improvement-engine.js +109 -0
- package/src/runtime/improvement-harness.js +581 -0
- package/src/runtime/input-sanitiser.js +72 -0
- package/src/runtime/interaction-contract.js +347 -0
- package/src/runtime/lane-readiness.js +226 -0
- package/src/runtime/migration.js +323 -0
- package/src/runtime/model-resolution.js +78 -0
- package/src/runtime/network.js +64 -0
- package/src/runtime/notification-store.js +97 -0
- package/src/runtime/notifier.js +256 -0
- package/src/runtime/orchestrator.js +53 -0
- package/src/runtime/orphan-reaper.js +41 -0
- package/src/runtime/output-contract-schema.js +139 -0
- package/src/runtime/output-contract-validator.js +439 -0
- package/src/runtime/peer-readiness.js +69 -0
- package/src/runtime/peer-registry.js +133 -0
- package/src/runtime/pilot-status.js +108 -0
- package/src/runtime/prompt-builder.js +261 -0
- package/src/runtime/provider-attempt.js +582 -0
- package/src/runtime/report-fallback.js +71 -0
- package/src/runtime/result-normalizer.js +183 -0
- package/src/runtime/retention.js +74 -0
- package/src/runtime/review.js +244 -0
- package/src/runtime/route-job.js +15 -0
- package/src/runtime/run-store.js +38 -0
- package/src/runtime/schedule.js +88 -0
- package/src/runtime/scheduler-state.js +434 -0
- package/src/runtime/scheduler.js +656 -0
- package/src/runtime/session-compactor.js +182 -0
- package/src/runtime/session-search.js +155 -0
- package/src/runtime/slack-inbound.js +249 -0
- package/src/runtime/ssrf.js +102 -0
- package/src/runtime/status-aggregator.js +330 -0
- package/src/runtime/task-contract.js +140 -0
- package/src/runtime/task-packet.js +107 -0
- package/src/runtime/task-router.js +140 -0
- package/src/runtime/telegram-inbound.js +1565 -0
- package/src/runtime/token-counter.js +134 -0
- package/src/runtime/token-estimator.js +59 -0
- package/src/runtime/tool-loop.js +200 -0
- package/src/runtime/transport-server.js +311 -0
- package/src/runtime/tui-server.js +411 -0
- package/src/runtime/ulid.js +44 -0
- package/src/security/ssrf-check.js +197 -0
- package/src/setup.js +369 -0
- package/src/shadow/bridge.js +303 -0
- package/src/skills/loader.js +84 -0
- package/src/tools/catalog.json +49 -0
- package/src/tools/cli-delegate.js +44 -0
- package/src/tools/mcp-client.js +106 -0
- package/src/tools/micro/cancel-task.js +6 -0
- package/src/tools/micro/complete-task.js +6 -0
- package/src/tools/micro/fail-task.js +6 -0
- package/src/tools/micro/http-fetch.js +74 -0
- package/src/tools/micro/index.js +36 -0
- package/src/tools/micro/lcm-recall.js +60 -0
- package/src/tools/micro/list-dir.js +17 -0
- package/src/tools/micro/list-skills.js +46 -0
- package/src/tools/micro/load-skill.js +38 -0
- package/src/tools/micro/memory-search.js +45 -0
- package/src/tools/micro/read-file.js +11 -0
- package/src/tools/micro/session-search.js +54 -0
- package/src/tools/micro/shell-exec.js +43 -0
- package/src/tools/micro/trigger-job.js +79 -0
- package/src/tools/micro/web-search.js +58 -0
- package/src/tools/micro/workspace-paths.js +39 -0
- package/src/tools/micro/write-file.js +14 -0
- package/src/tools/micro/write-memory.js +41 -0
- package/src/tools/registry.js +348 -0
- package/src/tools/tool-result-contract.js +36 -0
- package/src/tui/chat.js +835 -0
- package/src/tui/renderer.js +175 -0
- package/src/tui/socket-client.js +217 -0
- package/src/utils/canonical-json.js +29 -0
- package/src/utils/compaction.js +30 -0
- package/src/utils/env-loader.js +5 -0
- package/src/utils/errors.js +80 -0
- package/src/utils/fs.js +101 -0
- package/src/utils/ids.js +5 -0
- package/src/utils/model-context-limits.js +30 -0
- package/src/utils/token-budget.js +74 -0
- package/src/utils/usage-cost.js +25 -0
- package/src/utils/usage-metrics.js +14 -0
- package/vendor/smol-toml-1.5.2.tgz +0 -0
|
@@ -0,0 +1,87 @@
|
|
|
1
|
+
import { BUILT_IN_RULES, matchRule, isCoolingDown } from "./rules.js";
|
|
2
|
+
|
|
3
|
+
export class HealingTick {
|
|
4
|
+
constructor({ repairLog, ruleStaging, executeAction, notify, queueNurseJob }) {
|
|
5
|
+
this.repairLog = repairLog;
|
|
6
|
+
this.ruleStaging = ruleStaging;
|
|
7
|
+
this.executeAction = executeAction;
|
|
8
|
+
this.notify = notify || (async () => {});
|
|
9
|
+
this.queueNurseJob = queueNurseJob || (async () => {});
|
|
10
|
+
this._running = false;
|
|
11
|
+
this._failureQueue = [];
|
|
12
|
+
}
|
|
13
|
+
|
|
14
|
+
isRunning() {
|
|
15
|
+
return this._running;
|
|
16
|
+
}
|
|
17
|
+
|
|
18
|
+
_getAllRules() {
|
|
19
|
+
const staged = this.ruleStaging.getActiveRules();
|
|
20
|
+
return [...BUILT_IN_RULES, ...staged];
|
|
21
|
+
}
|
|
22
|
+
|
|
23
|
+
async runTick(failures) {
|
|
24
|
+
if (this._running) return { skipped: true };
|
|
25
|
+
this._running = true;
|
|
26
|
+
try {
|
|
27
|
+
const results = [];
|
|
28
|
+
for (const failure of failures) {
|
|
29
|
+
results.push(await this._processFailure(failure));
|
|
30
|
+
}
|
|
31
|
+
return { skipped: false, results };
|
|
32
|
+
} finally {
|
|
33
|
+
this._running = false;
|
|
34
|
+
}
|
|
35
|
+
}
|
|
36
|
+
|
|
37
|
+
async handleFailure(failure) {
|
|
38
|
+
return this.runTick([failure]);
|
|
39
|
+
}
|
|
40
|
+
|
|
41
|
+
async _processFailure({ type, context }) {
|
|
42
|
+
const allRules = this._getAllRules();
|
|
43
|
+
const rule = matchRule(type, context, allRules);
|
|
44
|
+
|
|
45
|
+
if (!rule) {
|
|
46
|
+
this.repairLog.write({
|
|
47
|
+
source: "daemon", type,
|
|
48
|
+
context: context ? JSON.stringify(context) : null,
|
|
49
|
+
action: "escalate", result: "escalated",
|
|
50
|
+
severity: "critical", escalated: 1
|
|
51
|
+
});
|
|
52
|
+
await this.queueNurseJob({ type, context });
|
|
53
|
+
return;
|
|
54
|
+
}
|
|
55
|
+
|
|
56
|
+
if (isCoolingDown(rule, this.repairLog)) return;
|
|
57
|
+
|
|
58
|
+
const success = await this.executeAction(rule.action, context);
|
|
59
|
+
|
|
60
|
+
this.repairLog.write({
|
|
61
|
+
source: "daemon", type,
|
|
62
|
+
context: context ? JSON.stringify(context) : null,
|
|
63
|
+
action: rule.action,
|
|
64
|
+
result: success ? "resolved" : "unresolved",
|
|
65
|
+
severity: rule.severity
|
|
66
|
+
});
|
|
67
|
+
|
|
68
|
+
if (rule.severity === "notable" || rule.severity === "critical") {
|
|
69
|
+
await this.notify(rule.severity, `[${type}] Action: ${rule.action}, Result: ${success ? "resolved" : "unresolved"}`);
|
|
70
|
+
}
|
|
71
|
+
}
|
|
72
|
+
|
|
73
|
+
promoteReadyRules() {
|
|
74
|
+
const pending = this.ruleStaging.getPendingAutoPromote();
|
|
75
|
+
for (const rule of pending) {
|
|
76
|
+
this.ruleStaging.promote(rule.id);
|
|
77
|
+
}
|
|
78
|
+
return pending.length;
|
|
79
|
+
}
|
|
80
|
+
|
|
81
|
+
runMaintenanceSweep() {
|
|
82
|
+
const expiredRules = this.ruleStaging.expirePending();
|
|
83
|
+
const prunedEntries = this.repairLog.pruneResolved(90);
|
|
84
|
+
const promoted = this.promoteReadyRules();
|
|
85
|
+
return { expiredRules, prunedEntries, promoted };
|
|
86
|
+
}
|
|
87
|
+
}
|
|
@@ -0,0 +1,90 @@
|
|
|
1
|
+
import { inspectOutboundUrl, OUTBOUND_ADDRESS_POLICY } from "../security/ssrf-check.js";
|
|
2
|
+
|
|
3
|
+
const MEMORY_BLOAT_ROW_THRESHOLD = 10_000;
|
|
4
|
+
const MEMORY_BLOAT_SIZE_THRESHOLD = 500 * 1024 * 1024; // 500MB
|
|
5
|
+
const EMBEDDING_DRIFT_THRESHOLD = 0.10; // 10%
|
|
6
|
+
|
|
7
|
+
export async function checkProvider(providerId, endpoint, fetchImpl) {
|
|
8
|
+
try {
|
|
9
|
+
// Health probes may hit operator-configured provider endpoints, so enforce
|
|
10
|
+
// the same outbound SSRF policy as live provider traffic.
|
|
11
|
+
const inspection = await inspectOutboundUrl(endpoint, {
|
|
12
|
+
addressPolicy: providerId === "ollama" ? OUTBOUND_ADDRESS_POLICY.REQUIRE_LOOPBACK : OUTBOUND_ADDRESS_POLICY.BLOCK_PRIVATE,
|
|
13
|
+
loopbackOnlyMessage: `Ollama base URL must resolve to loopback only; refusing ${endpoint}.`,
|
|
14
|
+
privateAddressMessage: `Provider request blocked — target resolves to a private/reserved IP address for ${providerId}.`,
|
|
15
|
+
});
|
|
16
|
+
if (!inspection.ok) {
|
|
17
|
+
return { status: "failure", type: "provider_blocked", provider: providerId, error: inspection.reason };
|
|
18
|
+
}
|
|
19
|
+
const res = await fetchImpl(endpoint, { method: "HEAD", signal: AbortSignal.timeout(5000) });
|
|
20
|
+
if (res.ok) return { status: "ok", provider: providerId };
|
|
21
|
+
if (res.status >= 500) return { status: "failure", type: "provider_5xx", provider: providerId, code: res.status };
|
|
22
|
+
if (res.status === 429) return { status: "failure", type: "provider_rate_limit", provider: providerId, code: 429 };
|
|
23
|
+
if (res.status === 401 || res.status === 403) return { status: "failure", type: "provider_auth", provider: providerId, code: res.status };
|
|
24
|
+
return { status: "failure", type: "provider_client_error", provider: providerId, code: res.status };
|
|
25
|
+
} catch (err) {
|
|
26
|
+
return { status: "failure", type: "provider_timeout", provider: providerId, error: err.message };
|
|
27
|
+
}
|
|
28
|
+
}
|
|
29
|
+
|
|
30
|
+
export async function checkMcp(serverId, client) {
|
|
31
|
+
if (!client || !client.isAlive()) {
|
|
32
|
+
return { status: "failure", type: "mcp_exit", server: serverId };
|
|
33
|
+
}
|
|
34
|
+
try {
|
|
35
|
+
const pong = await Promise.race([
|
|
36
|
+
client.ping ? client.ping() : Promise.resolve(true),
|
|
37
|
+
new Promise((_, reject) => setTimeout(() => reject(new Error("timeout")), 2000))
|
|
38
|
+
]);
|
|
39
|
+
return { status: "ok", server: serverId };
|
|
40
|
+
} catch {
|
|
41
|
+
return { status: "failure", type: "mcp_timeout", server: serverId };
|
|
42
|
+
}
|
|
43
|
+
}
|
|
44
|
+
|
|
45
|
+
export function checkStaleJobs(stateStore) {
|
|
46
|
+
try {
|
|
47
|
+
const running = stateStore.db.prepare(
|
|
48
|
+
"SELECT job_id FROM interactive_jobs WHERE status = 'running' AND created_at < datetime('now', '-5 minutes')"
|
|
49
|
+
).all();
|
|
50
|
+
if (running.length > 0) {
|
|
51
|
+
return { status: "failure", type: "stale_job", staleCount: running.length, jobIds: running.map(r => r.job_id) };
|
|
52
|
+
}
|
|
53
|
+
return { status: "ok" };
|
|
54
|
+
} catch {
|
|
55
|
+
return { status: "ok" };
|
|
56
|
+
}
|
|
57
|
+
}
|
|
58
|
+
|
|
59
|
+
export function checkDelivery(lastSendResult) {
|
|
60
|
+
if (!lastSendResult) return { status: "ok" };
|
|
61
|
+
if (!lastSendResult.ok) {
|
|
62
|
+
return {
|
|
63
|
+
status: "failure",
|
|
64
|
+
type: "delivery_api_fail",
|
|
65
|
+
error_code: lastSendResult.error_code,
|
|
66
|
+
description: lastSendResult.description
|
|
67
|
+
};
|
|
68
|
+
}
|
|
69
|
+
if (!lastSendResult.result?.message_id) {
|
|
70
|
+
return { status: "failure", type: "delivery_silent_drop" };
|
|
71
|
+
}
|
|
72
|
+
return { status: "ok", message_id: lastSendResult.result.message_id };
|
|
73
|
+
}
|
|
74
|
+
|
|
75
|
+
export function checkMemoryHealth(db, stats) {
|
|
76
|
+
const { sessionRowCount, dbFileSizeBytes, embeddingIndexCount, embeddingSourceCount } = stats;
|
|
77
|
+
|
|
78
|
+
if (sessionRowCount > MEMORY_BLOAT_ROW_THRESHOLD || dbFileSizeBytes > MEMORY_BLOAT_SIZE_THRESHOLD) {
|
|
79
|
+
return { status: "failure", type: "memory_bloat", sessionRowCount, dbFileSizeBytes };
|
|
80
|
+
}
|
|
81
|
+
|
|
82
|
+
if (embeddingSourceCount > 0) {
|
|
83
|
+
const drift = Math.abs(embeddingIndexCount - embeddingSourceCount) / embeddingSourceCount;
|
|
84
|
+
if (drift > EMBEDDING_DRIFT_THRESHOLD) {
|
|
85
|
+
return { status: "failure", type: "embedding_drift", drift: Math.round(drift * 100), embeddingIndexCount, embeddingSourceCount };
|
|
86
|
+
}
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
return { status: "ok" };
|
|
90
|
+
}
|
|
@@ -0,0 +1,57 @@
|
|
|
1
|
+
const TEMPLATES = {
|
|
2
|
+
mcp_exit: {
|
|
3
|
+
resolved: (ctx) => `Your ${capitalize(ctx?.server || "service")} connection dropped. I restarted it, you're good.`,
|
|
4
|
+
unresolved: (ctx, diag) => `I couldn't fix the ${capitalize(ctx?.server || "service")} connection. ${diag ? `Here's what I found: ${diag}` : ""}`,
|
|
5
|
+
},
|
|
6
|
+
mcp_timeout: {
|
|
7
|
+
resolved: (ctx) => `${capitalize(ctx?.server || "Service")} was unresponsive. Restarted it.`,
|
|
8
|
+
unresolved: (ctx, diag) => `${capitalize(ctx?.server || "Service")} keeps hanging. ${diag || "Manual check needed."}`,
|
|
9
|
+
},
|
|
10
|
+
provider_5xx: {
|
|
11
|
+
resolved: (ctx) => `${capitalize(ctx?.provider || "Provider")} returned an error (${ctx?.code || "5xx"}). Switched to fallback.`,
|
|
12
|
+
},
|
|
13
|
+
update_applied: {
|
|
14
|
+
resolved: (ctx) => `Updated ${ctx?.update_target || "system"} to ${ctx?.to_version || "latest"}.`,
|
|
15
|
+
},
|
|
16
|
+
update_held: {
|
|
17
|
+
held: (ctx) => `${packageName(ctx?.update_target || "Package")} ${ctx?.to_version || ""} available (${ctx?.semver_class || "update"}). Reply /approve <id> to update.`,
|
|
18
|
+
},
|
|
19
|
+
update_rollback: {
|
|
20
|
+
resolved: (ctx) => `Tried updating ${ctx?.update_target || "system"} to ${ctx?.to_version || ""}. Failed smoke test, rolled back safely.`,
|
|
21
|
+
},
|
|
22
|
+
};
|
|
23
|
+
|
|
24
|
+
const KNOWN_NAMES = {
|
|
25
|
+
github: "GitHub",
|
|
26
|
+
gitlab: "GitLab",
|
|
27
|
+
openai: "OpenAI",
|
|
28
|
+
anthropic: "Anthropic",
|
|
29
|
+
npm: "npm",
|
|
30
|
+
};
|
|
31
|
+
|
|
32
|
+
// Strip registry prefix (e.g. "npm:express" → "express") without changing casing
|
|
33
|
+
function packageName(s) {
|
|
34
|
+
if (!s) return "";
|
|
35
|
+
return s.replace(/^[a-z]+:/, "");
|
|
36
|
+
}
|
|
37
|
+
|
|
38
|
+
function capitalize(s) {
|
|
39
|
+
if (!s) return "";
|
|
40
|
+
const lower = s.toLowerCase();
|
|
41
|
+
if (KNOWN_NAMES[lower]) return KNOWN_NAMES[lower];
|
|
42
|
+
// Strip common prefixes like "npm:" for display
|
|
43
|
+
const stripped = s.replace(/^[a-z]+:/, "");
|
|
44
|
+
return stripped.charAt(0).toUpperCase() + stripped.slice(1);
|
|
45
|
+
}
|
|
46
|
+
|
|
47
|
+
export function composePlainEnglish({ type, action, result, context, diagnosis }) {
|
|
48
|
+
const ctx = typeof context === "string" ? JSON.parse(context) : (context || {});
|
|
49
|
+
const template = TEMPLATES[type]?.[result];
|
|
50
|
+
if (template) return template(ctx, diagnosis);
|
|
51
|
+
|
|
52
|
+
// Fallback for unknown types
|
|
53
|
+
if (result === "resolved") return `Fixed: ${type.replace(/_/g, " ")}. Action: ${action?.replace(/_/g, " ") || "auto"}.`;
|
|
54
|
+
if (result === "unresolved") return `I couldn't fix: ${type.replace(/_/g, " ")}. ${diagnosis || "Manual check needed."}`;
|
|
55
|
+
if (result === "held") return `Awaiting approval: ${type.replace(/_/g, " ")}. Reply /approve <id>.`;
|
|
56
|
+
return `[${type}] ${action} → ${result}`;
|
|
57
|
+
}
|
|
@@ -0,0 +1,218 @@
|
|
|
1
|
+
const IDENTITY_FIELDS = new Set(["name", "soul", "purpose", "persona"]);
|
|
2
|
+
const MAX_ATTEMPTS = 3;
|
|
3
|
+
const AUTO_PROMOTE_ACTIONS = new Set(["restart", "retry", "retry_backoff", "resend", "cache_clear", "connection_reset", "compact", "reap", "rebuild_index"]);
|
|
4
|
+
|
|
5
|
+
export class Nurse {
|
|
6
|
+
constructor({ repairLog, ruleStaging, runLlm, executeAction, notify, isOllamaAvailable }) {
|
|
7
|
+
this.repairLog = repairLog;
|
|
8
|
+
this.ruleStaging = ruleStaging;
|
|
9
|
+
this.runLlm = runLlm;
|
|
10
|
+
this.executeAction = executeAction;
|
|
11
|
+
this.notify = notify || (async () => {});
|
|
12
|
+
this.isOllamaAvailable = isOllamaAvailable || (async () => true);
|
|
13
|
+
this._ollamaFirstDownAt = null;
|
|
14
|
+
}
|
|
15
|
+
|
|
16
|
+
validateAction({ action, config_field }) {
|
|
17
|
+
if (action === "edit_config" && config_field && IDENTITY_FIELDS.has(config_field)) {
|
|
18
|
+
return { allowed: false, reason: "identity_field_protected" };
|
|
19
|
+
}
|
|
20
|
+
return { allowed: true };
|
|
21
|
+
}
|
|
22
|
+
|
|
23
|
+
async diagnoseEscalation(escalationId) {
|
|
24
|
+
// Check if Ollama is available before attempting diagnosis
|
|
25
|
+
if (!(await this.isOllamaAvailable())) {
|
|
26
|
+
// Don't claim — leave unclaimed so it's retried when Ollama is back
|
|
27
|
+
return;
|
|
28
|
+
}
|
|
29
|
+
|
|
30
|
+
const escalation = this.repairLog.getById(escalationId);
|
|
31
|
+
if (!escalation) return;
|
|
32
|
+
|
|
33
|
+
const recentContext = this.repairLog.getRecent(50);
|
|
34
|
+
const prompt = this._buildDiagnosticPrompt(escalation, recentContext);
|
|
35
|
+
|
|
36
|
+
const childId = this.repairLog.write({
|
|
37
|
+
source: "nurse", type: escalation.type, action: null,
|
|
38
|
+
result: "escalated", severity: "critical",
|
|
39
|
+
diagnosis: "Diagnosing...", parent_id: escalationId, attempts: 0
|
|
40
|
+
});
|
|
41
|
+
|
|
42
|
+
for (let attempt = 1; attempt <= MAX_ATTEMPTS; attempt++) {
|
|
43
|
+
let diagnosis, proposedAction;
|
|
44
|
+
try {
|
|
45
|
+
const raw = await this.runLlm(prompt);
|
|
46
|
+
const parsed = JSON.parse(raw);
|
|
47
|
+
diagnosis = parsed.diagnosis || "No diagnosis provided";
|
|
48
|
+
proposedAction = parsed.action || null;
|
|
49
|
+
} catch {
|
|
50
|
+
diagnosis = "LLM response unparseable";
|
|
51
|
+
proposedAction = null;
|
|
52
|
+
}
|
|
53
|
+
|
|
54
|
+
if (proposedAction) {
|
|
55
|
+
const validation = this.validateAction({ action: proposedAction, config_field: null });
|
|
56
|
+
if (!validation.allowed) {
|
|
57
|
+
this.repairLog.update(childId, {
|
|
58
|
+
action: proposedAction, result: "unresolved", severity: "critical",
|
|
59
|
+
diagnosis: `Blocked: ${validation.reason}`, attempts: attempt
|
|
60
|
+
});
|
|
61
|
+
await this.notify("critical", `Nurse attempted blocked action: ${proposedAction} (${validation.reason})`);
|
|
62
|
+
return;
|
|
63
|
+
}
|
|
64
|
+
}
|
|
65
|
+
|
|
66
|
+
const success = proposedAction ? await this.executeAction(proposedAction, escalation.context) : false;
|
|
67
|
+
const isLast = attempt === MAX_ATTEMPTS;
|
|
68
|
+
|
|
69
|
+
this.repairLog.update(childId, {
|
|
70
|
+
action: proposedAction,
|
|
71
|
+
result: success ? "resolved" : (isLast ? "unresolved" : "escalated"),
|
|
72
|
+
severity: success ? "notable" : "critical",
|
|
73
|
+
diagnosis,
|
|
74
|
+
attempts: attempt
|
|
75
|
+
});
|
|
76
|
+
|
|
77
|
+
if (success) {
|
|
78
|
+
await this.notify("notable", `Resolved: ${escalation.type} — ${diagnosis}`);
|
|
79
|
+
return;
|
|
80
|
+
}
|
|
81
|
+
|
|
82
|
+
if (isLast) {
|
|
83
|
+
await this.notify("critical", `Unresolved after ${MAX_ATTEMPTS} attempts: ${escalation.type}\nDiagnosis: ${diagnosis}`);
|
|
84
|
+
return;
|
|
85
|
+
}
|
|
86
|
+
}
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
minePatterns() {
|
|
90
|
+
const nurseEntries = this.repairLog.getRecent(200).filter(e => e.source === "nurse" && e.parent_id);
|
|
91
|
+
const groups = new Map();
|
|
92
|
+
|
|
93
|
+
for (const entry of nurseEntries) {
|
|
94
|
+
const key = `${entry.type}:${entry.action}`;
|
|
95
|
+
if (!groups.has(key)) groups.set(key, []);
|
|
96
|
+
groups.get(key).push(entry);
|
|
97
|
+
}
|
|
98
|
+
|
|
99
|
+
const proposedIds = [];
|
|
100
|
+
for (const [key, entries] of groups) {
|
|
101
|
+
if (entries.length < 3) continue;
|
|
102
|
+
const [type, action] = key.split(":");
|
|
103
|
+
if (!action || action === "null") continue;
|
|
104
|
+
|
|
105
|
+
if (this.ruleStaging.isDuplicate(type, action)) continue;
|
|
106
|
+
|
|
107
|
+
const actionClass = AUTO_PROMOTE_ACTIONS.has(action) ? "auto_promote" : "approval_required";
|
|
108
|
+
const id = this.ruleStaging.propose({
|
|
109
|
+
match_type: type, action, severity: "notable",
|
|
110
|
+
action_class: actionClass, cooldown_minutes: 5,
|
|
111
|
+
evidence: JSON.stringify(entries.map(e => e.id))
|
|
112
|
+
});
|
|
113
|
+
proposedIds.push(id);
|
|
114
|
+
}
|
|
115
|
+
|
|
116
|
+
return proposedIds;
|
|
117
|
+
}
|
|
118
|
+
|
|
119
|
+
_getEscalatedTypes() {
|
|
120
|
+
const escalated = this.repairLog.getRecent(200).filter(e => e.escalated === 1);
|
|
121
|
+
return [...new Set(escalated.map(e => e.type))];
|
|
122
|
+
}
|
|
123
|
+
|
|
124
|
+
composeDailyDigest() {
|
|
125
|
+
const since = new Date(Date.now() - 24 * 60 * 60 * 1000).toISOString();
|
|
126
|
+
const stats = this.repairLog.getDigestSince(since);
|
|
127
|
+
const heldEntries = this.repairLog.getHeldUpdates();
|
|
128
|
+
const held = heldEntries.length;
|
|
129
|
+
|
|
130
|
+
const counts = {};
|
|
131
|
+
for (const { severity, count } of stats) counts[severity] = count;
|
|
132
|
+
|
|
133
|
+
// Subtract held entries from their severity bucket to avoid double-counting
|
|
134
|
+
for (const e of heldEntries) {
|
|
135
|
+
if (e.ts > since && counts[e.severity]) counts[e.severity]--;
|
|
136
|
+
}
|
|
137
|
+
|
|
138
|
+
const notables = counts.notable || 0;
|
|
139
|
+
const criticals = counts.critical || 0;
|
|
140
|
+
const silents = counts.silent || 0;
|
|
141
|
+
|
|
142
|
+
// Digest fires only when notables > 0 OR criticals > 0 OR held > 0
|
|
143
|
+
if (notables === 0 && criticals === 0 && held === 0) return null;
|
|
144
|
+
|
|
145
|
+
const lines = ["Daily health digest:"];
|
|
146
|
+
if (silents > 0) lines.push(` ${silents} routine heal(s) (silent)`);
|
|
147
|
+
if (notables > 0) lines.push(` ${notables} notable event(s)`);
|
|
148
|
+
if (criticals > 0) lines.push(` ${criticals} critical issue(s)`);
|
|
149
|
+
if (held > 0) lines.push(` ${held} held update(s) awaiting /approve`);
|
|
150
|
+
return lines.join("\n");
|
|
151
|
+
}
|
|
152
|
+
|
|
153
|
+
async checkOllamaDowntime() {
|
|
154
|
+
const available = await this.isOllamaAvailable();
|
|
155
|
+
if (available) {
|
|
156
|
+
this._ollamaFirstDownAt = null;
|
|
157
|
+
return;
|
|
158
|
+
}
|
|
159
|
+
if (!this._ollamaFirstDownAt) {
|
|
160
|
+
this._ollamaFirstDownAt = new Date();
|
|
161
|
+
return;
|
|
162
|
+
}
|
|
163
|
+
const downMs = Date.now() - this._ollamaFirstDownAt.getTime();
|
|
164
|
+
if (downMs > 24 * 60 * 60 * 1000) {
|
|
165
|
+
await this.notify("critical", "I can't reason about failures right now — Ollama is offline.");
|
|
166
|
+
this._ollamaFirstDownAt = new Date(); // Reset to avoid spamming every tick
|
|
167
|
+
}
|
|
168
|
+
}
|
|
169
|
+
|
|
170
|
+
async processHeldUpdateExpiry() {
|
|
171
|
+
const held = this.repairLog.getHeldUpdates();
|
|
172
|
+
const now = Date.now();
|
|
173
|
+
for (const entry of held) {
|
|
174
|
+
const age = now - new Date(entry.ts).getTime();
|
|
175
|
+
const daysOld = age / (24 * 60 * 60 * 1000);
|
|
176
|
+
const ctx = entry.context ? JSON.parse(entry.context) : {};
|
|
177
|
+
// Remind once between day 25 and 30 (check repair_log for existing reminder)
|
|
178
|
+
const reminderKey = `reminder:${entry.id}`;
|
|
179
|
+
const alreadyReminded = this.repairLog.getRecentByType(reminderKey, 30).length > 0;
|
|
180
|
+
if (daysOld >= 25 && daysOld < 30 && !alreadyReminded) {
|
|
181
|
+
this.repairLog.write({ source: "nurse", type: reminderKey, action: "remind", result: "resolved", severity: "silent" });
|
|
182
|
+
await this.notify("notable", `Reminder: ${ctx.update_target || "update"} ${ctx.to_version || ""} is still held. Reply /approve ${entry.id} or it expires in ${Math.ceil(30 - daysOld)} days.`);
|
|
183
|
+
}
|
|
184
|
+
// Archive at 30 days — write a child row marking it expired
|
|
185
|
+
if (daysOld >= 30) {
|
|
186
|
+
this.repairLog.write({
|
|
187
|
+
source: "nurse", type: entry.type, action: "expire",
|
|
188
|
+
result: "resolved", severity: "silent",
|
|
189
|
+
diagnosis: "Held update expired after 30 days",
|
|
190
|
+
parent_id: entry.id
|
|
191
|
+
});
|
|
192
|
+
}
|
|
193
|
+
}
|
|
194
|
+
}
|
|
195
|
+
|
|
196
|
+
_buildDiagnosticPrompt(escalation, context) {
|
|
197
|
+
// Enforce 50-entry window
|
|
198
|
+
const windowedContext = context.slice(0, 50);
|
|
199
|
+
// Build compact summary (one line per entry)
|
|
200
|
+
const lines = windowedContext.map(e =>
|
|
201
|
+
`[${e.ts.slice(0, 16)}] ${e.source}/${e.type} → ${e.action || "?"} → ${e.result}`
|
|
202
|
+
);
|
|
203
|
+
// Truncate if total prompt would exceed ~4000 tokens (~16000 chars)
|
|
204
|
+
let contextBlock = lines.join("\n");
|
|
205
|
+
if (contextBlock.length > 8000) {
|
|
206
|
+
contextBlock = lines.slice(0, 25).join("\n") + "\n... (truncated, 25 more entries)";
|
|
207
|
+
}
|
|
208
|
+
|
|
209
|
+
return `You are a system diagnostician for Nemoris. An unknown failure occurred.
|
|
210
|
+
|
|
211
|
+
Failure: type=${escalation.type}, context=${escalation.context || "none"}
|
|
212
|
+
|
|
213
|
+
Recent repair history (last ${windowedContext.length} entries):
|
|
214
|
+
${contextBlock}
|
|
215
|
+
|
|
216
|
+
Respond with JSON only: {"diagnosis": "root cause", "action": "one of: restart, retry, compact, rebuild_index, edit_config, swap_lane"}`;
|
|
217
|
+
}
|
|
218
|
+
}
|
|
@@ -0,0 +1,106 @@
|
|
|
1
|
+
export class RepairLog {
|
|
2
|
+
constructor(db) {
|
|
3
|
+
this.db = db;
|
|
4
|
+
}
|
|
5
|
+
|
|
6
|
+
ensureSchema() {
|
|
7
|
+
this.db.exec(`
|
|
8
|
+
CREATE TABLE IF NOT EXISTS repair_log (
|
|
9
|
+
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
|
10
|
+
ts TEXT NOT NULL DEFAULT (strftime('%Y-%m-%dT%H:%M:%fZ','now')),
|
|
11
|
+
source TEXT NOT NULL,
|
|
12
|
+
type TEXT NOT NULL,
|
|
13
|
+
context TEXT,
|
|
14
|
+
action TEXT,
|
|
15
|
+
result TEXT NOT NULL,
|
|
16
|
+
severity TEXT NOT NULL,
|
|
17
|
+
diagnosis TEXT,
|
|
18
|
+
config_before TEXT,
|
|
19
|
+
config_after TEXT,
|
|
20
|
+
escalated INTEGER NOT NULL DEFAULT 0,
|
|
21
|
+
attempts INTEGER NOT NULL DEFAULT 1,
|
|
22
|
+
parent_id INTEGER REFERENCES repair_log(id)
|
|
23
|
+
);
|
|
24
|
+
CREATE INDEX IF NOT EXISTS idx_repair_log_type ON repair_log(type);
|
|
25
|
+
CREATE INDEX IF NOT EXISTS idx_repair_log_ts ON repair_log(ts);
|
|
26
|
+
CREATE INDEX IF NOT EXISTS idx_repair_log_result_ts ON repair_log(result, ts);
|
|
27
|
+
CREATE INDEX IF NOT EXISTS idx_repair_log_escalated ON repair_log(escalated) WHERE escalated = 1;
|
|
28
|
+
CREATE INDEX IF NOT EXISTS idx_repair_log_parent ON repair_log(parent_id) WHERE parent_id IS NOT NULL;
|
|
29
|
+
`);
|
|
30
|
+
}
|
|
31
|
+
|
|
32
|
+
write({ source, type, context, action, result, severity, diagnosis, config_before, config_after, escalated, attempts, parent_id }) {
|
|
33
|
+
const stmt = this.db.prepare(`
|
|
34
|
+
INSERT INTO repair_log (source, type, context, action, result, severity, diagnosis, config_before, config_after, escalated, attempts, parent_id)
|
|
35
|
+
VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
|
|
36
|
+
`);
|
|
37
|
+
const info = stmt.run(
|
|
38
|
+
source, type, context ?? null, action ?? null, result, severity,
|
|
39
|
+
diagnosis ?? null, config_before ?? null, config_after ?? null,
|
|
40
|
+
escalated ?? 0, attempts ?? 1, parent_id ?? null
|
|
41
|
+
);
|
|
42
|
+
return Number(info.lastInsertRowid);
|
|
43
|
+
}
|
|
44
|
+
|
|
45
|
+
getById(id) {
|
|
46
|
+
return this.db.prepare("SELECT * FROM repair_log WHERE id = ?").get(id);
|
|
47
|
+
}
|
|
48
|
+
|
|
49
|
+
update(id, { action, result, severity, diagnosis, attempts, config_before, config_after }) {
|
|
50
|
+
const sets = [];
|
|
51
|
+
const params = [];
|
|
52
|
+
if (action !== undefined) { sets.push("action = ?"); params.push(action); }
|
|
53
|
+
if (result !== undefined) { sets.push("result = ?"); params.push(result); }
|
|
54
|
+
if (severity !== undefined) { sets.push("severity = ?"); params.push(severity); }
|
|
55
|
+
if (diagnosis !== undefined) { sets.push("diagnosis = ?"); params.push(diagnosis); }
|
|
56
|
+
if (attempts !== undefined) { sets.push("attempts = ?"); params.push(attempts); }
|
|
57
|
+
if (config_before !== undefined) { sets.push("config_before = ?"); params.push(config_before); }
|
|
58
|
+
if (config_after !== undefined) { sets.push("config_after = ?"); params.push(config_after); }
|
|
59
|
+
if (sets.length === 0) return;
|
|
60
|
+
params.push(id);
|
|
61
|
+
this.db.prepare(`UPDATE repair_log SET ${sets.join(", ")} WHERE id = ?`).run(...params);
|
|
62
|
+
}
|
|
63
|
+
|
|
64
|
+
getUnclaimedEscalations() {
|
|
65
|
+
return this.db.prepare(`
|
|
66
|
+
SELECT rl.* FROM repair_log rl
|
|
67
|
+
WHERE rl.escalated = 1
|
|
68
|
+
AND NOT EXISTS (SELECT 1 FROM repair_log child WHERE child.parent_id = rl.id)
|
|
69
|
+
ORDER BY rl.ts ASC
|
|
70
|
+
`).all();
|
|
71
|
+
}
|
|
72
|
+
|
|
73
|
+
getLastFiring(type, action) {
|
|
74
|
+
return this.db.prepare(
|
|
75
|
+
"SELECT * FROM repair_log WHERE type = ? AND action = ? ORDER BY ts DESC LIMIT 1"
|
|
76
|
+
).get(type, action);
|
|
77
|
+
}
|
|
78
|
+
|
|
79
|
+
getRecentByType(type, days = 30) {
|
|
80
|
+
return this.db.prepare(
|
|
81
|
+
"SELECT * FROM repair_log WHERE type = ? AND ts > datetime('now', ? || ' days') ORDER BY ts DESC"
|
|
82
|
+
).all(type, `-${days}`);
|
|
83
|
+
}
|
|
84
|
+
|
|
85
|
+
getRecent(limit = 50) {
|
|
86
|
+
return this.db.prepare("SELECT * FROM repair_log ORDER BY ts DESC LIMIT ?").all(limit);
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
getHeldUpdates() {
|
|
90
|
+
return this.db.prepare("SELECT * FROM repair_log WHERE result = 'held' ORDER BY ts DESC").all();
|
|
91
|
+
}
|
|
92
|
+
|
|
93
|
+
getDigestSince(sinceIso) {
|
|
94
|
+
return this.db.prepare(`
|
|
95
|
+
SELECT severity, COUNT(*) as count FROM repair_log
|
|
96
|
+
WHERE ts > ? GROUP BY severity
|
|
97
|
+
`).all(sinceIso);
|
|
98
|
+
}
|
|
99
|
+
|
|
100
|
+
pruneResolved(retentionDays = 90) {
|
|
101
|
+
const result = this.db.prepare(
|
|
102
|
+
"DELETE FROM repair_log WHERE result = 'resolved' AND ts < datetime('now', ? || ' days')"
|
|
103
|
+
).run(`-${retentionDays}`);
|
|
104
|
+
return result.changes;
|
|
105
|
+
}
|
|
106
|
+
}
|
|
@@ -0,0 +1,90 @@
|
|
|
1
|
+
export class RuleStaging {
|
|
2
|
+
constructor(db) {
|
|
3
|
+
this.db = db;
|
|
4
|
+
}
|
|
5
|
+
|
|
6
|
+
ensureSchema() {
|
|
7
|
+
this.db.exec(`
|
|
8
|
+
CREATE TABLE IF NOT EXISTS rule_staging (
|
|
9
|
+
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
|
10
|
+
ts TEXT NOT NULL DEFAULT (strftime('%Y-%m-%dT%H:%M:%fZ','now')),
|
|
11
|
+
proposed_by TEXT NOT NULL DEFAULT 'pattern_miner',
|
|
12
|
+
match_type TEXT NOT NULL,
|
|
13
|
+
match_context TEXT,
|
|
14
|
+
action TEXT NOT NULL,
|
|
15
|
+
severity TEXT NOT NULL,
|
|
16
|
+
action_class TEXT NOT NULL,
|
|
17
|
+
cooldown_minutes INTEGER NOT NULL DEFAULT 5,
|
|
18
|
+
priority INTEGER NOT NULL DEFAULT 10,
|
|
19
|
+
evidence TEXT,
|
|
20
|
+
status TEXT NOT NULL DEFAULT 'pending',
|
|
21
|
+
promoted_at TEXT,
|
|
22
|
+
expires_at TEXT
|
|
23
|
+
);
|
|
24
|
+
`);
|
|
25
|
+
}
|
|
26
|
+
|
|
27
|
+
propose({ match_type, match_context, action, severity, action_class, cooldown_minutes, evidence }) {
|
|
28
|
+
const stmt = this.db.prepare(`
|
|
29
|
+
INSERT INTO rule_staging (match_type, match_context, action, severity, action_class, cooldown_minutes, evidence, expires_at)
|
|
30
|
+
VALUES (?, ?, ?, ?, ?, ?, ?, datetime('now', '+30 days'))
|
|
31
|
+
`);
|
|
32
|
+
const info = stmt.run(match_type, match_context ?? null, action, severity, action_class, cooldown_minutes ?? 5, evidence ?? null);
|
|
33
|
+
return Number(info.lastInsertRowid);
|
|
34
|
+
}
|
|
35
|
+
|
|
36
|
+
getById(id) {
|
|
37
|
+
return this.db.prepare("SELECT * FROM rule_staging WHERE id = ?").get(id);
|
|
38
|
+
}
|
|
39
|
+
|
|
40
|
+
promote(id) {
|
|
41
|
+
this.db.prepare(
|
|
42
|
+
"UPDATE rule_staging SET status = 'promoted', promoted_at = strftime('%Y-%m-%dT%H:%M:%fZ','now') WHERE id = ? AND status = 'pending'"
|
|
43
|
+
).run(id);
|
|
44
|
+
}
|
|
45
|
+
|
|
46
|
+
approve(id) {
|
|
47
|
+
const row = this.getById(id);
|
|
48
|
+
if (!row || row.status === "expired" || row.status === "rejected") return false;
|
|
49
|
+
this.db.prepare(
|
|
50
|
+
"UPDATE rule_staging SET status = 'approved', priority = 20, promoted_at = strftime('%Y-%m-%dT%H:%M:%fZ','now') WHERE id = ?"
|
|
51
|
+
).run(id);
|
|
52
|
+
return true;
|
|
53
|
+
}
|
|
54
|
+
|
|
55
|
+
reject(id) {
|
|
56
|
+
this.db.prepare("UPDATE rule_staging SET status = 'rejected' WHERE id = ?").run(id);
|
|
57
|
+
}
|
|
58
|
+
|
|
59
|
+
getActiveRules() {
|
|
60
|
+
return this.db.prepare(
|
|
61
|
+
"SELECT * FROM rule_staging WHERE status IN ('promoted', 'approved') ORDER BY priority DESC, id DESC"
|
|
62
|
+
).all();
|
|
63
|
+
}
|
|
64
|
+
|
|
65
|
+
getPendingAutoPromote() {
|
|
66
|
+
return this.db.prepare(
|
|
67
|
+
"SELECT * FROM rule_staging WHERE status = 'pending' AND action_class = 'auto_promote'"
|
|
68
|
+
).all();
|
|
69
|
+
}
|
|
70
|
+
|
|
71
|
+
getPendingApprovals() {
|
|
72
|
+
return this.db.prepare(
|
|
73
|
+
"SELECT * FROM rule_staging WHERE status = 'pending' AND action_class = 'approval_required'"
|
|
74
|
+
).all();
|
|
75
|
+
}
|
|
76
|
+
|
|
77
|
+
expirePending() {
|
|
78
|
+
const result = this.db.prepare(
|
|
79
|
+
"UPDATE rule_staging SET status = 'expired' WHERE status = 'pending' AND expires_at < datetime('now')"
|
|
80
|
+
).run();
|
|
81
|
+
return result.changes;
|
|
82
|
+
}
|
|
83
|
+
|
|
84
|
+
isDuplicate(match_type, action) {
|
|
85
|
+
const row = this.db.prepare(
|
|
86
|
+
"SELECT 1 FROM rule_staging WHERE match_type = ? AND action = ? LIMIT 1"
|
|
87
|
+
).get(match_type, action);
|
|
88
|
+
return !!row;
|
|
89
|
+
}
|
|
90
|
+
}
|
|
@@ -0,0 +1,29 @@
|
|
|
1
|
+
export const BUILT_IN_RULES = [
|
|
2
|
+
{ match_type: "provider_5xx", action: "circuit_break", severity: "silent", cooldown_minutes: 5, priority: 0 },
|
|
3
|
+
{ match_type: "provider_timeout", action: "retry_then_break", severity: "silent", cooldown_minutes: 5, priority: 0 },
|
|
4
|
+
{ match_type: "mcp_exit", action: "restart", severity: "notable", cooldown_minutes: 2, priority: 0 },
|
|
5
|
+
{ match_type: "mcp_timeout", action: "kill_restart", severity: "notable", cooldown_minutes: 2, priority: 0 },
|
|
6
|
+
{ match_type: "memory_bloat", action: "compact", severity: "silent", cooldown_minutes: 60, priority: 0 },
|
|
7
|
+
{ match_type: "embedding_drift", action: "rebuild_index", severity: "silent", cooldown_minutes: 60, priority: 0 },
|
|
8
|
+
{ match_type: "stale_job", action: "reap", severity: "silent", cooldown_minutes: 5, priority: 0 },
|
|
9
|
+
{ match_type: "delivery_api_fail", action: "retry_backoff", severity: "notable", cooldown_minutes: 1, priority: 0 },
|
|
10
|
+
{ match_type: "delivery_silent_drop", action: "resend", severity: "notable", cooldown_minutes: 1, priority: 0 },
|
|
11
|
+
];
|
|
12
|
+
|
|
13
|
+
export function matchRule(failureType, context, rules) {
|
|
14
|
+
const matches = rules.filter(r => r.match_type === failureType);
|
|
15
|
+
if (matches.length === 0) return null;
|
|
16
|
+
matches.sort((a, b) => {
|
|
17
|
+
if (b.priority !== a.priority) return b.priority - a.priority;
|
|
18
|
+
return 0;
|
|
19
|
+
});
|
|
20
|
+
return matches[0];
|
|
21
|
+
}
|
|
22
|
+
|
|
23
|
+
export function isCoolingDown(rule, repairLog) {
|
|
24
|
+
const last = repairLog.getLastFiring(rule.match_type, rule.action);
|
|
25
|
+
if (!last) return false;
|
|
26
|
+
const lastTs = new Date(last.ts).getTime();
|
|
27
|
+
const cooldownMs = (rule.cooldown_minutes ?? 5) * 60 * 1000;
|
|
28
|
+
return Date.now() - lastTs < cooldownMs;
|
|
29
|
+
}
|