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,136 @@
|
|
|
1
|
+
import { ProviderAdapter } from "./base.js";
|
|
2
|
+
|
|
3
|
+
export class OpenRouterAdapter extends ProviderAdapter {
|
|
4
|
+
static providerId = "openrouter";
|
|
5
|
+
|
|
6
|
+
getCapabilities() {
|
|
7
|
+
return {
|
|
8
|
+
supportsToolDefinitions: true,
|
|
9
|
+
supportsToolCalls: true,
|
|
10
|
+
structuredOutputMode: "response_format",
|
|
11
|
+
supportsReasoningSchema: false,
|
|
12
|
+
tokenCountingMode: "model_specific",
|
|
13
|
+
toolReliabilityTier: "medium",
|
|
14
|
+
supportsVision: true
|
|
15
|
+
};
|
|
16
|
+
}
|
|
17
|
+
|
|
18
|
+
buildStructuredOutputFormat(input) {
|
|
19
|
+
if (!input?.responseSchema?.schema) return null;
|
|
20
|
+
return {
|
|
21
|
+
type: "json_schema",
|
|
22
|
+
json_schema: {
|
|
23
|
+
name: input.responseSchema.name || "nemoris_response",
|
|
24
|
+
strict: true,
|
|
25
|
+
schema: input.responseSchema.schema
|
|
26
|
+
}
|
|
27
|
+
};
|
|
28
|
+
}
|
|
29
|
+
|
|
30
|
+
buildInvokePayload(input) {
|
|
31
|
+
const { model: rawModel, system, messages, maxTokens = 2048, tools, responseSchema } = input;
|
|
32
|
+
// Strip provider prefix (e.g. "openrouter/anthropic/claude-haiku-4-5" → "anthropic/claude-haiku-4-5")
|
|
33
|
+
const model = rawModel?.startsWith("openrouter/") ? rawModel.slice("openrouter/".length) : rawModel;
|
|
34
|
+
const normalizedMessages = [];
|
|
35
|
+
if (system) {
|
|
36
|
+
normalizedMessages.push({
|
|
37
|
+
role: "system",
|
|
38
|
+
content: system
|
|
39
|
+
});
|
|
40
|
+
}
|
|
41
|
+
normalizedMessages.push(...messages);
|
|
42
|
+
|
|
43
|
+
const payload = {
|
|
44
|
+
model,
|
|
45
|
+
messages: normalizedMessages,
|
|
46
|
+
max_tokens: maxTokens
|
|
47
|
+
};
|
|
48
|
+
if (tools?.length) payload.tools = tools;
|
|
49
|
+
const responseFormat = this.buildStructuredOutputFormat({ responseSchema });
|
|
50
|
+
if (responseFormat) payload.response_format = responseFormat;
|
|
51
|
+
return payload;
|
|
52
|
+
}
|
|
53
|
+
|
|
54
|
+
async invoke(input) {
|
|
55
|
+
const token = this.ensureAuthToken();
|
|
56
|
+
return this.postJson(
|
|
57
|
+
"chat/completions",
|
|
58
|
+
this.buildInvokePayload(input),
|
|
59
|
+
{
|
|
60
|
+
authorization: `Bearer ${token}`,
|
|
61
|
+
"http-referer": this.config.appUrl || "https://nemoris-v2.local",
|
|
62
|
+
"x-title": this.config.appName || "Nemoris V2"
|
|
63
|
+
},
|
|
64
|
+
{
|
|
65
|
+
timeoutMs: input.timeoutMs
|
|
66
|
+
}
|
|
67
|
+
);
|
|
68
|
+
}
|
|
69
|
+
|
|
70
|
+
normalizeResponse(raw) {
|
|
71
|
+
const text = raw?.choices?.[0]?.message?.content
|
|
72
|
+
? String(raw.choices[0].message.content)
|
|
73
|
+
: null;
|
|
74
|
+
const parsedJson = text ? this.parseStructuredJson(text) : null;
|
|
75
|
+
if (parsedJson) {
|
|
76
|
+
return {
|
|
77
|
+
summary: parsedJson.summary || "Provider returned structured JSON output.",
|
|
78
|
+
output: parsedJson.output || text,
|
|
79
|
+
nextActions: Array.isArray(parsedJson.nextActions) ? parsedJson.nextActions : [],
|
|
80
|
+
reasoning: parsedJson.analysis || null,
|
|
81
|
+
raw
|
|
82
|
+
};
|
|
83
|
+
}
|
|
84
|
+
if (text) {
|
|
85
|
+
return {
|
|
86
|
+
summary: text.slice(0, 200) || "Provider responded.",
|
|
87
|
+
output: text,
|
|
88
|
+
nextActions: [],
|
|
89
|
+
reasoning: null,
|
|
90
|
+
raw
|
|
91
|
+
};
|
|
92
|
+
}
|
|
93
|
+
|
|
94
|
+
return super.normalizeResponse(raw);
|
|
95
|
+
}
|
|
96
|
+
|
|
97
|
+
async healthCheck() {
|
|
98
|
+
const token = this.ensureAuthToken();
|
|
99
|
+
// Health probes honour the same SSRF policy as normal provider traffic.
|
|
100
|
+
const response = await this.fetchResponse("models", {
|
|
101
|
+
method: "GET",
|
|
102
|
+
headers: {
|
|
103
|
+
authorization: `Bearer ${token}`
|
|
104
|
+
}
|
|
105
|
+
});
|
|
106
|
+
return {
|
|
107
|
+
ok: response.ok,
|
|
108
|
+
status: response.status
|
|
109
|
+
};
|
|
110
|
+
}
|
|
111
|
+
|
|
112
|
+
async listModels() {
|
|
113
|
+
const token = this.ensureAuthToken();
|
|
114
|
+
const response = await this.fetchResponse("models", {
|
|
115
|
+
method: "GET",
|
|
116
|
+
headers: {
|
|
117
|
+
authorization: `Bearer ${token}`
|
|
118
|
+
}
|
|
119
|
+
});
|
|
120
|
+
const text = await response.text();
|
|
121
|
+
let data = null;
|
|
122
|
+
if (text) {
|
|
123
|
+
try {
|
|
124
|
+
data = JSON.parse(text);
|
|
125
|
+
} catch {
|
|
126
|
+
data = null;
|
|
127
|
+
}
|
|
128
|
+
}
|
|
129
|
+
if (!response.ok) {
|
|
130
|
+
throw new Error(`Provider error ${response.status}: ${typeof data === "string" ? data : JSON.stringify(data)}`);
|
|
131
|
+
}
|
|
132
|
+
return Array.isArray(data?.data)
|
|
133
|
+
? data.data.map((item) => item?.id).filter(Boolean)
|
|
134
|
+
: [];
|
|
135
|
+
}
|
|
136
|
+
}
|
|
@@ -0,0 +1,36 @@
|
|
|
1
|
+
import { AnthropicAdapter } from "./anthropic.js";
|
|
2
|
+
import { OpenAICodexAdapter } from "./openai-codex.js";
|
|
3
|
+
import { OpenRouterAdapter } from "./openrouter.js";
|
|
4
|
+
import { OllamaAdapter } from "./ollama.js";
|
|
5
|
+
|
|
6
|
+
const DEFAULT_ADAPTERS = new Map([
|
|
7
|
+
[AnthropicAdapter.providerId, AnthropicAdapter],
|
|
8
|
+
[OpenAICodexAdapter.providerId, OpenAICodexAdapter],
|
|
9
|
+
[OpenRouterAdapter.providerId, OpenRouterAdapter],
|
|
10
|
+
[OllamaAdapter.providerId, OllamaAdapter]
|
|
11
|
+
]);
|
|
12
|
+
|
|
13
|
+
export class ProviderRegistry {
|
|
14
|
+
constructor({ adapters = DEFAULT_ADAPTERS, fetchImpl, lookupImpl } = {}) {
|
|
15
|
+
this.adapters = adapters;
|
|
16
|
+
this.fetchImpl = fetchImpl;
|
|
17
|
+
this.lookupImpl = lookupImpl;
|
|
18
|
+
}
|
|
19
|
+
|
|
20
|
+
create(providerConfig) {
|
|
21
|
+
const Adapter = this.adapters.get(providerConfig.id) || this.adapters.get(providerConfig.adapter);
|
|
22
|
+
if (!Adapter) {
|
|
23
|
+
throw new Error(`No adapter registered for provider ${providerConfig.id}`);
|
|
24
|
+
}
|
|
25
|
+
return new Adapter(providerConfig, { fetchImpl: this.fetchImpl, lookupImpl: this.lookupImpl });
|
|
26
|
+
}
|
|
27
|
+
|
|
28
|
+
describe(providerConfig) {
|
|
29
|
+
const adapter = this.create(providerConfig);
|
|
30
|
+
return {
|
|
31
|
+
id: providerConfig.id,
|
|
32
|
+
adapter: providerConfig.adapter || providerConfig.id,
|
|
33
|
+
capabilities: adapter.getCapabilities()
|
|
34
|
+
};
|
|
35
|
+
}
|
|
36
|
+
}
|
|
@@ -0,0 +1,16 @@
|
|
|
1
|
+
export class ModelRouter {
|
|
2
|
+
constructor(lanes = {}) {
|
|
3
|
+
this.lanes = lanes;
|
|
4
|
+
}
|
|
5
|
+
|
|
6
|
+
resolve(laneName, mode = "primary") {
|
|
7
|
+
const lane = this.lanes[laneName];
|
|
8
|
+
if (!lane) {
|
|
9
|
+
throw new Error(`Unknown lane: ${laneName}`);
|
|
10
|
+
}
|
|
11
|
+
|
|
12
|
+
if (mode === "fallback" && lane.fallback) return lane.fallback;
|
|
13
|
+
if (mode === "manual_bump" && lane.manualBump) return lane.manualBump;
|
|
14
|
+
return lane.primary;
|
|
15
|
+
}
|
|
16
|
+
}
|
|
@@ -0,0 +1,47 @@
|
|
|
1
|
+
import path from "node:path";
|
|
2
|
+
import { ensureDir, readJson, statPath, writeJson } from "../utils/fs.js";
|
|
3
|
+
|
|
4
|
+
export class IdentityBootstrapCache {
|
|
5
|
+
constructor({ rootDir }) {
|
|
6
|
+
this.rootDir = rootDir;
|
|
7
|
+
}
|
|
8
|
+
|
|
9
|
+
async get(agentId, refs, loader) {
|
|
10
|
+
const cachePath = path.join(this.rootDir, `${agentId}.json`);
|
|
11
|
+
const currentSources = await this.buildSourceState(refs);
|
|
12
|
+
const cached = await readJson(cachePath, null);
|
|
13
|
+
|
|
14
|
+
if (cached && JSON.stringify(cached.sources) === JSON.stringify(currentSources)) {
|
|
15
|
+
return cached.identity;
|
|
16
|
+
}
|
|
17
|
+
|
|
18
|
+
const identity = await loader();
|
|
19
|
+
await ensureDir(this.rootDir);
|
|
20
|
+
await writeJson(cachePath, {
|
|
21
|
+
agentId,
|
|
22
|
+
cachedAt: new Date().toISOString(),
|
|
23
|
+
sources: currentSources,
|
|
24
|
+
identity
|
|
25
|
+
});
|
|
26
|
+
return identity;
|
|
27
|
+
}
|
|
28
|
+
|
|
29
|
+
async buildSourceState(refs = {}) {
|
|
30
|
+
const result = {};
|
|
31
|
+
for (const [key, filePath] of Object.entries(refs)) {
|
|
32
|
+
if (!filePath) {
|
|
33
|
+
result[key] = null;
|
|
34
|
+
continue;
|
|
35
|
+
}
|
|
36
|
+
const stats = await statPath(filePath);
|
|
37
|
+
result[key] = stats
|
|
38
|
+
? {
|
|
39
|
+
path: filePath,
|
|
40
|
+
mtimeMs: stats.mtimeMs,
|
|
41
|
+
size: stats.size
|
|
42
|
+
}
|
|
43
|
+
: null;
|
|
44
|
+
}
|
|
45
|
+
return result;
|
|
46
|
+
}
|
|
47
|
+
}
|
|
@@ -0,0 +1,25 @@
|
|
|
1
|
+
export function buildCapabilitiesPrompt(toolSchemas = []) {
|
|
2
|
+
const toolNames = toolSchemas.map((tool) => tool.name).filter(Boolean);
|
|
3
|
+
const availableTools = toolNames.length ? toolNames.join(", ") : "none";
|
|
4
|
+
|
|
5
|
+
return [
|
|
6
|
+
`Your available tools are: ${availableTools}.`,
|
|
7
|
+
"You do NOT have: sessions_send, cross-agent messaging, email sending, or web posting.",
|
|
8
|
+
"If asked to do something outside your tool set, say so honestly.",
|
|
9
|
+
"",
|
|
10
|
+
"## Live Tools",
|
|
11
|
+
"- `web_search`: Returns real-time search results from Perplexity. These are CURRENT FACTS, not training data. Treat results as authoritative for current events, prices, and dates. Do not caveat with knowledge cutoff disclaimers.",
|
|
12
|
+
"- `http_fetch`: Fetches live content from URLs. Real-time, not cached training data.",
|
|
13
|
+
"- `read_file`, `write_file`, `list_dir`: Operate on the real filesystem right now.",
|
|
14
|
+
"",
|
|
15
|
+
"## Memory Rules",
|
|
16
|
+
"- NEVER confirm a memory write unless the `write_memory` tool was actually called and succeeded.",
|
|
17
|
+
"- If a user asks about a preference you do not know, say: \"I don't know - tell me and I'll remember it for next time.\"",
|
|
18
|
+
"- Only recall personal facts you retrieved via `memory_search` or `lcm_recall`. Never invent personal facts about the user.",
|
|
19
|
+
"",
|
|
20
|
+
"## User vs Agent Identity",
|
|
21
|
+
"- YOUR name is the one defined in your soul or identity files. You are the agent, not the operator.",
|
|
22
|
+
"- The OPERATOR or USER name comes from memory or the user_ref identity file. You are NOT the user.",
|
|
23
|
+
"- When asked \"what's my name?\", answer with the operator's name from memory or user_ref, not your own.",
|
|
24
|
+
].join("\n");
|
|
25
|
+
}
|
|
@@ -0,0 +1,99 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Completion ping delivery — notifies humans and/or agents when
|
|
3
|
+
* dispatched jobs finish.
|
|
4
|
+
*
|
|
5
|
+
* Separate from telegram-inbound.js per design constraint.
|
|
6
|
+
*/
|
|
7
|
+
|
|
8
|
+
const MAX_OUTPUT_LENGTH = 500;
|
|
9
|
+
|
|
10
|
+
/**
|
|
11
|
+
* Format a completion ping message for a finished dispatch job.
|
|
12
|
+
*
|
|
13
|
+
* @param {object} job - Row from interactive_jobs
|
|
14
|
+
* @param {string|null} output - Agent output text (null for failures)
|
|
15
|
+
* @returns {string}
|
|
16
|
+
*/
|
|
17
|
+
export function formatCompletionPing(job, output) {
|
|
18
|
+
const icon = job.status === "succeeded" ? "\u2705" : "\u274C";
|
|
19
|
+
const header = `${icon} ${job.agent_id} \u00B7 job_id: ${job.job_id}`;
|
|
20
|
+
|
|
21
|
+
if (job.status !== "succeeded" || !output) {
|
|
22
|
+
return `${header}\nStatus: ${job.status}`;
|
|
23
|
+
}
|
|
24
|
+
|
|
25
|
+
const text = typeof output === "string" ? output : JSON.stringify(output);
|
|
26
|
+
const truncated = text.length > MAX_OUTPUT_LENGTH
|
|
27
|
+
? text.slice(0, MAX_OUTPUT_LENGTH - 3) + "..."
|
|
28
|
+
: text;
|
|
29
|
+
return `${header}\n${truncated}`;
|
|
30
|
+
}
|
|
31
|
+
|
|
32
|
+
/**
|
|
33
|
+
* Scan for completed dispatch jobs and deliver completion pings.
|
|
34
|
+
*
|
|
35
|
+
* @param {import('./scheduler-state.js').SchedulerStateStore} stateStore
|
|
36
|
+
* @param {{ operatorChatId: string, botTokenEnv: string }} telegramConfig
|
|
37
|
+
* @param {{ fetchImpl: Function, botToken: string, logger?: object }} options
|
|
38
|
+
*/
|
|
39
|
+
export async function fireCompletionPings(stateStore, telegramConfig, options = {}) {
|
|
40
|
+
const { fetchImpl = globalThis.fetch, botToken, logger = console } = options;
|
|
41
|
+
|
|
42
|
+
const completed = stateStore.getCompletedDispatchJobs();
|
|
43
|
+
if (completed.length === 0) return;
|
|
44
|
+
|
|
45
|
+
for (const job of completed) {
|
|
46
|
+
const pingMessage = formatCompletionPing(job, job.status === "succeeded" ? job.input : null);
|
|
47
|
+
let delivered = true;
|
|
48
|
+
|
|
49
|
+
// Human delivery path
|
|
50
|
+
if (job.completion_target === "human" || job.completion_target === "both") {
|
|
51
|
+
const chatId = telegramConfig.operatorChatId;
|
|
52
|
+
if (chatId && botToken) {
|
|
53
|
+
try {
|
|
54
|
+
const res = await fetchImpl(`https://api.telegram.org/bot${botToken}/sendMessage`, {
|
|
55
|
+
method: "POST",
|
|
56
|
+
headers: { "content-type": "application/json" },
|
|
57
|
+
body: JSON.stringify({ chat_id: chatId, text: pingMessage }),
|
|
58
|
+
});
|
|
59
|
+
const body = await res.json();
|
|
60
|
+
if (!body.ok) {
|
|
61
|
+
delivered = false;
|
|
62
|
+
logger.error(JSON.stringify({ service: "completion_ping", jobId: job.job_id, error: body.description || "sendMessage failed" }));
|
|
63
|
+
}
|
|
64
|
+
} catch (error) {
|
|
65
|
+
delivered = false;
|
|
66
|
+
logger.error(JSON.stringify({ service: "completion_ping", jobId: job.job_id, error: error.message }));
|
|
67
|
+
}
|
|
68
|
+
} else {
|
|
69
|
+
delivered = false;
|
|
70
|
+
}
|
|
71
|
+
}
|
|
72
|
+
|
|
73
|
+
// Agent delivery path — enqueue synthetic interactive job for the triggering agent
|
|
74
|
+
if (job.completion_target === "agent" || job.completion_target === "both") {
|
|
75
|
+
try {
|
|
76
|
+
stateStore.enqueueInteractiveJob({
|
|
77
|
+
jobId: `ping-${job.job_id}-${Date.now()}`,
|
|
78
|
+
agentId: job.triggered_by,
|
|
79
|
+
input: pingMessage,
|
|
80
|
+
source: "completion_ping",
|
|
81
|
+
chatId: "",
|
|
82
|
+
});
|
|
83
|
+
} catch (error) {
|
|
84
|
+
delivered = false;
|
|
85
|
+
logger.error(JSON.stringify({ service: "completion_ping", jobId: job.job_id, error: error.message }));
|
|
86
|
+
}
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
if (delivered) {
|
|
90
|
+
stateStore.markCompletionPinged(job.job_id);
|
|
91
|
+
} else {
|
|
92
|
+
stateStore.incrementCompletionPingAttempts(job.job_id);
|
|
93
|
+
const updated = stateStore.getInteractiveJob(job.job_id);
|
|
94
|
+
if (updated.completion_pinged_at === "FAILED") {
|
|
95
|
+
logger.warn(JSON.stringify({ service: "completion_ping", jobId: job.job_id, event: "gave_up", attempts: updated.completion_ping_attempts }));
|
|
96
|
+
}
|
|
97
|
+
}
|
|
98
|
+
}
|
|
99
|
+
}
|
|
@@ -0,0 +1,121 @@
|
|
|
1
|
+
import { statPath } from "../utils/fs.js";
|
|
2
|
+
|
|
3
|
+
const SECRET_KEY_PATTERN = /(api[-_]?key|token|secret|password)$/i;
|
|
4
|
+
|
|
5
|
+
function resolveNamedProfile(profiles, profileName) {
|
|
6
|
+
if (!profileName) return null;
|
|
7
|
+
return profiles[profileName] || profiles[String(profileName).replace(/_([a-z])/g, (_, letter) => letter.toUpperCase())] || null;
|
|
8
|
+
}
|
|
9
|
+
|
|
10
|
+
function pushError(errors, code, details) {
|
|
11
|
+
errors.push({ code, details });
|
|
12
|
+
}
|
|
13
|
+
|
|
14
|
+
function stringifyValidationErrors(errors) {
|
|
15
|
+
return errors.map((item) => `${item.code}: ${item.details}`).join("\n");
|
|
16
|
+
}
|
|
17
|
+
|
|
18
|
+
function validateSecretShape(errors, scopeLabel, object) {
|
|
19
|
+
if (!object || typeof object !== "object") return;
|
|
20
|
+
for (const [key, value] of Object.entries(object)) {
|
|
21
|
+
if (!SECRET_KEY_PATTERN.test(key)) continue;
|
|
22
|
+
if (typeof value !== "string" || !value) continue;
|
|
23
|
+
if (key === "authRef" && value.startsWith("env:")) continue;
|
|
24
|
+
pushError(errors, "unsafe_secret_reference", `${scopeLabel}.${key} must use env-backed auth, not inline secret material`);
|
|
25
|
+
}
|
|
26
|
+
}
|
|
27
|
+
|
|
28
|
+
async function validatePathRef(errors, label, filePath) {
|
|
29
|
+
if (!filePath) return;
|
|
30
|
+
const stats = await statPath(filePath);
|
|
31
|
+
if (!stats?.isFile()) {
|
|
32
|
+
pushError(errors, "missing_file_ref", `${label} -> ${filePath}`);
|
|
33
|
+
}
|
|
34
|
+
}
|
|
35
|
+
|
|
36
|
+
export async function validateRuntimeConfig(config) {
|
|
37
|
+
const errors = [];
|
|
38
|
+
|
|
39
|
+
if (!config.providers || Object.keys(config.providers).length === 0) {
|
|
40
|
+
pushError(errors, "providers_missing", "No providers are configured.");
|
|
41
|
+
}
|
|
42
|
+
|
|
43
|
+
for (const [providerId, provider] of Object.entries(config.providers || {})) {
|
|
44
|
+
if (!provider.baseUrl) pushError(errors, "provider_base_url_missing", providerId);
|
|
45
|
+
if (
|
|
46
|
+
provider.authRef &&
|
|
47
|
+
!String(provider.authRef).startsWith("env:") &&
|
|
48
|
+
!String(provider.authRef).startsWith("profile:")
|
|
49
|
+
) {
|
|
50
|
+
pushError(errors, "provider_auth_ref_invalid", `${providerId}.authRef must start with env: or profile:`);
|
|
51
|
+
}
|
|
52
|
+
validateSecretShape(errors, `providers.${providerId}`, provider);
|
|
53
|
+
}
|
|
54
|
+
|
|
55
|
+
for (const [laneId, lane] of Object.entries(config.router || {})) {
|
|
56
|
+
if (!lane.primary) pushError(errors, "lane_primary_missing", laneId);
|
|
57
|
+
}
|
|
58
|
+
|
|
59
|
+
const deliveryProfiles = config.delivery?.profiles || {};
|
|
60
|
+
const defaultProfiles = [
|
|
61
|
+
config.delivery?.defaultInteractiveProfile,
|
|
62
|
+
config.delivery?.defaultInteractiveProfileStandalone,
|
|
63
|
+
config.delivery?.defaultPeerProfile,
|
|
64
|
+
config.delivery?.defaultPeerProfileStandalone,
|
|
65
|
+
config.delivery?.defaultSchedulerProfile
|
|
66
|
+
].filter(Boolean);
|
|
67
|
+
for (const profileName of defaultProfiles) {
|
|
68
|
+
if (!resolveNamedProfile(deliveryProfiles, profileName)) {
|
|
69
|
+
pushError(errors, "delivery_profile_missing", `default profile ${profileName}`);
|
|
70
|
+
}
|
|
71
|
+
}
|
|
72
|
+
|
|
73
|
+
for (const [agentId, agent] of Object.entries(config.agents || {})) {
|
|
74
|
+
await validatePathRef(errors, `agents.${agentId}.soulRef`, agent.soulRef);
|
|
75
|
+
await validatePathRef(errors, `agents.${agentId}.purposeRef`, agent.purposeRef);
|
|
76
|
+
const deliveryProfile = agent.delivery?.profile;
|
|
77
|
+
if (deliveryProfile && !resolveNamedProfile(deliveryProfiles, deliveryProfile)) {
|
|
78
|
+
pushError(errors, "delivery_profile_missing", `agents.${agentId}.delivery.profile -> ${deliveryProfile}`);
|
|
79
|
+
}
|
|
80
|
+
}
|
|
81
|
+
|
|
82
|
+
for (const [jobId, job] of Object.entries(config.jobs || {})) {
|
|
83
|
+
if (!config.agents?.[job.agentId]) {
|
|
84
|
+
pushError(errors, "job_agent_missing", `${jobId}.agentId -> ${job.agentId}`);
|
|
85
|
+
}
|
|
86
|
+
if (!config.router?.[job.modelLane]) {
|
|
87
|
+
pushError(errors, "job_lane_missing", `${jobId}.modelLane -> ${job.modelLane}`);
|
|
88
|
+
}
|
|
89
|
+
const fallbackLane = job.reportFallback?.lane;
|
|
90
|
+
if (fallbackLane && !config.router?.[fallbackLane]) {
|
|
91
|
+
pushError(errors, "job_fallback_lane_missing", `${jobId}.reportFallback.lane -> ${fallbackLane}`);
|
|
92
|
+
}
|
|
93
|
+
}
|
|
94
|
+
|
|
95
|
+
for (const [peerId, peer] of Object.entries(config.peers?.peers || {})) {
|
|
96
|
+
if (peer.deliveryProfile && !resolveNamedProfile(deliveryProfiles, peer.deliveryProfile)) {
|
|
97
|
+
pushError(errors, "peer_delivery_profile_missing", `${peerId}.deliveryProfile -> ${peer.deliveryProfile}`);
|
|
98
|
+
}
|
|
99
|
+
if (!Array.isArray(peer.sessionKeys) || peer.sessionKeys.length === 0) {
|
|
100
|
+
pushError(errors, "peer_session_keys_missing", peerId);
|
|
101
|
+
}
|
|
102
|
+
}
|
|
103
|
+
|
|
104
|
+
// Split into hard errors (broken config) and soft warnings (expected in fresh/no-provider installs)
|
|
105
|
+
const softCodes = new Set(["providers_missing", "job_lane_missing", "job_agent_missing"]);
|
|
106
|
+
const hardErrors = errors.filter((e) => !softCodes.has(e.code));
|
|
107
|
+
const warnings = errors.filter((e) => softCodes.has(e.code));
|
|
108
|
+
|
|
109
|
+
if (hardErrors.length) {
|
|
110
|
+
const error = new Error(`Runtime config validation failed:\n${stringifyValidationErrors(hardErrors)}`);
|
|
111
|
+
error.validationErrors = errors; // include all for doctor/diagnostics
|
|
112
|
+
error.errors = hardErrors;
|
|
113
|
+
throw error;
|
|
114
|
+
}
|
|
115
|
+
|
|
116
|
+
return {
|
|
117
|
+
ok: warnings.length === 0,
|
|
118
|
+
warnings,
|
|
119
|
+
checkedAt: new Date().toISOString()
|
|
120
|
+
};
|
|
121
|
+
}
|