@triflux/core 10.0.0-alpha.1 → 10.0.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 (38) hide show
  1. package/hooks/hook-adaptive-collector.mjs +86 -0
  2. package/hooks/hook-manager.mjs +15 -2
  3. package/hooks/hook-registry.json +37 -4
  4. package/hooks/keyword-rules.json +2 -1
  5. package/hooks/mcp-config-watcher.mjs +2 -7
  6. package/hooks/safety-guard.mjs +37 -0
  7. package/hub/account-broker.mjs +251 -0
  8. package/hub/adaptive-diagnostic.mjs +323 -0
  9. package/hub/adaptive-inject.mjs +186 -0
  10. package/hub/adaptive-memory.mjs +163 -0
  11. package/hub/adaptive.mjs +143 -0
  12. package/hub/cli-adapter-base.mjs +89 -1
  13. package/hub/codex-adapter.mjs +12 -3
  14. package/hub/codex-compat.mjs +11 -78
  15. package/hub/codex-preflight.mjs +20 -1
  16. package/hub/gemini-adapter.mjs +1 -0
  17. package/hub/index.mjs +34 -0
  18. package/hub/lib/cache-guard.mjs +114 -0
  19. package/hub/lib/known-errors.json +72 -0
  20. package/hub/lib/memory-store.mjs +748 -0
  21. package/hub/lib/ssh-command.mjs +150 -0
  22. package/hub/lib/uuidv7.mjs +44 -0
  23. package/hub/memory-doctor.mjs +480 -0
  24. package/hub/middleware/request-logger.mjs +80 -0
  25. package/hub/router.mjs +1 -1
  26. package/hub/team-bridge.mjs +21 -19
  27. package/hud/constants.mjs +7 -0
  28. package/hud/context-monitor.mjs +403 -0
  29. package/hud/hud-qos-status.mjs +8 -4
  30. package/hud/providers/claude.mjs +5 -0
  31. package/hud/renderers.mjs +32 -14
  32. package/hud/utils.mjs +26 -0
  33. package/package.json +3 -2
  34. package/scripts/lib/claudemd-scanner.mjs +218 -0
  35. package/scripts/lib/handoff.mjs +171 -0
  36. package/scripts/lib/mcp-guard-engine.mjs +20 -6
  37. package/scripts/lib/skill-template.mjs +269 -0
  38. package/scripts/lib/claudemd-manager.mjs +0 -325
