@sparkleideas/plugin-prime-radiant 0.1.6
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/README.md +361 -0
- package/package.json +83 -0
- package/plugin.yaml +768 -0
package/README.md
ADDED
|
@@ -0,0 +1,361 @@
|
|
|
1
|
+
# @claude-flow/plugin-prime-radiant
|
|
2
|
+
|
|
3
|
+
**Mathematical AI that catches contradictions, verifies consensus, and prevents hallucinations before they cause problems.**
|
|
4
|
+
|
|
5
|
+
## What is this?
|
|
6
|
+
|
|
7
|
+
This plugin brings advanced mathematical techniques to Claude Flow for ensuring AI reliability:
|
|
8
|
+
|
|
9
|
+
- **Coherence Checking** - Detect when information contradicts itself before storing it
|
|
10
|
+
- **Consensus Verification** - Mathematically verify that multiple agents actually agree
|
|
11
|
+
- **Hallucination Prevention** - Catch inconsistent RAG results before they reach users
|
|
12
|
+
- **Stability Analysis** - Monitor swarm health using spectral graph theory
|
|
13
|
+
- **Causal Inference** - Understand cause-and-effect, not just correlations
|
|
14
|
+
|
|
15
|
+
Think of it as a mathematical "sanity check" layer that catches logical inconsistencies that traditional validation misses.
|
|
16
|
+
|
|
17
|
+
## Installation
|
|
18
|
+
|
|
19
|
+
```bash
|
|
20
|
+
npm install @claude-flow/plugin-prime-radiant
|
|
21
|
+
```
|
|
22
|
+
|
|
23
|
+
---
|
|
24
|
+
|
|
25
|
+
## Practical Examples
|
|
26
|
+
|
|
27
|
+
### 🟢 Basic: Check if Information is Consistent
|
|
28
|
+
|
|
29
|
+
Before storing facts, check if they contradict each other:
|
|
30
|
+
|
|
31
|
+
```typescript
|
|
32
|
+
const result = await mcp.call('pr_coherence_check', {
|
|
33
|
+
vectors: [
|
|
34
|
+
embedding("The project deadline is Friday"),
|
|
35
|
+
embedding("We have two more weeks"),
|
|
36
|
+
embedding("The deadline was moved to next month")
|
|
37
|
+
],
|
|
38
|
+
threshold: 0.3
|
|
39
|
+
});
|
|
40
|
+
|
|
41
|
+
// Result
|
|
42
|
+
{
|
|
43
|
+
coherent: false,
|
|
44
|
+
energy: 0.72, // High energy = contradiction
|
|
45
|
+
violations: ["Statement 3 contradicts statements 1-2"],
|
|
46
|
+
confidence: 0.28
|
|
47
|
+
}
|
|
48
|
+
```
|
|
49
|
+
|
|
50
|
+
**Energy levels explained:**
|
|
51
|
+
- `0.0-0.1` = Fully consistent, safe to store
|
|
52
|
+
- `0.1-0.3` = Minor inconsistencies, warning zone
|
|
53
|
+
- `0.3-0.7` = Significant contradictions, needs review
|
|
54
|
+
- `0.7-1.0` = Major contradictions, reject
|
|
55
|
+
|
|
56
|
+
### 🟢 Basic: Verify Multi-Agent Consensus
|
|
57
|
+
|
|
58
|
+
Check if agents actually agree or just appear to:
|
|
59
|
+
|
|
60
|
+
```typescript
|
|
61
|
+
const consensus = await mcp.call('pr_consensus_verify', {
|
|
62
|
+
agentStates: [
|
|
63
|
+
{ agentId: 'researcher', embedding: [...], vote: true },
|
|
64
|
+
{ agentId: 'analyst', embedding: [...], vote: true },
|
|
65
|
+
{ agentId: 'reviewer', embedding: [...], vote: false }
|
|
66
|
+
],
|
|
67
|
+
consensusThreshold: 0.8
|
|
68
|
+
});
|
|
69
|
+
|
|
70
|
+
// Result
|
|
71
|
+
{
|
|
72
|
+
consensusAchieved: true,
|
|
73
|
+
agreementRatio: 0.87,
|
|
74
|
+
coherenceEnergy: 0.12, // Low = they genuinely agree
|
|
75
|
+
spectralStability: true
|
|
76
|
+
}
|
|
77
|
+
```
|
|
78
|
+
|
|
79
|
+
### 🟡 Intermediate: Analyze Swarm Stability
|
|
80
|
+
|
|
81
|
+
Monitor if your agent swarm is working together effectively:
|
|
82
|
+
|
|
83
|
+
```typescript
|
|
84
|
+
const stability = await mcp.call('pr_spectral_analyze', {
|
|
85
|
+
adjacencyMatrix: [
|
|
86
|
+
[0, 1, 1, 0, 0],
|
|
87
|
+
[1, 0, 1, 1, 0],
|
|
88
|
+
[1, 1, 0, 1, 1],
|
|
89
|
+
[0, 1, 1, 0, 1],
|
|
90
|
+
[0, 0, 1, 1, 0]
|
|
91
|
+
],
|
|
92
|
+
analyzeType: 'stability'
|
|
93
|
+
});
|
|
94
|
+
|
|
95
|
+
// Result
|
|
96
|
+
{
|
|
97
|
+
stable: true,
|
|
98
|
+
spectralGap: 0.25, // Higher = more stable
|
|
99
|
+
stabilityIndex: 0.78,
|
|
100
|
+
eigenvalues: [2.73, 0.73, -0.73, -2.73, 0],
|
|
101
|
+
clustering: 0.6 // How well agents cluster
|
|
102
|
+
}
|
|
103
|
+
```
|
|
104
|
+
|
|
105
|
+
**What to watch for:**
|
|
106
|
+
- `spectralGap < 0.1` = Unstable, agents may desynchronize
|
|
107
|
+
- `stabilityIndex < 0.5` = Warning, coordination issues likely
|
|
108
|
+
|
|
109
|
+
### 🟡 Intermediate: Causal Inference
|
|
110
|
+
|
|
111
|
+
Understand cause-and-effect relationships in your system:
|
|
112
|
+
|
|
113
|
+
```typescript
|
|
114
|
+
const causal = await mcp.call('pr_causal_infer', {
|
|
115
|
+
treatment: 'agent_count',
|
|
116
|
+
outcome: 'task_completion_time',
|
|
117
|
+
graph: {
|
|
118
|
+
nodes: ['agent_count', 'coordination_overhead', 'task_completion_time', 'task_complexity'],
|
|
119
|
+
edges: [
|
|
120
|
+
['agent_count', 'task_completion_time'],
|
|
121
|
+
['agent_count', 'coordination_overhead'],
|
|
122
|
+
['coordination_overhead', 'task_completion_time'],
|
|
123
|
+
['task_complexity', 'agent_count'],
|
|
124
|
+
['task_complexity', 'task_completion_time']
|
|
125
|
+
]
|
|
126
|
+
}
|
|
127
|
+
});
|
|
128
|
+
|
|
129
|
+
// Result
|
|
130
|
+
{
|
|
131
|
+
causalEffect: -0.35, // Adding agents REDUCES completion time
|
|
132
|
+
confounders: ['task_complexity'], // This affects both
|
|
133
|
+
interventionValid: true,
|
|
134
|
+
backdoorPaths: [['agent_count', 'task_complexity', 'task_completion_time']]
|
|
135
|
+
}
|
|
136
|
+
```
|
|
137
|
+
|
|
138
|
+
### 🟠 Advanced: Memory Gate (Auto-Reject Contradictions)
|
|
139
|
+
|
|
140
|
+
Automatically block contradictory information from being stored:
|
|
141
|
+
|
|
142
|
+
```typescript
|
|
143
|
+
const result = await mcp.call('pr_memory_gate', {
|
|
144
|
+
entry: {
|
|
145
|
+
key: 'project-status',
|
|
146
|
+
content: 'Project is on track for Friday deadline',
|
|
147
|
+
embedding: embedding("Project is on track for Friday deadline")
|
|
148
|
+
},
|
|
149
|
+
contextEmbeddings: [
|
|
150
|
+
embedding("Deadline extended to next month"), // Already stored
|
|
151
|
+
embedding("Team requested more time") // Already stored
|
|
152
|
+
],
|
|
153
|
+
thresholds: {
|
|
154
|
+
warn: 0.3,
|
|
155
|
+
reject: 0.7
|
|
156
|
+
}
|
|
157
|
+
});
|
|
158
|
+
|
|
159
|
+
// Result
|
|
160
|
+
{
|
|
161
|
+
action: 'reject', // Blocked from storage
|
|
162
|
+
energy: 0.82,
|
|
163
|
+
reason: 'Contradicts existing information about deadline',
|
|
164
|
+
existingConflicts: ['Deadline extended to next month']
|
|
165
|
+
}
|
|
166
|
+
```
|
|
167
|
+
|
|
168
|
+
### 🟠 Advanced: Prevent RAG Hallucinations
|
|
169
|
+
|
|
170
|
+
Filter contradictory documents before they confuse the AI:
|
|
171
|
+
|
|
172
|
+
```typescript
|
|
173
|
+
// Hook automatically runs before RAG retrieval
|
|
174
|
+
// If retrieved docs contradict each other, it filters to the most coherent subset
|
|
175
|
+
|
|
176
|
+
const context = await rag.retrieve('What is the project deadline?');
|
|
177
|
+
|
|
178
|
+
// If docs were contradictory:
|
|
179
|
+
{
|
|
180
|
+
documents: [...], // Filtered to consistent subset
|
|
181
|
+
coherenceFiltered: true,
|
|
182
|
+
originalCount: 5,
|
|
183
|
+
filteredCount: 3,
|
|
184
|
+
removedForCoherence: ['doc-4', 'doc-5'],
|
|
185
|
+
originalCoherenceEnergy: 0.68
|
|
186
|
+
}
|
|
187
|
+
```
|
|
188
|
+
|
|
189
|
+
### 🔴 Expert: Quantum Topology Analysis
|
|
190
|
+
|
|
191
|
+
Analyze the structure of your vector space using persistent homology:
|
|
192
|
+
|
|
193
|
+
```typescript
|
|
194
|
+
const topology = await mcp.call('pr_quantum_topology', {
|
|
195
|
+
points: embeddings, // Array of embedding vectors
|
|
196
|
+
maxDimension: 2
|
|
197
|
+
});
|
|
198
|
+
|
|
199
|
+
// Result
|
|
200
|
+
{
|
|
201
|
+
bettiNumbers: {
|
|
202
|
+
b0: 3, // 3 connected components (clusters)
|
|
203
|
+
b1: 1, // 1 loop (circular relationship)
|
|
204
|
+
b2: 0 // No voids
|
|
205
|
+
},
|
|
206
|
+
persistenceDiagram: [...], // Birth-death pairs
|
|
207
|
+
significantFeatures: [
|
|
208
|
+
{ dimension: 0, persistence: 0.8, interpretation: 'Strong cluster' },
|
|
209
|
+
{ dimension: 1, persistence: 0.3, interpretation: 'Weak cyclical pattern' }
|
|
210
|
+
]
|
|
211
|
+
}
|
|
212
|
+
```
|
|
213
|
+
|
|
214
|
+
**What this tells you:**
|
|
215
|
+
- `b0` = Number of distinct concept clusters
|
|
216
|
+
- `b1` = Cyclical relationships (A→B→C→A)
|
|
217
|
+
- `b2` = Higher-dimensional voids (rare in practice)
|
|
218
|
+
|
|
219
|
+
### 🟣 Exotic: Real-Time Swarm Health Dashboard
|
|
220
|
+
|
|
221
|
+
Monitor your multi-agent swarm in real-time:
|
|
222
|
+
|
|
223
|
+
```typescript
|
|
224
|
+
// Run periodically to track swarm health
|
|
225
|
+
async function monitorSwarmHealth() {
|
|
226
|
+
const adjacency = await getSwarmAdjacencyMatrix();
|
|
227
|
+
|
|
228
|
+
const health = await mcp.call('pr_spectral_analyze', {
|
|
229
|
+
adjacencyMatrix: adjacency,
|
|
230
|
+
analyzeType: 'stability'
|
|
231
|
+
});
|
|
232
|
+
|
|
233
|
+
if (!health.stable) {
|
|
234
|
+
console.warn('⚠️ Swarm instability detected!');
|
|
235
|
+
console.log('Spectral gap:', health.spectralGap);
|
|
236
|
+
console.log('Stability index:', health.stabilityIndex);
|
|
237
|
+
|
|
238
|
+
// Trigger rebalancing
|
|
239
|
+
await swarm.rebalance();
|
|
240
|
+
}
|
|
241
|
+
|
|
242
|
+
if (health.spectralGap < 0.1) {
|
|
243
|
+
console.warn('⚠️ Communication breakdown risk');
|
|
244
|
+
// Add redundant connections
|
|
245
|
+
await swarm.addRedundancy();
|
|
246
|
+
}
|
|
247
|
+
}
|
|
248
|
+
|
|
249
|
+
// Monitor every 30 seconds
|
|
250
|
+
setInterval(monitorSwarmHealth, 30000);
|
|
251
|
+
```
|
|
252
|
+
|
|
253
|
+
### 🟣 Exotic: Coherent Knowledge Base
|
|
254
|
+
|
|
255
|
+
Build a knowledge base that mathematically cannot contain contradictions:
|
|
256
|
+
|
|
257
|
+
```typescript
|
|
258
|
+
class CoherentKnowledgeBase {
|
|
259
|
+
async store(fact: string, embedding: number[]) {
|
|
260
|
+
// Check against all existing knowledge
|
|
261
|
+
const existing = await this.getAllEmbeddings();
|
|
262
|
+
|
|
263
|
+
const check = await mcp.call('pr_coherence_check', {
|
|
264
|
+
vectors: [...existing, embedding],
|
|
265
|
+
threshold: 0.3
|
|
266
|
+
});
|
|
267
|
+
|
|
268
|
+
if (check.energy > 0.7) {
|
|
269
|
+
throw new Error(`Fact contradicts existing knowledge: ${check.violations[0]}`);
|
|
270
|
+
}
|
|
271
|
+
|
|
272
|
+
if (check.energy > 0.3) {
|
|
273
|
+
console.warn(`Warning: Minor inconsistency detected (energy: ${check.energy})`);
|
|
274
|
+
}
|
|
275
|
+
|
|
276
|
+
// Safe to store
|
|
277
|
+
await this.db.store(fact, embedding, { coherenceEnergy: check.energy });
|
|
278
|
+
}
|
|
279
|
+
|
|
280
|
+
async query(question: string) {
|
|
281
|
+
const results = await this.db.search(question);
|
|
282
|
+
|
|
283
|
+
// Verify retrieved results are consistent with each other
|
|
284
|
+
const embeddings = results.map(r => r.embedding);
|
|
285
|
+
const coherence = await mcp.call('pr_coherence_check', {
|
|
286
|
+
vectors: embeddings,
|
|
287
|
+
threshold: 0.3
|
|
288
|
+
});
|
|
289
|
+
|
|
290
|
+
if (coherence.energy > 0.5) {
|
|
291
|
+
// Filter to most coherent subset
|
|
292
|
+
return this.filterToCoherent(results, coherence);
|
|
293
|
+
}
|
|
294
|
+
|
|
295
|
+
return results;
|
|
296
|
+
}
|
|
297
|
+
}
|
|
298
|
+
```
|
|
299
|
+
|
|
300
|
+
---
|
|
301
|
+
|
|
302
|
+
## 6 Mathematical Engines
|
|
303
|
+
|
|
304
|
+
| Engine | What It Does | Use Case |
|
|
305
|
+
|--------|--------------|----------|
|
|
306
|
+
| **Cohomology** | Measures contradiction using Sheaf Laplacian | Memory validation, fact-checking |
|
|
307
|
+
| **Spectral** | Analyzes stability via eigenvalues | Swarm health, network topology |
|
|
308
|
+
| **Causal** | Do-calculus for cause-effect reasoning | Root cause analysis, optimization |
|
|
309
|
+
| **Quantum** | Persistent homology for structure | Clustering, pattern discovery |
|
|
310
|
+
| **Category** | Morphism and functor operations | Schema transformations |
|
|
311
|
+
| **HoTT** | Homotopy Type Theory proofs | Formal verification |
|
|
312
|
+
|
|
313
|
+
---
|
|
314
|
+
|
|
315
|
+
## Hooks (Automatic Integration)
|
|
316
|
+
|
|
317
|
+
| Hook | When It Runs | What It Does |
|
|
318
|
+
|------|--------------|--------------|
|
|
319
|
+
| `pr/pre-memory-store` | Before memory storage | Blocks contradictory entries |
|
|
320
|
+
| `pr/pre-consensus` | Before consensus voting | Validates proposal consistency |
|
|
321
|
+
| `pr/post-swarm-task` | After swarm tasks | Analyzes stability metrics |
|
|
322
|
+
| `pr/pre-rag-retrieval` | Before RAG results | Filters inconsistent documents |
|
|
323
|
+
|
|
324
|
+
---
|
|
325
|
+
|
|
326
|
+
## Configuration
|
|
327
|
+
|
|
328
|
+
```yaml
|
|
329
|
+
# claude-flow.config.yaml
|
|
330
|
+
plugins:
|
|
331
|
+
prime-radiant:
|
|
332
|
+
enabled: true
|
|
333
|
+
config:
|
|
334
|
+
coherence:
|
|
335
|
+
warnThreshold: 0.3 # Warn above this energy
|
|
336
|
+
rejectThreshold: 0.7 # Block above this energy
|
|
337
|
+
cacheEnabled: true
|
|
338
|
+
spectral:
|
|
339
|
+
stabilityThreshold: 0.1
|
|
340
|
+
maxMatrixSize: 1000
|
|
341
|
+
causal:
|
|
342
|
+
maxBackdoorPaths: 10
|
|
343
|
+
```
|
|
344
|
+
|
|
345
|
+
---
|
|
346
|
+
|
|
347
|
+
## Performance
|
|
348
|
+
|
|
349
|
+
| Operation | Latency | Notes |
|
|
350
|
+
|-----------|---------|-------|
|
|
351
|
+
| Coherence check | <5ms | Per validation |
|
|
352
|
+
| Spectral analysis | <20ms | Up to 100x100 matrix |
|
|
353
|
+
| Causal inference | <10ms | Per query |
|
|
354
|
+
| Quantum topology | <50ms | Per computation |
|
|
355
|
+
| Memory overhead | <10MB | Including WASM |
|
|
356
|
+
|
|
357
|
+
---
|
|
358
|
+
|
|
359
|
+
## License
|
|
360
|
+
|
|
361
|
+
MIT
|
package/package.json
ADDED
|
@@ -0,0 +1,83 @@
|
|
|
1
|
+
{
|
|
2
|
+
"name": "@sparkleideas/plugin-prime-radiant",
|
|
3
|
+
"version": "0.1.6",
|
|
4
|
+
"description": "Mathematical AI interpretability plugin providing sheaf cohomology, spectral analysis, causal inference, and quantum topology for coherence validation, consensus verification, and hallucination prevention.",
|
|
5
|
+
"type": "module",
|
|
6
|
+
"main": "./dist/index.js",
|
|
7
|
+
"module": "./dist/index.js",
|
|
8
|
+
"types": "./dist/index.d.ts",
|
|
9
|
+
"exports": {
|
|
10
|
+
".": {
|
|
11
|
+
"import": "./dist/index.js",
|
|
12
|
+
"types": "./dist/index.d.ts"
|
|
13
|
+
},
|
|
14
|
+
"./tools": {
|
|
15
|
+
"import": "./dist/tools/index.js",
|
|
16
|
+
"types": "./dist/tools/index.d.ts"
|
|
17
|
+
}
|
|
18
|
+
},
|
|
19
|
+
"files": [
|
|
20
|
+
"dist",
|
|
21
|
+
"plugin.yaml",
|
|
22
|
+
"README.md"
|
|
23
|
+
],
|
|
24
|
+
"scripts": {
|
|
25
|
+
"build": "tsc",
|
|
26
|
+
"clean": "rm -rf dist",
|
|
27
|
+
"typecheck": "tsc --noEmit",
|
|
28
|
+
"test": "vitest",
|
|
29
|
+
"prepublishOnly": "npm run build"
|
|
30
|
+
},
|
|
31
|
+
"keywords": [
|
|
32
|
+
"claude-flow",
|
|
33
|
+
"plugin",
|
|
34
|
+
"ai-interpretability",
|
|
35
|
+
"sheaf-cohomology",
|
|
36
|
+
"causal-inference",
|
|
37
|
+
"quantum-topology",
|
|
38
|
+
"coherence-engine",
|
|
39
|
+
"mcp",
|
|
40
|
+
"rag"
|
|
41
|
+
],
|
|
42
|
+
"author": "rUv",
|
|
43
|
+
"license": "MIT",
|
|
44
|
+
"repository": {
|
|
45
|
+
"type": "git",
|
|
46
|
+
"url": "https://github.com/ruvnet/claude-flow.git",
|
|
47
|
+
"directory": "v3/plugins/prime-radiant"
|
|
48
|
+
},
|
|
49
|
+
"bugs": {
|
|
50
|
+
"url": "https://github.com/ruvnet/claude-flow/issues"
|
|
51
|
+
},
|
|
52
|
+
"homepage": "https://github.com/ruvnet/claude-flow/tree/main/v3/plugins/prime-radiant#readme",
|
|
53
|
+
"engines": {
|
|
54
|
+
"node": ">=20.0.0"
|
|
55
|
+
},
|
|
56
|
+
"peerDependencies": {
|
|
57
|
+
"@sparkleideas/memory": "*",
|
|
58
|
+
"@sparkleideas/security": "*",
|
|
59
|
+
"@sparkleideas/coordination": "*"
|
|
60
|
+
},
|
|
61
|
+
"peerDependenciesMeta": {
|
|
62
|
+
"@claude-flow/memory": {
|
|
63
|
+
"optional": true
|
|
64
|
+
},
|
|
65
|
+
"@claude-flow/security": {
|
|
66
|
+
"optional": true
|
|
67
|
+
},
|
|
68
|
+
"@claude-flow/coordination": {
|
|
69
|
+
"optional": true
|
|
70
|
+
}
|
|
71
|
+
},
|
|
72
|
+
"dependencies": {
|
|
73
|
+
"zod": "^3.22.0"
|
|
74
|
+
},
|
|
75
|
+
"devDependencies": {
|
|
76
|
+
"@types/node": "^20.0.0",
|
|
77
|
+
"typescript": "^5.4.0",
|
|
78
|
+
"vitest": "^1.0.0"
|
|
79
|
+
},
|
|
80
|
+
"optionalDependencies": {
|
|
81
|
+
"prime-radiant-advanced-wasm": "^0.1.3"
|
|
82
|
+
}
|
|
83
|
+
}
|
package/plugin.yaml
ADDED
|
@@ -0,0 +1,768 @@
|
|
|
1
|
+
# Prime Radiant Plugin Manifest
|
|
2
|
+
# Mathematical AI Interpretability for Claude Flow V3
|
|
3
|
+
|
|
4
|
+
name: prime-radiant
|
|
5
|
+
version: 0.1.3
|
|
6
|
+
description: |
|
|
7
|
+
Advanced mathematical AI interpretability plugin providing sheaf cohomology,
|
|
8
|
+
spectral analysis, causal inference, and quantum topology for coherence
|
|
9
|
+
validation, consensus verification, and hallucination prevention.
|
|
10
|
+
|
|
11
|
+
author: rUv
|
|
12
|
+
license: MIT
|
|
13
|
+
repository: https://github.com/ruvnet/claude-flow
|
|
14
|
+
documentation: https://github.com/ruvnet/claude-flow/blob/main/v3/plugins/prime-radiant/README.md
|
|
15
|
+
|
|
16
|
+
# Plugin metadata
|
|
17
|
+
metadata:
|
|
18
|
+
category: interpretability
|
|
19
|
+
tags:
|
|
20
|
+
- sheaf-cohomology
|
|
21
|
+
- causal-inference
|
|
22
|
+
- quantum-topology
|
|
23
|
+
- ai-interpretability
|
|
24
|
+
- coherence-engine
|
|
25
|
+
- rag
|
|
26
|
+
- attention-mechanism
|
|
27
|
+
stability: alpha
|
|
28
|
+
wasmSize: 92KB
|
|
29
|
+
dependencies: zero
|
|
30
|
+
|
|
31
|
+
# V3 domain integration
|
|
32
|
+
domains:
|
|
33
|
+
- memory # Pre-storage coherence gate
|
|
34
|
+
- security # Input validation
|
|
35
|
+
- coordination # Swarm stability analysis
|
|
36
|
+
- hive-mind # Consensus verification
|
|
37
|
+
|
|
38
|
+
# Required Claude Flow dependencies
|
|
39
|
+
dependencies:
|
|
40
|
+
required:
|
|
41
|
+
- "@claude-flow/memory": ">=3.0.0"
|
|
42
|
+
- "@claude-flow/security": ">=3.0.0"
|
|
43
|
+
- "@claude-flow/coordination": ">=3.0.0"
|
|
44
|
+
optional:
|
|
45
|
+
- "@claude-flow/embeddings": ">=3.0.0" # For embedding generation
|
|
46
|
+
- "@claude-flow/aidefence": ">=3.0.0" # For enhanced threat detection
|
|
47
|
+
|
|
48
|
+
# Capabilities provided by this plugin
|
|
49
|
+
capabilities:
|
|
50
|
+
- coherence-checking # Sheaf Laplacian contradiction detection
|
|
51
|
+
- spectral-analysis # Eigenvalue stability analysis
|
|
52
|
+
- causal-inference # Do-calculus interventional queries
|
|
53
|
+
- consensus-verification # Multi-agent agreement validation
|
|
54
|
+
- quantum-topology # Betti numbers, persistence diagrams
|
|
55
|
+
- category-theory # Functor and morphism operations
|
|
56
|
+
- hott-proofs # Homotopy Type Theory verification
|
|
57
|
+
|
|
58
|
+
# 6 Mathematical Engines
|
|
59
|
+
engines:
|
|
60
|
+
cohomology:
|
|
61
|
+
name: CohomologyEngine
|
|
62
|
+
description: Sheaf Laplacian for coherence detection
|
|
63
|
+
performance: "<5ms per check"
|
|
64
|
+
key_features:
|
|
65
|
+
- Sheaf Laplacian energy computation
|
|
66
|
+
- Contradiction detection
|
|
67
|
+
- Coherence scoring (0=coherent, 1=contradictory)
|
|
68
|
+
|
|
69
|
+
spectral:
|
|
70
|
+
name: SpectralEngine
|
|
71
|
+
description: Stability and spectral analysis
|
|
72
|
+
performance: "<20ms for 100x100 matrix"
|
|
73
|
+
key_features:
|
|
74
|
+
- Eigenvalue computation
|
|
75
|
+
- Spectral gap analysis
|
|
76
|
+
- Stability index calculation
|
|
77
|
+
|
|
78
|
+
causal:
|
|
79
|
+
name: CausalEngine
|
|
80
|
+
description: Do-calculus causal inference
|
|
81
|
+
performance: "<10ms per query"
|
|
82
|
+
key_features:
|
|
83
|
+
- Causal effect estimation
|
|
84
|
+
- Confounder identification
|
|
85
|
+
- Backdoor path detection
|
|
86
|
+
|
|
87
|
+
quantum:
|
|
88
|
+
name: QuantumEngine
|
|
89
|
+
description: Quantum topology operations
|
|
90
|
+
performance: "<50ms per computation"
|
|
91
|
+
key_features:
|
|
92
|
+
- Betti number computation
|
|
93
|
+
- Persistence diagrams
|
|
94
|
+
- Homology class counting
|
|
95
|
+
|
|
96
|
+
category:
|
|
97
|
+
name: CategoryEngine
|
|
98
|
+
description: Category theory functors/morphisms
|
|
99
|
+
performance: "<5ms per operation"
|
|
100
|
+
key_features:
|
|
101
|
+
- Morphism validation
|
|
102
|
+
- Functor application
|
|
103
|
+
- Natural transformation detection
|
|
104
|
+
|
|
105
|
+
hott:
|
|
106
|
+
name: HottEngine
|
|
107
|
+
description: Homotopy Type Theory
|
|
108
|
+
performance: "<10ms per verification"
|
|
109
|
+
key_features:
|
|
110
|
+
- Proof verification
|
|
111
|
+
- Type inference
|
|
112
|
+
- Term normalization
|
|
113
|
+
|
|
114
|
+
# MCP Tools
|
|
115
|
+
tools:
|
|
116
|
+
- name: pr_coherence_check
|
|
117
|
+
description: Check coherence of vectors using Sheaf Laplacian energy
|
|
118
|
+
category: coherence
|
|
119
|
+
input:
|
|
120
|
+
vectors:
|
|
121
|
+
type: array[array[number]]
|
|
122
|
+
required: true
|
|
123
|
+
description: Array of embedding vectors to check
|
|
124
|
+
threshold:
|
|
125
|
+
type: number
|
|
126
|
+
default: 0.3
|
|
127
|
+
description: Energy threshold for coherence (0-1)
|
|
128
|
+
output:
|
|
129
|
+
coherent: boolean
|
|
130
|
+
energy: number
|
|
131
|
+
violations: array[string]
|
|
132
|
+
confidence: number
|
|
133
|
+
|
|
134
|
+
- name: pr_spectral_analyze
|
|
135
|
+
description: Analyze stability using spectral graph theory
|
|
136
|
+
category: spectral
|
|
137
|
+
input:
|
|
138
|
+
adjacencyMatrix:
|
|
139
|
+
type: array[array[number]]
|
|
140
|
+
required: true
|
|
141
|
+
description: Adjacency matrix representing connections
|
|
142
|
+
analyzeType:
|
|
143
|
+
type: enum[stability, clustering, connectivity]
|
|
144
|
+
default: stability
|
|
145
|
+
output:
|
|
146
|
+
stable: boolean
|
|
147
|
+
spectralGap: number
|
|
148
|
+
stabilityIndex: number
|
|
149
|
+
eigenvalues: array[number]
|
|
150
|
+
|
|
151
|
+
- name: pr_causal_infer
|
|
152
|
+
description: Perform causal inference using do-calculus
|
|
153
|
+
category: causal
|
|
154
|
+
input:
|
|
155
|
+
treatment:
|
|
156
|
+
type: string
|
|
157
|
+
required: true
|
|
158
|
+
description: Treatment/intervention variable
|
|
159
|
+
outcome:
|
|
160
|
+
type: string
|
|
161
|
+
required: true
|
|
162
|
+
description: Outcome variable
|
|
163
|
+
graph:
|
|
164
|
+
type: object
|
|
165
|
+
required: true
|
|
166
|
+
description: Causal graph with nodes and edges
|
|
167
|
+
output:
|
|
168
|
+
causalEffect: number
|
|
169
|
+
confounders: array[string]
|
|
170
|
+
interventionValid: boolean
|
|
171
|
+
backdoorPaths: array[array[string]]
|
|
172
|
+
|
|
173
|
+
- name: pr_consensus_verify
|
|
174
|
+
description: Verify multi-agent consensus mathematically
|
|
175
|
+
category: consensus
|
|
176
|
+
input:
|
|
177
|
+
agentStates:
|
|
178
|
+
type: array[object]
|
|
179
|
+
required: true
|
|
180
|
+
description: Array of agent states with embeddings and votes
|
|
181
|
+
consensusThreshold:
|
|
182
|
+
type: number
|
|
183
|
+
default: 0.8
|
|
184
|
+
description: Required agreement threshold (0-1)
|
|
185
|
+
output:
|
|
186
|
+
consensusAchieved: boolean
|
|
187
|
+
agreementRatio: number
|
|
188
|
+
coherenceEnergy: number
|
|
189
|
+
spectralStability: boolean
|
|
190
|
+
|
|
191
|
+
- name: pr_quantum_topology
|
|
192
|
+
description: Compute quantum topology features
|
|
193
|
+
category: topology
|
|
194
|
+
input:
|
|
195
|
+
points:
|
|
196
|
+
type: array[array[number]]
|
|
197
|
+
required: true
|
|
198
|
+
description: Point cloud for topological analysis
|
|
199
|
+
maxDimension:
|
|
200
|
+
type: number
|
|
201
|
+
default: 2
|
|
202
|
+
description: Maximum homology dimension to compute
|
|
203
|
+
output:
|
|
204
|
+
bettiNumbers: array[number]
|
|
205
|
+
persistenceDiagram: array[array[number]]
|
|
206
|
+
homologyClasses: number
|
|
207
|
+
|
|
208
|
+
- name: pr_memory_gate
|
|
209
|
+
description: Pre-storage coherence gate for memory entries
|
|
210
|
+
category: memory
|
|
211
|
+
input:
|
|
212
|
+
entry:
|
|
213
|
+
type: object
|
|
214
|
+
required: true
|
|
215
|
+
description: Memory entry with key, content, and embedding
|
|
216
|
+
contextEmbeddings:
|
|
217
|
+
type: array[array[number]]
|
|
218
|
+
description: Existing context embeddings to check against
|
|
219
|
+
thresholds:
|
|
220
|
+
type: object
|
|
221
|
+
description: Custom thresholds (reject, warn)
|
|
222
|
+
output:
|
|
223
|
+
action: enum[allow, warn, reject]
|
|
224
|
+
coherent: boolean
|
|
225
|
+
energy: number
|
|
226
|
+
violations: array[string]
|
|
227
|
+
|
|
228
|
+
# Hooks
|
|
229
|
+
hooks:
|
|
230
|
+
- name: pr/pre-memory-store
|
|
231
|
+
event: pre-memory-store
|
|
232
|
+
priority: high
|
|
233
|
+
description: Validates memory entry coherence before storage
|
|
234
|
+
behavior: |
|
|
235
|
+
- Gets existing context from same namespace
|
|
236
|
+
- Validates coherence using Sheaf Laplacian
|
|
237
|
+
- Rejects entries with energy > 0.7
|
|
238
|
+
- Warns for entries with energy 0.3-0.7
|
|
239
|
+
- Adds coherence metadata to stored entries
|
|
240
|
+
|
|
241
|
+
- name: pr/pre-consensus
|
|
242
|
+
event: pre-consensus
|
|
243
|
+
priority: high
|
|
244
|
+
description: Validates consensus proposal coherence before voting
|
|
245
|
+
behavior: |
|
|
246
|
+
- Checks proposal against existing decisions
|
|
247
|
+
- Rejects proposals with energy > 0.7
|
|
248
|
+
- Adds coherence metrics to accepted proposals
|
|
249
|
+
|
|
250
|
+
- name: pr/post-swarm-task
|
|
251
|
+
event: post-task
|
|
252
|
+
priority: normal
|
|
253
|
+
description: Analyzes swarm stability after task completion
|
|
254
|
+
conditions:
|
|
255
|
+
- payload.isSwarmTask === true
|
|
256
|
+
behavior: |
|
|
257
|
+
- Builds communication adjacency matrix
|
|
258
|
+
- Analyzes spectral stability
|
|
259
|
+
- Stores stability metrics in memory
|
|
260
|
+
- Adds stability metrics to task result
|
|
261
|
+
|
|
262
|
+
- name: pr/pre-rag-retrieval
|
|
263
|
+
event: pre-rag-retrieval
|
|
264
|
+
priority: high
|
|
265
|
+
description: Checks retrieved context coherence to prevent hallucinations
|
|
266
|
+
behavior: |
|
|
267
|
+
- Validates coherence of retrieved documents
|
|
268
|
+
- Filters contradictory documents if energy > 0.5
|
|
269
|
+
- Adds coherence filtering metadata
|
|
270
|
+
|
|
271
|
+
# Memory namespaces used
|
|
272
|
+
namespaces:
|
|
273
|
+
- name: pr/coherence-checks
|
|
274
|
+
description: Stores coherence check history
|
|
275
|
+
retention: 7d
|
|
276
|
+
|
|
277
|
+
- name: pr/stability-metrics
|
|
278
|
+
description: Stores stability analysis results
|
|
279
|
+
retention: 30d
|
|
280
|
+
|
|
281
|
+
- name: pr/causal-models
|
|
282
|
+
description: Stores causal relationship models
|
|
283
|
+
retention: persistent
|
|
284
|
+
|
|
285
|
+
- name: pr/thresholds
|
|
286
|
+
description: Stores configured thresholds
|
|
287
|
+
retention: persistent
|
|
288
|
+
|
|
289
|
+
# Configuration options
|
|
290
|
+
config:
|
|
291
|
+
coherence:
|
|
292
|
+
warnThreshold:
|
|
293
|
+
type: number
|
|
294
|
+
default: 0.3
|
|
295
|
+
description: Energy threshold for warnings
|
|
296
|
+
rejectThreshold:
|
|
297
|
+
type: number
|
|
298
|
+
default: 0.7
|
|
299
|
+
description: Energy threshold for rejection
|
|
300
|
+
cacheEnabled:
|
|
301
|
+
type: boolean
|
|
302
|
+
default: true
|
|
303
|
+
description: Enable result caching
|
|
304
|
+
cacheTTL:
|
|
305
|
+
type: number
|
|
306
|
+
default: 60000
|
|
307
|
+
description: Cache TTL in milliseconds
|
|
308
|
+
|
|
309
|
+
spectral:
|
|
310
|
+
stabilityThreshold:
|
|
311
|
+
type: number
|
|
312
|
+
default: 0.1
|
|
313
|
+
description: Spectral gap threshold for stability
|
|
314
|
+
maxMatrixSize:
|
|
315
|
+
type: number
|
|
316
|
+
default: 1000
|
|
317
|
+
description: Maximum adjacency matrix size
|
|
318
|
+
|
|
319
|
+
causal:
|
|
320
|
+
maxBackdoorPaths:
|
|
321
|
+
type: number
|
|
322
|
+
default: 10
|
|
323
|
+
description: Maximum backdoor paths to compute
|
|
324
|
+
confidenceThreshold:
|
|
325
|
+
type: number
|
|
326
|
+
default: 0.8
|
|
327
|
+
description: Minimum confidence for effect estimation
|
|
328
|
+
|
|
329
|
+
# Performance targets
|
|
330
|
+
performance:
|
|
331
|
+
wasmLoadTime: "<50ms"
|
|
332
|
+
coherenceCheck: "<5ms"
|
|
333
|
+
spectralAnalysis: "<20ms"
|
|
334
|
+
causalInference: "<10ms"
|
|
335
|
+
memoryOverhead: "<10MB"
|
|
336
|
+
mcpToolResponse: "<100ms"
|
|
337
|
+
|
|
338
|
+
# Use cases
|
|
339
|
+
useCases:
|
|
340
|
+
- name: Memory Coherence Gate
|
|
341
|
+
description: Check vectors for contradiction before storage
|
|
342
|
+
domains: [memory]
|
|
343
|
+
tools: [pr_memory_gate, pr_coherence_check]
|
|
344
|
+
hooks: [pr/pre-memory-store]
|
|
345
|
+
|
|
346
|
+
- name: Consensus Verification
|
|
347
|
+
description: Mathematically validate multi-agent agreement
|
|
348
|
+
domains: [hive-mind, coordination]
|
|
349
|
+
tools: [pr_consensus_verify, pr_spectral_analyze]
|
|
350
|
+
hooks: [pr/pre-consensus]
|
|
351
|
+
|
|
352
|
+
- name: Hallucination Detection
|
|
353
|
+
description: Catch RAG inconsistencies before use
|
|
354
|
+
domains: [memory, security]
|
|
355
|
+
tools: [pr_coherence_check]
|
|
356
|
+
hooks: [pr/pre-rag-retrieval]
|
|
357
|
+
|
|
358
|
+
- name: Swarm Stability Monitoring
|
|
359
|
+
description: Spectral analysis of swarm coordination health
|
|
360
|
+
domains: [coordination, hive-mind]
|
|
361
|
+
tools: [pr_spectral_analyze]
|
|
362
|
+
hooks: [pr/post-swarm-task]
|
|
363
|
+
|
|
364
|
+
# Related ADRs
|
|
365
|
+
references:
|
|
366
|
+
- ADR-031: Prime Radiant Integration
|
|
367
|
+
- ADR-006: Unified Memory Service
|
|
368
|
+
- ADR-013: Core Security Module
|
|
369
|
+
- ADR-015: Unified Plugin System
|
|
370
|
+
- ADR-022: AIDefence Integration
|
|
371
|
+
|
|
372
|
+
# ═══════════════════════════════════════════════════════════════════════════════
|
|
373
|
+
# IMPLEMENTATION STATUS & CODE REVIEW
|
|
374
|
+
# ═══════════════════════════════════════════════════════════════════════════════
|
|
375
|
+
|
|
376
|
+
implementation:
|
|
377
|
+
status: planning # planning | in-progress | complete
|
|
378
|
+
lastUpdated: "2026-01-23"
|
|
379
|
+
reviewedBy: "code-reviewer"
|
|
380
|
+
reviewDate: "2026-01-23"
|
|
381
|
+
|
|
382
|
+
# Code Review Results
|
|
383
|
+
codeReview:
|
|
384
|
+
overallStatus: "architecture-complete"
|
|
385
|
+
performanceTargetsMet: "pending-implementation"
|
|
386
|
+
securityIssuesFound: 0
|
|
387
|
+
documentationComplete: true
|
|
388
|
+
testCoverage: "0%"
|
|
389
|
+
|
|
390
|
+
# Performance Assessment (Critical Targets)
|
|
391
|
+
performanceAssessment:
|
|
392
|
+
wasmLoadTime:
|
|
393
|
+
target: "<50ms"
|
|
394
|
+
achievable: true
|
|
395
|
+
notes: "92KB bundle, single load at init"
|
|
396
|
+
optimization: "Lazy load WASM on first use"
|
|
397
|
+
coherenceCheck:
|
|
398
|
+
target: "<5ms"
|
|
399
|
+
achievable: true
|
|
400
|
+
notes: "Core operation, must meet target"
|
|
401
|
+
optimization: "LRU cache for repeated checks"
|
|
402
|
+
spectralAnalysis:
|
|
403
|
+
target: "<20ms"
|
|
404
|
+
achievable: true
|
|
405
|
+
notes: "For matrices up to 100x100"
|
|
406
|
+
optimization: "Approximate methods for larger matrices"
|
|
407
|
+
causalInference:
|
|
408
|
+
target: "<10ms"
|
|
409
|
+
achievable: true
|
|
410
|
+
notes: "Single query operation"
|
|
411
|
+
memoryOverhead:
|
|
412
|
+
target: "<10MB"
|
|
413
|
+
achievable: true
|
|
414
|
+
notes: "WASM + 6 engine instances"
|
|
415
|
+
mcpToolResponse:
|
|
416
|
+
target: "<100ms"
|
|
417
|
+
achievable: true
|
|
418
|
+
notes: "V3 MCP requirement"
|
|
419
|
+
|
|
420
|
+
# Architecture Quality
|
|
421
|
+
architectureQuality:
|
|
422
|
+
wasmBundleSize: "92KB (excellent)"
|
|
423
|
+
zeroDependencies: true
|
|
424
|
+
crossPlatform: true # Browser + Node.js
|
|
425
|
+
ddpPrinciples: true
|
|
426
|
+
solidCompliance: "pending-verification"
|
|
427
|
+
typeScriptStrict: "pending"
|
|
428
|
+
zodValidation: "pending"
|
|
429
|
+
errorHandling: "pending"
|
|
430
|
+
|
|
431
|
+
# Integration Readiness
|
|
432
|
+
integrationReadiness:
|
|
433
|
+
pluginRegistration: "architecture-defined"
|
|
434
|
+
mcpToolDiscovery: "architecture-defined"
|
|
435
|
+
hookIntegration: "architecture-defined"
|
|
436
|
+
memoryNamespaceIsolation: "architecture-defined"
|
|
437
|
+
|
|
438
|
+
# Engine Status
|
|
439
|
+
engineStatus:
|
|
440
|
+
cohomologyEngine:
|
|
441
|
+
status: "architecture-defined"
|
|
442
|
+
priority: "critical"
|
|
443
|
+
purpose: "Sheaf Laplacian coherence detection"
|
|
444
|
+
spectralEngine:
|
|
445
|
+
status: "architecture-defined"
|
|
446
|
+
priority: "high"
|
|
447
|
+
purpose: "Stability and eigenvalue analysis"
|
|
448
|
+
causalEngine:
|
|
449
|
+
status: "architecture-defined"
|
|
450
|
+
priority: "medium"
|
|
451
|
+
purpose: "Do-calculus causal inference"
|
|
452
|
+
quantumEngine:
|
|
453
|
+
status: "architecture-defined"
|
|
454
|
+
priority: "low"
|
|
455
|
+
purpose: "Quantum topology operations"
|
|
456
|
+
categoryEngine:
|
|
457
|
+
status: "architecture-defined"
|
|
458
|
+
priority: "low"
|
|
459
|
+
purpose: "Category theory operations"
|
|
460
|
+
hottEngine:
|
|
461
|
+
status: "architecture-defined"
|
|
462
|
+
priority: "low"
|
|
463
|
+
purpose: "Homotopy Type Theory proofs"
|
|
464
|
+
|
|
465
|
+
# Critical Path Items
|
|
466
|
+
criticalPathItems:
|
|
467
|
+
- "Phase 1: WASM bridge and loader implementation"
|
|
468
|
+
- "Phase 2: CohomologyEngine integration (coherence checking)"
|
|
469
|
+
- "Phase 3: Memory pre-store hook for coherence gate"
|
|
470
|
+
|
|
471
|
+
# Recommendations
|
|
472
|
+
recommendations:
|
|
473
|
+
- "Implement WASM lazy loading - load on first tool call, not plugin init"
|
|
474
|
+
- "Add LRU cache with TTL for coherence check results (60s default)"
|
|
475
|
+
- "Batch vector operations where possible for spectral analysis"
|
|
476
|
+
- "Keep all TypeScript files under 500 lines"
|
|
477
|
+
- "Add comprehensive JSDoc comments to all public APIs"
|
|
478
|
+
- "Implement graceful degradation if WASM fails to load"
|
|
479
|
+
- "Add telemetry for performance monitoring"
|
|
480
|
+
|
|
481
|
+
# Required Files
|
|
482
|
+
files:
|
|
483
|
+
existing:
|
|
484
|
+
- path: plugin.yaml
|
|
485
|
+
status: complete
|
|
486
|
+
lines: 450
|
|
487
|
+
description: Plugin manifest with full configuration
|
|
488
|
+
- path: README.md
|
|
489
|
+
status: complete
|
|
490
|
+
lines: 463
|
|
491
|
+
description: Usage documentation
|
|
492
|
+
|
|
493
|
+
required:
|
|
494
|
+
# Phase 1: Plugin Scaffold
|
|
495
|
+
- path: package.json
|
|
496
|
+
status: pending
|
|
497
|
+
phase: 1
|
|
498
|
+
priority: critical
|
|
499
|
+
estimatedLines: 40
|
|
500
|
+
|
|
501
|
+
- path: tsconfig.json
|
|
502
|
+
status: pending
|
|
503
|
+
phase: 1
|
|
504
|
+
priority: critical
|
|
505
|
+
estimatedLines: 25
|
|
506
|
+
|
|
507
|
+
- path: src/index.ts
|
|
508
|
+
status: pending
|
|
509
|
+
phase: 1
|
|
510
|
+
priority: critical
|
|
511
|
+
estimatedLines: 60
|
|
512
|
+
description: Plugin entry point and exports
|
|
513
|
+
|
|
514
|
+
- path: src/plugin.ts
|
|
515
|
+
status: pending
|
|
516
|
+
phase: 1
|
|
517
|
+
priority: critical
|
|
518
|
+
estimatedLines: 150
|
|
519
|
+
description: PRPlugin class with lifecycle
|
|
520
|
+
|
|
521
|
+
- path: src/types.ts
|
|
522
|
+
status: pending
|
|
523
|
+
phase: 1
|
|
524
|
+
priority: critical
|
|
525
|
+
estimatedLines: 200
|
|
526
|
+
description: TypeScript type definitions
|
|
527
|
+
|
|
528
|
+
# Phase 2: WASM Bridge
|
|
529
|
+
- path: src/infrastructure/prime-radiant-bridge.ts
|
|
530
|
+
status: pending
|
|
531
|
+
phase: 2
|
|
532
|
+
priority: critical
|
|
533
|
+
estimatedLines: 300
|
|
534
|
+
description: WASM bridge for 6 engines
|
|
535
|
+
|
|
536
|
+
- path: src/infrastructure/cache.ts
|
|
537
|
+
status: pending
|
|
538
|
+
phase: 2
|
|
539
|
+
priority: high
|
|
540
|
+
estimatedLines: 100
|
|
541
|
+
description: LRU cache with TTL
|
|
542
|
+
|
|
543
|
+
# Phase 3: Domain Layer
|
|
544
|
+
- path: src/domain/coherence-gate.ts
|
|
545
|
+
status: pending
|
|
546
|
+
phase: 3
|
|
547
|
+
priority: critical
|
|
548
|
+
estimatedLines: 200
|
|
549
|
+
description: Coherence validation service
|
|
550
|
+
|
|
551
|
+
- path: src/domain/stability-analyzer.ts
|
|
552
|
+
status: pending
|
|
553
|
+
phase: 3
|
|
554
|
+
priority: high
|
|
555
|
+
estimatedLines: 150
|
|
556
|
+
description: Spectral stability analysis
|
|
557
|
+
|
|
558
|
+
# Phase 4: MCP Tools (6 tools)
|
|
559
|
+
- path: src/tools/index.ts
|
|
560
|
+
status: pending
|
|
561
|
+
phase: 4
|
|
562
|
+
priority: critical
|
|
563
|
+
estimatedLines: 50
|
|
564
|
+
|
|
565
|
+
- path: src/tools/coherence-check.ts
|
|
566
|
+
status: pending
|
|
567
|
+
phase: 4
|
|
568
|
+
priority: critical
|
|
569
|
+
estimatedLines: 80
|
|
570
|
+
|
|
571
|
+
- path: src/tools/spectral-analyze.ts
|
|
572
|
+
status: pending
|
|
573
|
+
phase: 4
|
|
574
|
+
priority: high
|
|
575
|
+
estimatedLines: 80
|
|
576
|
+
|
|
577
|
+
- path: src/tools/causal-infer.ts
|
|
578
|
+
status: pending
|
|
579
|
+
phase: 4
|
|
580
|
+
priority: medium
|
|
581
|
+
estimatedLines: 100
|
|
582
|
+
|
|
583
|
+
- path: src/tools/consensus-verify.ts
|
|
584
|
+
status: pending
|
|
585
|
+
phase: 4
|
|
586
|
+
priority: high
|
|
587
|
+
estimatedLines: 120
|
|
588
|
+
|
|
589
|
+
- path: src/tools/quantum-topology.ts
|
|
590
|
+
status: pending
|
|
591
|
+
phase: 4
|
|
592
|
+
priority: low
|
|
593
|
+
estimatedLines: 80
|
|
594
|
+
|
|
595
|
+
- path: src/tools/memory-gate.ts
|
|
596
|
+
status: pending
|
|
597
|
+
phase: 4
|
|
598
|
+
priority: critical
|
|
599
|
+
estimatedLines: 100
|
|
600
|
+
|
|
601
|
+
# Phase 5: Hooks (4 hooks)
|
|
602
|
+
- path: src/hooks/index.ts
|
|
603
|
+
status: pending
|
|
604
|
+
phase: 5
|
|
605
|
+
priority: high
|
|
606
|
+
estimatedLines: 40
|
|
607
|
+
|
|
608
|
+
- path: src/hooks/pre-memory-store.ts
|
|
609
|
+
status: pending
|
|
610
|
+
phase: 5
|
|
611
|
+
priority: critical
|
|
612
|
+
estimatedLines: 80
|
|
613
|
+
description: Coherence gate for memory storage
|
|
614
|
+
|
|
615
|
+
- path: src/hooks/pre-consensus.ts
|
|
616
|
+
status: pending
|
|
617
|
+
phase: 5
|
|
618
|
+
priority: high
|
|
619
|
+
estimatedLines: 70
|
|
620
|
+
|
|
621
|
+
- path: src/hooks/post-swarm-task.ts
|
|
622
|
+
status: pending
|
|
623
|
+
phase: 5
|
|
624
|
+
priority: medium
|
|
625
|
+
estimatedLines: 80
|
|
626
|
+
|
|
627
|
+
- path: src/hooks/pre-rag-retrieval.ts
|
|
628
|
+
status: pending
|
|
629
|
+
phase: 5
|
|
630
|
+
priority: high
|
|
631
|
+
estimatedLines: 70
|
|
632
|
+
description: Hallucination prevention
|
|
633
|
+
|
|
634
|
+
# Phase 6: Integration
|
|
635
|
+
- path: src/integration/memory-integration.ts
|
|
636
|
+
status: pending
|
|
637
|
+
phase: 6
|
|
638
|
+
priority: high
|
|
639
|
+
estimatedLines: 150
|
|
640
|
+
|
|
641
|
+
- path: src/integration/hive-mind-integration.ts
|
|
642
|
+
status: pending
|
|
643
|
+
phase: 6
|
|
644
|
+
priority: high
|
|
645
|
+
estimatedLines: 180
|
|
646
|
+
|
|
647
|
+
# Phase 7: Tests
|
|
648
|
+
- path: vitest.config.ts
|
|
649
|
+
status: pending
|
|
650
|
+
phase: 7
|
|
651
|
+
priority: high
|
|
652
|
+
estimatedLines: 30
|
|
653
|
+
|
|
654
|
+
- path: __tests__/unit/plugin.test.ts
|
|
655
|
+
status: pending
|
|
656
|
+
phase: 7
|
|
657
|
+
priority: high
|
|
658
|
+
estimatedLines: 100
|
|
659
|
+
|
|
660
|
+
- path: __tests__/unit/coherence-gate.test.ts
|
|
661
|
+
status: pending
|
|
662
|
+
phase: 7
|
|
663
|
+
priority: critical
|
|
664
|
+
estimatedLines: 150
|
|
665
|
+
|
|
666
|
+
- path: __tests__/integration/mcp-tools.test.ts
|
|
667
|
+
status: pending
|
|
668
|
+
phase: 7
|
|
669
|
+
priority: high
|
|
670
|
+
estimatedLines: 200
|
|
671
|
+
|
|
672
|
+
# Phase Summary
|
|
673
|
+
phases:
|
|
674
|
+
- phase: 1
|
|
675
|
+
name: Plugin Scaffold
|
|
676
|
+
status: pending
|
|
677
|
+
duration: "3 days"
|
|
678
|
+
files: 5
|
|
679
|
+
estimatedLines: 475
|
|
680
|
+
deliverables:
|
|
681
|
+
- Plugin registers with @claude-flow/plugins SDK
|
|
682
|
+
- Type-safe configuration
|
|
683
|
+
- Basic lifecycle hooks
|
|
684
|
+
|
|
685
|
+
- phase: 2
|
|
686
|
+
name: WASM Bridge
|
|
687
|
+
status: pending
|
|
688
|
+
duration: "3 days"
|
|
689
|
+
files: 2
|
|
690
|
+
estimatedLines: 400
|
|
691
|
+
deliverables:
|
|
692
|
+
- WASM loader with lazy initialization
|
|
693
|
+
- All 6 engines accessible
|
|
694
|
+
- Result caching
|
|
695
|
+
|
|
696
|
+
- phase: 3
|
|
697
|
+
name: Domain Layer
|
|
698
|
+
status: pending
|
|
699
|
+
duration: "2 days"
|
|
700
|
+
files: 2
|
|
701
|
+
estimatedLines: 350
|
|
702
|
+
deliverables:
|
|
703
|
+
- CoherenceGate service
|
|
704
|
+
- StabilityAnalyzer service
|
|
705
|
+
|
|
706
|
+
- phase: 4
|
|
707
|
+
name: MCP Tools
|
|
708
|
+
status: pending
|
|
709
|
+
duration: "3 days"
|
|
710
|
+
files: 7
|
|
711
|
+
estimatedLines: 610
|
|
712
|
+
deliverables:
|
|
713
|
+
- All 6 MCP tools registered
|
|
714
|
+
- Tools accessible via mcp__prime-radiant__*
|
|
715
|
+
- Zod input validation
|
|
716
|
+
|
|
717
|
+
- phase: 5
|
|
718
|
+
name: Hooks
|
|
719
|
+
status: pending
|
|
720
|
+
duration: "2 days"
|
|
721
|
+
files: 5
|
|
722
|
+
estimatedLines: 340
|
|
723
|
+
deliverables:
|
|
724
|
+
- Pre-memory-store coherence gate
|
|
725
|
+
- Pre-consensus validation
|
|
726
|
+
- Post-task stability analysis
|
|
727
|
+
- Pre-RAG hallucination prevention
|
|
728
|
+
|
|
729
|
+
- phase: 6
|
|
730
|
+
name: Domain Integration
|
|
731
|
+
status: pending
|
|
732
|
+
duration: "3 days"
|
|
733
|
+
files: 2
|
|
734
|
+
estimatedLines: 330
|
|
735
|
+
deliverables:
|
|
736
|
+
- Memory domain integration
|
|
737
|
+
- Hive-Mind domain integration
|
|
738
|
+
|
|
739
|
+
- phase: 7
|
|
740
|
+
name: Testing
|
|
741
|
+
status: pending
|
|
742
|
+
duration: "3 days"
|
|
743
|
+
files: 4
|
|
744
|
+
estimatedLines: 480
|
|
745
|
+
deliverables:
|
|
746
|
+
- 80%+ test coverage
|
|
747
|
+
- Integration tests passing
|
|
748
|
+
- Performance benchmarks documented
|
|
749
|
+
|
|
750
|
+
# Totals
|
|
751
|
+
totals:
|
|
752
|
+
totalPhases: 7
|
|
753
|
+
totalDuration: "19 days (~4 weeks)"
|
|
754
|
+
totalFiles: 27
|
|
755
|
+
totalEstimatedLines: 2985
|
|
756
|
+
|
|
757
|
+
# Final Checklist
|
|
758
|
+
finalChecklist:
|
|
759
|
+
allTestsPassing: pending
|
|
760
|
+
noTypeScriptErrors: pending
|
|
761
|
+
securityIssuesAddressed: pending # None found
|
|
762
|
+
performanceTargetsMet: pending
|
|
763
|
+
documentationComplete: true
|
|
764
|
+
filesUnder500Lines: pending
|
|
765
|
+
consistentNaming: pending
|
|
766
|
+
properErrorHandling: pending
|
|
767
|
+
noAnyTypes: pending
|
|
768
|
+
jsdocComments: pending
|