@@ -0,0 +1,748 @@
1
+ // hub/lib/memory-store.mjs — In-memory store (SQLite-free fallback for @triflux/core)
2
+ import { uuidv7 } from './uuidv7.mjs';
3
+ import { recalcConfidence } from '../reflexion.mjs';
4
+
5
+ export function clone(value) {
6
+ return value == null ? value : JSON.parse(JSON.stringify(value));
7
+ }
8
+
9
+ function clampMaxMessages(value, fallback = 20) {
10
+ const num = Number(value);
11
+ if (!Number.isFinite(num)) return fallback;
12
+ return Math.max(1, Math.min(Math.trunc(num), 100));
13
+ }
14
+
15
+ function clampPriority(value, fallback = 5) {
16
+ const num = Number(value);
17
+ if (!Number.isFinite(num)) return fallback;
18
+ return Math.max(1, Math.min(Math.trunc(num), 9));
19
+ }
20
+
21
+ function clampDuration(value, fallback = 600000, min = 1000, max = 86400000) {
22
+ const num = Number(value);
23
+ if (!Number.isFinite(num)) return fallback;
24
+ return Math.max(min, Math.min(Math.trunc(num), max));
25
+ }
26
+
27
+ export function clampConfidence(value, fallback = 0.5) {
28
+ const num = Number(value);
29
+ if (!Number.isFinite(num)) return fallback;
30
+ return Math.max(0, Math.min(num, 1));
31
+ }
32
+
33
+ function clampHitCount(value, fallback = 1) {
34
+ const num = Number(value);
35
+ if (!Number.isFinite(num)) return fallback;
36
+ return Math.max(1, Math.trunc(num));
37
+ }
38
+
39
+ export function clampHitIncrement(value, fallback = 1) {
40
+ const num = Number(value);
41
+ if (!Number.isFinite(num)) return fallback;
42
+ return Math.max(0, Math.trunc(num));
43
+ }
44
+
45
+ export function coerceTimestamp(value, fallback = Date.now()) {
46
+ const num = Number(value);
47
+ if (!Number.isFinite(num)) return fallback;
48
+ return Math.trunc(num);
49
+ }
50
+
51
+ export function clampRetentionMs(value, fallback = 30 * 24 * 3600 * 1000) {
52
+ const num = Number(value);
53
+ if (!Number.isFinite(num)) return fallback;
54
+ return Math.max(1, Math.trunc(num));
55
+ }
56
+
57
+ export function normalizeAdaptiveRuleIdentity(projectSlug, pattern) {
58
+ const normalizedProject = String(projectSlug || '');
59
+ const normalizedPattern = String(pattern || '');
60
+ if (!normalizedProject || !normalizedPattern) return null;
61
+ return { project_slug: normalizedProject, pattern: normalizedPattern };
62
+ }
63
+
64
+ export function buildAdaptiveRuleRow({
65
+ project_slug,
66
+ pattern,
67
+ confidence = 0.5,
68
+ hit_count = 1,
69
+ last_seen_ms,
70
+ created_ms,
71
+ } = {}) {
72
+ const identity = normalizeAdaptiveRuleIdentity(project_slug, pattern);
73
+ if (!identity) return null;
74
+ const createdAt = coerceTimestamp(created_ms);
75
+ const lastSeenAt = Math.max(createdAt, coerceTimestamp(last_seen_ms, createdAt));
76
+ return {
77
+ ...identity,
78
+ confidence: clampConfidence(confidence, 0.5),
79
+ hit_count: clampHitCount(hit_count, 1),
80
+ last_seen_ms: lastSeenAt,
81
+ created_ms: createdAt,
82
+ };
83
+ }
84
+
85
+ function buildAssignCallbackEvent(row) {
86
+ return {
87
+ job_id: row.job_id,
88
+ status: row.status,
89
+ result: row.result ?? row.error ?? null,
90
+ timestamp: new Date(row.updated_at_ms || Date.now()).toISOString(),
91
+ };
92
+ }
93
+
94
+ /**
95
+ * 인메모리 방식의 데이터 저장소를 생성합니다.
96
+ * SQLite를 사용할 수 없는 환경에서 폴백(fallback)으로 사용됩니다.
97
+ *
98
+ * @returns {object} 인메모리 스토어 객체
99
+ */
100
+ export function createMemoryStore() {
101
+ const agents = new Map();
102
+ const messages = new Map();
103
+ const humanRequests = new Map();
104
+ const deadLetters = new Map();
105
+ const assignJobs = new Map();
106
+ const reflexionEntries = new Map();
107
+ const adaptiveRules = new Map();
108
+ const assignStatusListeners = new Set();
109
+
110
+ function getAdaptiveRuleKey(projectSlug, pattern) {
111
+ return `${projectSlug}\u0000${pattern}`;
112
+ }
113
+
114
+ function notifyAssignStatusListeners(row) {
115
+ const event = buildAssignCallbackEvent(row);
116
+ for (const listener of Array.from(assignStatusListeners)) {
117
+ try { listener(event, clone(row)); } catch {}
118
+ }
119
+ }
120
+
121
+ function getRecentMessages() {
122
+ return Array.from(messages.values()).sort((left, right) => right.created_at_ms - left.created_at_ms);
123
+ }
124
+
125
+ function upsertMessage(message) {
126
+ messages.set(message.id, clone(message));
127
+ return clone(message);
128
+ }
129
+
130
+ const store = {
131
+ type: 'memory',
132
+ db: null,
133
+ uuidv7,
134
+
135
+ close() {},
136
+
137
+ registerAgent({ agent_id, cli, pid, capabilities = [], topics = [], heartbeat_ttl_ms = 30000, metadata = {} }) {
138
+ const now = Date.now();
139
+ const current = agents.get(agent_id) || {};
140
+ const next = {
141
+ ...current,
142
+ agent_id,
143
+ cli,
144
+ pid: pid ?? null,
145
+ capabilities: clone(capabilities),
146
+ topics: clone(topics),
147
+ last_seen_ms: now,
148
+ lease_expires_ms: now + heartbeat_ttl_ms,
149
+ status: 'online',
150
+ metadata: clone(metadata),
151
+ };
152
+ agents.set(agent_id, next);
153
+ return { agent_id, lease_id: uuidv7(), lease_expires_ms: next.lease_expires_ms, server_time_ms: now };
154
+ },
155
+
156
+ getAgent(id) {
157
+ return clone(agents.get(id) || null);
158
+ },
159
+
160
+ refreshLease(agentId, ttlMs = 30000) {
161
+ const current = agents.get(agentId);
162
+ if (!current) return { agent_id: agentId, lease_expires_ms: Date.now() + ttlMs, server_time_ms: Date.now() };
163
+ const now = Date.now();
164
+ current.last_seen_ms = now;
165
+ current.lease_expires_ms = now + ttlMs;
166
+ current.status = 'online';
167
+ return { agent_id: agentId, lease_expires_ms: current.lease_expires_ms, server_time_ms: now };
168
+ },
169
+
170
+ updateAgentTopics(agentId, topics = []) {
171
+ const current = agents.get(agentId);
172
+ if (!current) return false;
173
+ current.topics = clone(topics);
174
+ current.last_seen_ms = Date.now();
175
+ return true;
176
+ },
177
+
178
+ listOnlineAgents() {
179
+ return Array.from(agents.values())
180
+ .filter((agent) => agent.status !== 'offline')
181
+ .map((agent) => clone(agent));
182
+ },
183
+
184
+ listAllAgents() {
185
+ return Array.from(agents.values()).map((agent) => clone(agent));
186
+ },
187
+
188
+ getAgentsByTopic(topic) {
189
+ return Array.from(agents.values())
190
+ .filter((agent) => agent.status !== 'offline' && Array.isArray(agent.topics) && agent.topics.includes(topic))
191
+ .map((agent) => clone(agent));
192
+ },
193
+
194
+ sweepStaleAgents() {
195
+ const now = Date.now();
196
+ let stale = 0;
197
+ let offline = 0;
198
+ for (const agent of agents.values()) {
199
+ if (agent.status === 'online' && agent.lease_expires_ms < now) {
200
+ agent.status = 'stale';
201
+ stale += 1;
202
+ } else if (agent.status === 'stale' && agent.lease_expires_ms < now - 300000) {
203
+ agent.status = 'offline';
204
+ offline += 1;
205
+ }
206
+ }
207
+ return { stale, offline };
208
+ },
209
+
210
+ updateAgentStatus(agentId, status) {
211
+ const current = agents.get(agentId);
212
+ if (!current) return false;
213
+ current.status = status;
214
+ return true;
215
+ },
216
+
217
+ auditLog({ type, from, to, topic, priority = 5, ttl_ms = 300000, payload = {}, trace_id, correlation_id, status = 'queued' }) {
218
+ const now = Date.now();
219
+ const row = {
220
+ id: uuidv7(),
221
+ type,
222
+ from_agent: from,
223
+ to_agent: to,
224
+ topic,
225
+ priority,
226
+ ttl_ms,
227
+ created_at_ms: now,
228
+ expires_at_ms: now + ttl_ms,
229
+ correlation_id: correlation_id || uuidv7(),
230
+ trace_id: trace_id || uuidv7(),
231
+ payload: clone(payload || {}),
232
+ status,
233
+ };
234
+ return upsertMessage(row);
235
+ },
236
+
237
+ enqueueMessage(args) {
238
+ return store.auditLog(args);
239
+ },
240
+
241
+ getMessage(id) {
242
+ return clone(messages.get(id) || null);
243
+ },
244
+
245
+ getResponseByCorrelation(cid) {
246
+ return getRecentMessages().find((message) => message.correlation_id === cid && message.type === 'response') || null;
247
+ },
248
+
249
+ getMessagesByTrace(tid) {
250
+ return Array.from(messages.values())
251
+ .filter((message) => message.trace_id === tid)
252
+ .sort((left, right) => left.created_at_ms - right.created_at_ms)
253
+ .map((message) => clone(message));
254
+ },
255
+
256
+ updateMessageStatus(id, status) {
257
+ const current = messages.get(id);
258
+ if (!current) return false;
259
+ current.status = status;
260
+ return true;
261
+ },
262
+
263
+ getAuditMessagesForAgent(agentId, { max_messages = 20, include_topics = null } = {}) {
264
+ const limit = clampMaxMessages(max_messages);
265
+ const topics = Array.isArray(include_topics) && include_topics.length
266
+ ? include_topics
267
+ : (agents.get(agentId)?.topics || []);
268
+ const topicSet = new Set(topics);
269
+ return getRecentMessages()
270
+ .filter((message) => (
271
+ message.to_agent === agentId
272
+ || (String(message.to_agent || '').startsWith('topic:') && topicSet.has(message.topic))
273
+ ))
274
+ .slice(0, limit)
275
+ .map((message) => clone(message));
276
+ },
277
+
278
+ deliverToAgent(messageId, agentId) {
279
+ return Boolean(messages.get(messageId) && agentId);
280
+ },
281
+
282
+ deliverToTopic(messageId, topic) {
283
+ void messageId;
284
+ return store.getAgentsByTopic(topic).length;
285
+ },
286
+
287
+ pollForAgent(agentId, { max_messages = 20, include_topics = null } = {}) {
288
+ return store.getAuditMessagesForAgent(agentId, { max_messages, include_topics });
289
+ },
290
+
291
+ ackMessages() {
292
+ return 0;
293
+ },
294
+
295
+ insertHumanRequest({ requester_agent, kind, prompt, requested_schema = {}, deadline_ms, default_action, correlation_id, trace_id }) {
296
+ const requestId = uuidv7();
297
+ const now = Date.now();
298
+ const row = {
299
+ request_id: requestId,
300
+ requester_agent,
301
+ kind,
302
+ prompt,
303
+ schema: clone(requested_schema),
304
+ state: 'pending',
305
+ deadline_ms: now + deadline_ms,
306
+ default_action,
307
+ correlation_id: correlation_id || uuidv7(),
308
+ trace_id: trace_id || uuidv7(),
309
+ response: null,
310
+ };
311
+ humanRequests.set(requestId, row);
312
+ return { request_id: requestId, state: 'pending', deadline_ms: row.deadline_ms };
313
+ },
314
+
315
+ getHumanRequest(id) {
316
+ return clone(humanRequests.get(id) || null);
317
+ },
318
+
319
+ updateHumanRequest(id, state, resp = null) {
320
+ const current = humanRequests.get(id);
321
+ if (!current) return false;
322
+ current.state = state;
323
+ current.response = resp == null ? null : clone(resp);
324
+ return true;
325
+ },
326
+
327
+ getPendingHumanRequests() {
328
+ return Array.from(humanRequests.values())
329
+ .filter((request) => request.state === 'pending')
330
+ .map((request) => clone(request));
331
+ },
332
+
333
+ expireHumanRequests() {
334
+ let changed = 0;
335
+ const now = Date.now();
336
+ for (const request of humanRequests.values()) {
337
+ if (request.state === 'pending' && request.deadline_ms < now) {
338
+ request.state = 'timed_out';
339
+ changed += 1;
340
+ }
341
+ }
342
+ return changed;
343
+ },
344
+
345
+ moveToDeadLetter(messageId, reason, lastError = null) {
346
+ const current = messages.get(messageId);
347
+ if (current) current.status = 'dead_letter';
348
+ deadLetters.set(messageId, {
349
+ message_id: messageId,
350
+ reason,
351
+ failed_at_ms: Date.now(),
352
+ last_error: lastError,
353
+ });
354
+ return true;
355
+ },
356
+
357
+ getDeadLetters(limit = 50) {
358
+ return Array.from(deadLetters.values())
359
+ .sort((left, right) => right.failed_at_ms - left.failed_at_ms)
360
+ .slice(0, limit)
361
+ .map((entry) => clone(entry));
362
+ },
363
+
364
+ createAssign({
365
+ job_id,
366
+ supervisor_agent,
367
+ worker_agent,
368
+ topic = 'assign.job',
369
+ task = '',
370
+ payload = {},
371
+ status = 'queued',
372
+ attempt = 1,
373
+ retry_count = 0,
374
+ max_retries = 0,
375
+ priority = 5,
376
+ ttl_ms = 600000,
377
+ timeout_ms = 600000,
378
+ deadline_ms,
379
+ trace_id,
380
+ correlation_id,
381
+ last_message_id = null,
382
+ result = null,
383
+ error = null,
384
+ }) {
385
+ const now = Date.now();
386
+ const normalizedTimeout = clampDuration(timeout_ms, 600000);
387
+ const row = {
388
+ job_id: job_id || uuidv7(),
389
+ supervisor_agent,
390
+ worker_agent,
391
+ topic: String(topic || 'assign.job'),
392
+ task: String(task || ''),
393
+ payload: clone(payload || {}),
394
+ status,
395
+ attempt: Math.max(1, Number(attempt) || 1),
396
+ retry_count: Math.max(0, Number(retry_count) || 0),
397
+ max_retries: Math.max(0, Number(max_retries) || 0),
398
+ priority: clampPriority(priority, 5),
399
+ ttl_ms: clampDuration(ttl_ms, normalizedTimeout),
400
+ timeout_ms: normalizedTimeout,
401
+ deadline_ms: Number.isFinite(Number(deadline_ms))
402
+ ? Math.trunc(Number(deadline_ms))
403
+ : now + normalizedTimeout,
404
+ trace_id: trace_id || uuidv7(),
405
+ correlation_id: correlation_id || uuidv7(),
406
+ last_message_id,
407
+ result: result == null ? null : clone(result),
408
+ error: error == null ? null : clone(error),
409
+ created_at_ms: now,
410
+ updated_at_ms: now,
411
+ started_at_ms: status === 'running' ? now : null,
412
+ completed_at_ms: ['succeeded', 'failed', 'timed_out'].includes(status) ? now : null,
413
+ last_retry_at_ms: retry_count > 0 ? now : null,
414
+ };
415
+ assignJobs.set(row.job_id, row);
416
+ notifyAssignStatusListeners(row);
417
+ return clone(row);
418
+ },
419
+
420
+ getAssign(jobId) {
421
+ return clone(assignJobs.get(jobId) || null);
422
+ },
423
+
424
+ updateAssignStatus(jobId, status, patch = {}) {
425
+ const current = assignJobs.get(jobId);
426
+ if (!current) return null;
427
+
428
+ const snapshot = clone(current);
429
+ const now = Date.now();
430
+ const nextStatus = status || current.status;
431
+ const isTerminal = ['succeeded', 'failed', 'timed_out'].includes(nextStatus);
432
+ const nextTimeout = clampDuration(patch.timeout_ms ?? current.timeout_ms, current.timeout_ms);
433
+ const nextRow = {
434
+ ...current,
435
+ supervisor_agent: patch.supervisor_agent ?? current.supervisor_agent,
436
+ worker_agent: patch.worker_agent ?? current.worker_agent,
437
+ topic: patch.topic ?? current.topic,
438
+ task: patch.task ?? current.task,
439
+ payload: clone(patch.payload ?? current.payload ?? {}),
440
+ status: nextStatus,
441
+ attempt: Math.max(1, Number(patch.attempt ?? current.attempt) || current.attempt || 1),
442
+ retry_count: Math.max(0, Number(patch.retry_count ?? current.retry_count) || 0),
443
+ max_retries: Math.max(0, Number(patch.max_retries ?? current.max_retries) || 0),
444
+ priority: clampPriority(patch.priority ?? current.priority, current.priority || 5),
445
+ ttl_ms: clampDuration(patch.ttl_ms ?? current.ttl_ms, current.ttl_ms || nextTimeout),
446
+ timeout_ms: nextTimeout,
447
+ deadline_ms: (() => {
448
+ if (Object.hasOwn(patch, 'deadline_ms')) {
449
+ return patch.deadline_ms == null ? null : Math.trunc(Number(patch.deadline_ms));
450
+ }
451
+ if (isTerminal) return null;
452
+ if (nextStatus === 'running' && !current.deadline_ms) return now + nextTimeout;
453
+ return current.deadline_ms;
454
+ })(),
455
+ trace_id: patch.trace_id ?? current.trace_id,
456
+ correlation_id: patch.correlation_id ?? current.correlation_id,
457
+ last_message_id: Object.hasOwn(patch, 'last_message_id')
458
+ ? patch.last_message_id
459
+ : current.last_message_id,
460
+ result: Object.hasOwn(patch, 'result')
461
+ ? (patch.result == null ? null : clone(patch.result))
462
+ : current.result,
463
+ error: Object.hasOwn(patch, 'error')
464
+ ? (patch.error == null ? null : clone(patch.error))
465
+ : current.error,
466
+ updated_at_ms: now,
467
+ started_at_ms: Object.hasOwn(patch, 'started_at_ms')
468
+ ? patch.started_at_ms
469
+ : (nextStatus === 'running' ? (current.started_at_ms || now) : current.started_at_ms),
470
+ completed_at_ms: Object.hasOwn(patch, 'completed_at_ms')
471
+ ? patch.completed_at_ms
472
+ : (isTerminal ? (current.completed_at_ms || now) : current.completed_at_ms),
473
+ last_retry_at_ms: Object.hasOwn(patch, 'last_retry_at_ms')
474
+ ? patch.last_retry_at_ms
475
+ : current.last_retry_at_ms,
476
+ };
477
+ assignJobs.set(jobId, nextRow);
478
+ if (snapshot.status !== nextRow.status) {
479
+ notifyAssignStatusListeners(nextRow);
480
+ }
481
+ return clone(nextRow);
482
+ },
483
+
484
+ listAssigns({
485
+ supervisor_agent,
486
+ worker_agent,
487
+ status,
488
+ statuses,
489
+ trace_id,
490
+ correlation_id,
491
+ active_before_ms,
492
+ limit = 50,
493
+ } = {}) {
494
+ const statusList = Array.isArray(statuses) && statuses.length
495
+ ? statuses
496
+ : (status ? [status] : []);
497
+ return Array.from(assignJobs.values())
498
+ .filter((job) => !supervisor_agent || job.supervisor_agent === supervisor_agent)
499
+ .filter((job) => !worker_agent || job.worker_agent === worker_agent)
500
+ .filter((job) => !trace_id || job.trace_id === trace_id)
501
+ .filter((job) => !correlation_id || job.correlation_id === correlation_id)
502
+ .filter((job) => !statusList.length || statusList.includes(job.status))
503
+ .filter((job) => !Number.isFinite(Number(active_before_ms))
504
+ || (job.deadline_ms != null && job.deadline_ms <= Number(active_before_ms)))
505
+ .sort((left, right) => right.updated_at_ms - left.updated_at_ms)
506
+ .slice(0, clampMaxMessages(limit, 50))
507
+ .map((job) => clone(job));
508
+ },
509
+
510
+ retryAssign(jobId, patch = {}) {
511
+ const current = assignJobs.get(jobId);
512
+ if (!current) return null;
513
+ const nextRetryCount = Math.max(0, Number(patch.retry_count ?? current.retry_count + 1) || 0);
514
+ const nextAttempt = Math.max(current.attempt + 1, Number(patch.attempt ?? current.attempt + 1) || 1);
515
+ const nextTimeout = clampDuration(patch.timeout_ms ?? current.timeout_ms, current.timeout_ms);
516
+ return store.updateAssignStatus(jobId, 'queued', {
517
+ retry_count: nextRetryCount,
518
+ attempt: nextAttempt,
519
+ timeout_ms: nextTimeout,
520
+ ttl_ms: patch.ttl_ms ?? current.ttl_ms,
521
+ deadline_ms: Date.now() + nextTimeout,
522
+ completed_at_ms: null,
523
+ started_at_ms: null,
524
+ last_retry_at_ms: Date.now(),
525
+ result: patch.result ?? null,
526
+ error: Object.hasOwn(patch, 'error') ? patch.error : current.error,
527
+ last_message_id: null,
528
+ });
529
+ },
530
+
531
+ sweepExpired() {
532
+ const now = Date.now();
533
+ let expiredMessages = 0;
534
+ for (const message of messages.values()) {
535
+ if (message.status === 'queued' && message.expires_at_ms < now) {
536
+ message.status = 'dead_letter';
537
+ deadLetters.set(message.id, {
538
+ message_id: message.id,
539
+ reason: 'ttl_expired',
540
+ failed_at_ms: now,
541
+ last_error: null,
542
+ });
543
+ expiredMessages += 1;
544
+ }
545
+ }
546
+ const humanRequestsExpired = store.expireHumanRequests();
547
+ return { messages: expiredMessages, human_requests: humanRequestsExpired };
548
+ },
549
+
550
+ getQueueDepths() {
551
+ const depths = { urgent: 0, normal: 0, dlq: deadLetters.size };
552
+ const now = Date.now();
553
+ for (const message of messages.values()) {
554
+ if (message.status !== 'queued' || message.expires_at_ms < now) continue;
555
+ if (message.priority >= 7) depths.urgent += 1;
556
+ else depths.normal += 1;
557
+ }
558
+ return depths;
559
+ },
560
+
561
+ onAssignStatusChange(listener) {
562
+ if (typeof listener !== 'function') {
563
+ return () => {};
564
+ }
565
+ assignStatusListeners.add(listener);
566
+ return () => assignStatusListeners.delete(listener);
567
+ },
568
+
569
+ getDeliveryStats() {
570
+ const cutoff = Date.now() - 300000;
571
+ const totalDeliveries = Array.from(messages.values())
572
+ .filter((message) => message.status === 'acked' && message.created_at_ms > cutoff)
573
+ .length;
574
+ return { total_deliveries: totalDeliveries, avg_delivery_ms: 0 };
575
+ },
576
+
577
+ getHubStats() {
578
+ return {
579
+ online_agents: Array.from(agents.values()).filter((agent) => agent.status === 'online').length,
580
+ total_messages: messages.size,
581
+ active_assign_jobs: Array.from(assignJobs.values()).filter((job) => ['queued', 'running'].includes(job.status)).length,
582
+ ...store.getQueueDepths(),
583
+ };
584
+ },
585
+
586
+ getAuditStats() {
587
+ const countByStatus = (targetStatus) => Array.from(assignJobs.values()).filter((job) => job.status === targetStatus).length;
588
+ return {
589
+ online_agents: Array.from(agents.values()).filter((agent) => agent.status === 'online').length,
590
+ total_messages: messages.size,
591
+ dlq: deadLetters.size,
592
+ assign_queued: countByStatus('queued'),
593
+ assign_running: countByStatus('running'),
594
+ assign_failed: countByStatus('failed'),
595
+ assign_timed_out: countByStatus('timed_out'),
596
+ };
597
+ },
598
+
599
+ addReflexion({
600
+ type = 'reflexion',
601
+ error_pattern,
602
+ error_message,
603
+ context = {},
604
+ solution,
605
+ solution_code = null,
606
+ adaptive_state = {},
607
+ confidence = 0.5,
608
+ hit_count = 1,
609
+ success_count = 0,
610
+ last_hit_ms,
611
+ created_at_ms,
612
+ updated_at_ms,
613
+ }) {
614
+ const now = Date.now();
615
+ const entry = {
616
+ id: uuidv7(),
617
+ type,
618
+ error_pattern,
619
+ error_message,
620
+ context: clone(context),
621
+ solution,
622
+ solution_code,
623
+ adaptive_state: clone(adaptive_state),
624
+ confidence,
625
+ hit_count,
626
+ success_count,
627
+ last_hit_ms: last_hit_ms ?? now,
628
+ created_at_ms: created_at_ms ?? now,
629
+ updated_at_ms: updated_at_ms ?? now,
630
+ };
631
+ reflexionEntries.set(entry.id, entry);
632
+ return clone(entry);
633
+ },
634
+
635
+ getReflexion(id) {
636
+ return clone(reflexionEntries.get(id) || null);
637
+ },
638
+
639
+ findReflexion(errorPattern, context = {}) {
640
+ const entries = Array.from(reflexionEntries.values())
641
+ .filter((entry) => entry.error_pattern === errorPattern || entry.error_pattern.includes(errorPattern) || errorPattern.includes(entry.error_pattern))
642
+ .filter((entry) => Object.entries(context).every(([key, value]) => value == null || entry.context?.[key] === value))
643
+ .sort((left, right) => right.confidence - left.confidence);
644
+ return entries.map((entry) => clone(entry));
645
+ },
646
+
647
+ updateReflexionHit(id, success = false) {
648
+ const current = reflexionEntries.get(id);
649
+ if (!current) return null;
650
+ const now = Date.now();
651
+ current.hit_count += 1;
652
+ if (success) current.success_count += 1;
653
+ current.last_hit_ms = now;
654
+ current.updated_at_ms = now;
655
+ current.confidence = Math.max(0, Math.min(1, recalcConfidence(current)));
656
+ return clone(current);
657
+ },
658
+
659
+ listReflexion(filters = {}) {
660
+ const { type, minConfidence = Number.NEGATIVE_INFINITY, projectSlug } = filters;
661
+ return Array.from(reflexionEntries.values())
662
+ .filter((entry) => !type || entry.type === type)
663
+ .filter((entry) => entry.confidence >= minConfidence)
664
+ .filter((entry) => !projectSlug || entry.adaptive_state?.project_slug === projectSlug)
665
+ .sort((left, right) => right.confidence - left.confidence)
666
+ .map((entry) => clone(entry));
667
+ },
668
+
669
+ patchReflexion(id, patch = {}) {
670
+ const current = reflexionEntries.get(id);
671
+ if (!current) return null;
672
+ const next = {
673
+ ...current,
674
+ ...clone(patch),
675
+ context: patch.context ? clone(patch.context) : current.context,
676
+ adaptive_state: patch.adaptive_state ? clone(patch.adaptive_state) : current.adaptive_state,
677
+ updated_at_ms: patch.updated_at_ms ?? Date.now(),
678
+ };
679
+ reflexionEntries.set(id, next);
680
+ return clone(next);
681
+ },
682
+
683
+ deleteReflexion(id) {
684
+ return reflexionEntries.delete(id);
685
+ },
686
+
687
+ pruneReflexion(maxAge_ms = 30 * 24 * 3600 * 1000, minConfidence = 0.2) {
688
+ const cutoff = Date.now() - maxAge_ms;
689
+ let removed = 0;
690
+ for (const [id, entry] of Array.from(reflexionEntries.entries())) {
691
+ if (entry.updated_at_ms < cutoff && entry.confidence < minConfidence) {
692
+ reflexionEntries.delete(id);
693
+ removed += 1;
694
+ }
695
+ }
696
+ return removed;
697
+ },
698
+
699
+ addAdaptiveRule(rule) {
700
+ const next = buildAdaptiveRuleRow(rule);
701
+ if (!next) return null;
702
+ const key = getAdaptiveRuleKey(next.project_slug, next.pattern);
703
+ const current = adaptiveRules.get(key);
704
+ adaptiveRules.set(key, {
705
+ ...next,
706
+ created_ms: current ? Math.min(current.created_ms, next.created_ms) : next.created_ms,
707
+ });
708
+ return clone(adaptiveRules.get(key));
709
+ },
710
+
711
+ findAdaptiveRule(projectSlug, pattern) {
712
+ const identity = normalizeAdaptiveRuleIdentity(projectSlug, pattern);
713
+ if (!identity) return null;
714
+ return clone(adaptiveRules.get(getAdaptiveRuleKey(identity.project_slug, identity.pattern)) || null);
715
+ },
716
+
717
+ updateRuleConfidence(projectSlug, pattern, confidence, options = {}) {
718
+ const current = store.findAdaptiveRule(projectSlug, pattern);
719
+ if (!current) return null;
720
+ const next = {
721
+ ...current,
722
+ confidence: clampConfidence(confidence, current.confidence),
723
+ hit_count: current.hit_count + clampHitIncrement(options.hit_count_increment, 1),
724
+ last_seen_ms: Math.max(
725
+ current.last_seen_ms,
726
+ coerceTimestamp(options.last_seen_ms, Date.now()),
727
+ ),
728
+ };
729
+ adaptiveRules.set(getAdaptiveRuleKey(current.project_slug, current.pattern), next);
730
+ return clone(next);
731
+ },
732
+
733
+ pruneStaleRules(maxAge_ms = 30 * 24 * 3600 * 1000, minConfidence = 0.2) {
734
+ const cutoff = Date.now() - clampRetentionMs(maxAge_ms, 30 * 24 * 3600 * 1000);
735
+ let removed = 0;
736
+ for (const [key, rule] of Array.from(adaptiveRules.entries())) {
737
+ if (rule.last_seen_ms < cutoff && rule.confidence < minConfidence) {
738
+ adaptiveRules.delete(key);
739
+ removed += 1;
740
+ }
741
+ }
742
+ return removed;
743
+ },
744
+ };
745
+
746
+ return store;
747
+ }
748
+