@productbrain/mcp 0.0.1-beta.2 → 0.0.1-beta.21

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.
@@ -0,0 +1,365 @@
1
+ #!/usr/bin/env node
2
+ import {
3
+ initAnalytics,
4
+ shutdownAnalytics,
5
+ trackSetupCompleted,
6
+ trackSetupStarted
7
+ } from "./chunk-XBMI6QHR.js";
8
+
9
+ // src/cli/setup.ts
10
+ import { execSync } from "child_process";
11
+ import { createInterface } from "readline";
12
+ import { existsSync as existsSync2, writeFileSync as writeFileSync2, mkdirSync as mkdirSync2 } from "fs";
13
+ import { join as join2 } from "path";
14
+
15
+ // src/cli/config-writer.ts
16
+ import { existsSync, readFileSync, writeFileSync, mkdirSync } from "fs";
17
+ import { join, dirname } from "path";
18
+ import { homedir, platform } from "os";
19
+ var SERVER_ENTRY_KEY = "Product Brain";
20
+ var LEGACY_ENTRY_KEY = "productbrain";
21
+ function buildServerEntry(apiKey) {
22
+ return {
23
+ command: "npx",
24
+ args: ["-y", "@productbrain/mcp@beta"],
25
+ env: { PRODUCTBRAIN_API_KEY: apiKey }
26
+ };
27
+ }
28
+ function getCursorConfigPath() {
29
+ return join(process.cwd(), ".cursor", "mcp.json");
30
+ }
31
+ function getClaudeDesktopConfigPath() {
32
+ const os = platform();
33
+ if (os === "darwin") {
34
+ return join(
35
+ homedir(),
36
+ "Library",
37
+ "Application Support",
38
+ "Claude",
39
+ "claude_desktop_config.json"
40
+ );
41
+ }
42
+ if (os === "win32") {
43
+ const appData = process.env.APPDATA ?? join(homedir(), "AppData", "Roaming");
44
+ return join(appData, "Claude", "claude_desktop_config.json");
45
+ }
46
+ return null;
47
+ }
48
+ function resolveClient(name) {
49
+ if (name === "Cursor") {
50
+ return { name, configPath: getCursorConfigPath() };
51
+ }
52
+ const configPath = getClaudeDesktopConfigPath();
53
+ return configPath ? { name, configPath } : null;
54
+ }
55
+ function readJsonSafe(path) {
56
+ if (!existsSync(path)) return {};
57
+ try {
58
+ return JSON.parse(readFileSync(path, "utf-8"));
59
+ } catch {
60
+ return {};
61
+ }
62
+ }
63
+ async function writeClientConfig(client, apiKey) {
64
+ const config = readJsonSafe(client.configPath);
65
+ const serversKey = "mcpServers";
66
+ if (!config[serversKey]) config[serversKey] = {};
67
+ if (config[serversKey][LEGACY_ENTRY_KEY]) {
68
+ const legacy = config[serversKey][LEGACY_ENTRY_KEY];
69
+ config[serversKey][SERVER_ENTRY_KEY] = {
70
+ ...buildServerEntry(apiKey),
71
+ env: { ...legacy.env, PRODUCTBRAIN_API_KEY: legacy.env?.PRODUCTBRAIN_API_KEY ?? apiKey }
72
+ };
73
+ delete config[serversKey][LEGACY_ENTRY_KEY];
74
+ } else {
75
+ const existing = config[serversKey][SERVER_ENTRY_KEY];
76
+ config[serversKey][SERVER_ENTRY_KEY] = existing ? { ...existing, env: { ...existing.env, PRODUCTBRAIN_API_KEY: apiKey } } : buildServerEntry(apiKey);
77
+ }
78
+ const dir = dirname(client.configPath);
79
+ if (!existsSync(dir)) {
80
+ mkdirSync(dir, { recursive: true });
81
+ }
82
+ writeFileSync(client.configPath, JSON.stringify(config, null, 2) + "\n", "utf-8");
83
+ return true;
84
+ }
85
+
86
+ // src/cli/setup.ts
87
+ var APP_URL = process.env.PRODUCTBRAIN_APP_URL ?? "https://productbrain.io";
88
+ function bold(s) {
89
+ return `\x1B[1m${s}\x1B[0m`;
90
+ }
91
+ function green(s) {
92
+ return `\x1B[32m${s}\x1B[0m`;
93
+ }
94
+ function dim(s) {
95
+ return `\x1B[2m${s}\x1B[0m`;
96
+ }
97
+ function orange(s) {
98
+ return `\x1B[33m${s}\x1B[0m`;
99
+ }
100
+ function log(msg) {
101
+ process.stdout.write(`${msg}
102
+ `);
103
+ }
104
+ function openBrowser(url) {
105
+ const platform2 = process.platform;
106
+ try {
107
+ if (platform2 === "darwin") execSync(`open "${url}"`);
108
+ else if (platform2 === "win32") execSync(`start "" "${url}"`);
109
+ else execSync(`xdg-open "${url}"`);
110
+ } catch {
111
+ log(dim(` Could not open browser automatically.`));
112
+ log(` Open this URL manually: ${url}`);
113
+ }
114
+ }
115
+ function prompt(question) {
116
+ return new Promise((resolve) => {
117
+ const rl = createInterface({ input: process.stdin, output: process.stdout });
118
+ rl.question(question, (answer) => {
119
+ rl.close();
120
+ resolve(answer.trim());
121
+ });
122
+ });
123
+ }
124
+ function promptChoice(question, choices) {
125
+ return new Promise((resolve) => {
126
+ log("");
127
+ log(bold(question));
128
+ choices.forEach((c, i) => log(` ${i + 1}) ${c}`));
129
+ const rl = createInterface({ input: process.stdin, output: process.stdout });
130
+ rl.question(`
131
+ ${dim("Choice [1]:")} `, (line) => {
132
+ rl.close();
133
+ const n = parseInt(line.trim(), 10);
134
+ if (isNaN(n) || n < 1 || n > choices.length) {
135
+ resolve(0);
136
+ } else {
137
+ resolve(n - 1);
138
+ }
139
+ });
140
+ });
141
+ }
142
+ var DEFAULT_CLOUD_URL = "https://trustworthy-kangaroo-277.convex.site";
143
+ async function verifyWorkspace(apiKey) {
144
+ const siteUrl = process.env.CONVEX_SITE_URL ?? process.env.PRODUCTBRAIN_URL ?? DEFAULT_CLOUD_URL;
145
+ try {
146
+ const res = await fetch(`${siteUrl.replace(/\/$/, "")}/api/mcp`, {
147
+ method: "POST",
148
+ headers: {
149
+ "Content-Type": "application/json",
150
+ Authorization: `Bearer ${apiKey}`
151
+ },
152
+ body: JSON.stringify({ fn: "resolveWorkspace", args: {} })
153
+ });
154
+ if (!res.ok) return null;
155
+ const json = await res.json();
156
+ return json.data ?? null;
157
+ } catch {
158
+ return null;
159
+ }
160
+ }
161
+ async function runSetup() {
162
+ initAnalytics();
163
+ trackSetupStarted();
164
+ log("");
165
+ log(bold(` Product${orange("Brain")} Setup`));
166
+ log(dim(" Connect your AI assistant to your chain\n"));
167
+ const apiKeysUrl = `${APP_URL}/settings/api-keys`;
168
+ log(` ${dim("1. Get your API key from Settings \u2192 API Keys")}`);
169
+ log(` ${dim(apiKeysUrl)}
170
+ `);
171
+ const openNow = await prompt(` Open this URL in your browser? [Y/n]: `);
172
+ if (openNow.toLowerCase() !== "n" && openNow.toLowerCase() !== "no") {
173
+ openBrowser(apiKeysUrl);
174
+ }
175
+ log("");
176
+ log(` ${dim("2. Generate a key (if you don't have one), then copy it.\n")}`);
177
+ const apiKey = await prompt(` Paste your API key (pb_sk_...): `);
178
+ if (!apiKey || !apiKey.startsWith("pb_sk_")) {
179
+ log(` ${orange("!")} Invalid key format. Keys start with pb_sk_.`);
180
+ log(` Get one at ${apiKeysUrl}
181
+ `);
182
+ await shutdownAnalytics();
183
+ process.exit(1);
184
+ }
185
+ log(` ${green("\u2713")} Key received`);
186
+ const workspace = await verifyWorkspace(apiKey);
187
+ if (workspace) {
188
+ log(` ${green("\u2713")} Connected to workspace: ${bold(workspace.name)} ${dim(`(${workspace.slug})`)}`);
189
+ } else {
190
+ log(` ${orange("!")} Could not verify workspace. Check your key at ${apiKeysUrl}`);
191
+ }
192
+ log("");
193
+ const CLIENT_NAMES = ["Cursor", "Claude Desktop"];
194
+ const options = [...CLIENT_NAMES, "Other"];
195
+ const choice = await promptChoice("Where do you want to set up Product Brain?", options);
196
+ if (choice === 2) {
197
+ printConfigSnippet(apiKey);
198
+ trackSetupCompleted("Other", "snippet_shown");
199
+ } else {
200
+ const client = resolveClient(CLIENT_NAMES[choice]);
201
+ if (client) {
202
+ const outcome = await writeConfig(client, apiKey);
203
+ trackSetupCompleted(CLIENT_NAMES[choice], outcome);
204
+ } else {
205
+ log(` ${orange("!")} ${CLIENT_NAMES[choice]} config path not available on this platform.`);
206
+ printConfigSnippet(apiKey);
207
+ trackSetupCompleted(CLIENT_NAMES[choice], "write_error");
208
+ }
209
+ }
210
+ if (choice === 0) {
211
+ await offerCursorRulesInstall();
212
+ printDeeplink(apiKey);
213
+ }
214
+ if (choice === 1) {
215
+ printClaudeSnippet();
216
+ }
217
+ log("");
218
+ log(
219
+ ` ${green("\u2713")} Done! Restart your AI assistant and try: ${bold('"Start PB"')}`
220
+ );
221
+ printHelpLink();
222
+ await shutdownAnalytics();
223
+ }
224
+ async function writeConfig(client, apiKey) {
225
+ try {
226
+ const wrote = await writeClientConfig(client, apiKey);
227
+ if (wrote) {
228
+ log(` ${green("\u2713")} Wrote config to ${dim(client.configPath)}`);
229
+ return "config_written";
230
+ } else {
231
+ log(` ${dim("\u2139")} ${client.name} already configured \u2014 skipped`);
232
+ return "config_existed";
233
+ }
234
+ } catch (err) {
235
+ log(` ${orange("!")} Could not write ${client.name} config: ${err.message}`);
236
+ printConfigSnippet(apiKey);
237
+ return "write_error";
238
+ }
239
+ }
240
+ function printHelpLink() {
241
+ log(` ${dim(`Need help? See ${APP_URL}/settings/api-keys`)}`);
242
+ log("");
243
+ }
244
+ function printConfigSnippet(apiKey) {
245
+ log("");
246
+ log(bold(" Add this to your MCP client config:\n"));
247
+ const snippet = JSON.stringify(
248
+ {
249
+ mcpServers: {
250
+ "Product Brain": {
251
+ command: "npx",
252
+ args: ["-y", "@productbrain/mcp@beta"],
253
+ env: { PRODUCTBRAIN_API_KEY: apiKey }
254
+ }
255
+ }
256
+ },
257
+ null,
258
+ 2
259
+ );
260
+ for (const line of snippet.split("\n")) {
261
+ log(` ${line}`);
262
+ }
263
+ log("");
264
+ }
265
+ var CURSOR_RULE_FILENAME = "product-brain.mdc";
266
+ var CURSOR_RULE_CONTENT = `---
267
+ description: Product Brain MCP \u2014 single source of truth for product knowledge
268
+ globs:
269
+ alwaysApply: true
270
+ ---
271
+
272
+ # Product Brain MCP
273
+
274
+ Product Brain is your product knowledge base. The Chain is the single source of truth.
275
+
276
+ Every entry is either a **draft** (captured but not committed) or **committed** (on the Chain, SSOT).
277
+ Committing to the Chain is the compounding act.
278
+
279
+ ## Quick Start
280
+
281
+ Say **"Start PB"** or **"Start Product Brain"** to begin. This single call:
282
+ - Orients you to the workspace (readiness, gaps, planned work)
283
+ - Unlocks write tools for the session
284
+ - Surfaces your next recommended action
285
+
286
+ ## Tool Workflow
287
+
288
+ 1. **Start here**: \`orient\` or \`start\` \u2014 workspace context + next action
289
+ 2. **Search**: \`search\` \u2014 find entries across all collections
290
+ 3. **Drill in**: \`get-entry\` \u2014 full record with data, labels, relations
291
+ 4. **Context**: \`gather-context\` \u2014 related knowledge around an entry or task
292
+ 5. **Capture**: \`capture\` \u2014 create a draft with auto-linking + quality score
293
+ 6. **Commit**: \`commit-entry\` \u2014 promote draft to SSOT (only when user confirms)
294
+ 7. **Connect**: \`suggest-links\` then \`relate-entries\` to build the graph
295
+
296
+ ## Bulk Knowledge Input
297
+
298
+ When given a document or batch of knowledge to capture:
299
+ 1. Scan the input \u2014 identify all collections needed
300
+ 2. Call \`list-collections\` \u2014 compare against what exists
301
+ 3. Propose missing collections to the user for confirmation
302
+ 4. Call \`create-collection\` for each confirmed collection
303
+ 5. Then capture entries into the correct collections
304
+
305
+ Never stuff entries into the wrong collection. Never silently skip knowledge.
306
+
307
+ ## Rules
308
+
309
+ - Always capture as draft first. Only call \`commit-entry\` when the user confirms.
310
+ - Use \`suggest-links\` after capturing to discover and create relations.
311
+ - Collections are dynamic \u2014 use \`create-collection\` when the workspace needs new ones.
312
+ - When lost, fetch \`productbrain://orientation\` for the full system map.
313
+ `;
314
+ function isCursorProject() {
315
+ return existsSync2(join2(process.cwd(), ".cursor")) || existsSync2(join2(process.cwd(), ".cursorignore"));
316
+ }
317
+ async function offerCursorRulesInstall() {
318
+ if (!isCursorProject()) return;
319
+ const answer = await prompt(`
320
+ Install Product Brain rule for Cursor? [Y/n]: `);
321
+ if (answer.toLowerCase() === "n" || answer.toLowerCase() === "no") {
322
+ log(dim(" Skipped rule install."));
323
+ return;
324
+ }
325
+ const rulesDir = join2(process.cwd(), ".cursor", "rules");
326
+ const rulePath = join2(rulesDir, CURSOR_RULE_FILENAME);
327
+ if (existsSync2(rulePath)) {
328
+ log(` ${dim("\u2139")} Rule already exists at ${dim(rulePath)} \u2014 skipped`);
329
+ return;
330
+ }
331
+ if (!existsSync2(rulesDir)) {
332
+ mkdirSync2(rulesDir, { recursive: true });
333
+ }
334
+ writeFileSync2(rulePath, CURSOR_RULE_CONTENT, "utf-8");
335
+ log(` ${green("\u2713")} Installed rule at ${dim(rulePath)}`);
336
+ }
337
+ function buildDeeplink(apiKey) {
338
+ const config = JSON.stringify({
339
+ command: "npx",
340
+ args: ["-y", "@productbrain/mcp@beta"],
341
+ env: { PRODUCTBRAIN_API_KEY: apiKey }
342
+ });
343
+ const encoded = Buffer.from(config).toString("base64url");
344
+ return `cursor://anysphere.cursor-deeplink/mcp/install?name=${encodeURIComponent("Product Brain")}&config=${encoded}`;
345
+ }
346
+ function printDeeplink(apiKey) {
347
+ const link = buildDeeplink(apiKey);
348
+ log("");
349
+ log(` ${dim("One-click install for Cursor (paste in browser):")}`);
350
+ log(` ${link}`);
351
+ }
352
+ function printClaudeSnippet() {
353
+ log("");
354
+ log(bold(" For Claude Code / CLAUDE.md:"));
355
+ log(dim(" Add this line to your ~/.claude/CLAUDE.md:"));
356
+ log("");
357
+ log(` When Product Brain MCP is available, say "Start PB" at the beginning`);
358
+ log(` of each session to orient to the workspace and unlock write tools.`);
359
+ log(` Always capture as draft first; only commit when the user confirms.`);
360
+ log("");
361
+ }
362
+ export {
363
+ runSetup
364
+ };
365
+ //# sourceMappingURL=setup-GZ5OZ5OP.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../src/cli/setup.ts","../src/cli/config-writer.ts"],"sourcesContent":["#!/usr/bin/env node\n\n/**\n * `npx @productbrain/mcp setup`\n *\n * Guided onboarding: get API key from the app, paste it, write MCP config,\n * and optionally install Cursor rules/skills (additive-only).\n */\n\nimport { execSync } from \"node:child_process\";\nimport { createInterface } from \"node:readline\";\nimport { existsSync, writeFileSync, mkdirSync } from \"node:fs\";\nimport { join } from \"node:path\";\nimport { resolveClient, writeClientConfig, type McpClientInfo } from \"./config-writer.js\";\nimport { initAnalytics, trackSetupStarted, trackSetupCompleted, shutdownAnalytics } from \"../analytics.js\";\n\nconst APP_URL =\n process.env.PRODUCTBRAIN_APP_URL ?? \"https://productbrain.io\";\n\n// ── Helpers ─────────────────────────────────────────────────────────────\n\nfunction bold(s: string) {\n return `\\x1b[1m${s}\\x1b[0m`;\n}\nfunction green(s: string) {\n return `\\x1b[32m${s}\\x1b[0m`;\n}\nfunction dim(s: string) {\n return `\\x1b[2m${s}\\x1b[0m`;\n}\nfunction orange(s: string) {\n return `\\x1b[33m${s}\\x1b[0m`;\n}\n\nfunction log(msg: string) {\n process.stdout.write(`${msg}\\n`);\n}\n\nfunction openBrowser(url: string) {\n const platform = process.platform;\n try {\n if (platform === \"darwin\") execSync(`open \"${url}\"`);\n else if (platform === \"win32\") execSync(`start \"\" \"${url}\"`);\n else execSync(`xdg-open \"${url}\"`);\n } catch {\n log(dim(` Could not open browser automatically.`));\n log(` Open this URL manually: ${url}`);\n }\n}\n\nfunction prompt(question: string): Promise<string> {\n return new Promise((resolve) => {\n const rl = createInterface({ input: process.stdin, output: process.stdout });\n rl.question(question, (answer) => {\n rl.close();\n resolve(answer.trim());\n });\n });\n}\n\nfunction promptChoice(question: string, choices: string[]): Promise<number> {\n return new Promise((resolve) => {\n log(\"\");\n log(bold(question));\n choices.forEach((c, i) => log(` ${i + 1}) ${c}`));\n const rl = createInterface({ input: process.stdin, output: process.stdout });\n rl.question(`\\n ${dim(\"Choice [1]:\")} `, (line) => {\n rl.close();\n const n = parseInt(line.trim(), 10);\n if (isNaN(n) || n < 1 || n > choices.length) {\n resolve(0);\n } else {\n resolve(n - 1);\n }\n });\n });\n}\n\n// ── Workspace Verification ───────────────────────────────────────────────\n\nconst DEFAULT_CLOUD_URL = \"https://trustworthy-kangaroo-277.convex.site\";\n\nasync function verifyWorkspace(\n apiKey: string,\n): Promise<{ name: string; slug: string } | null> {\n const siteUrl = process.env.CONVEX_SITE_URL\n ?? process.env.PRODUCTBRAIN_URL\n ?? DEFAULT_CLOUD_URL;\n\n try {\n const res = await fetch(`${siteUrl.replace(/\\/$/, \"\")}/api/mcp`, {\n method: \"POST\",\n headers: {\n \"Content-Type\": \"application/json\",\n Authorization: `Bearer ${apiKey}`,\n },\n body: JSON.stringify({ fn: \"resolveWorkspace\", args: {} }),\n });\n\n if (!res.ok) return null;\n const json = (await res.json()) as {\n data?: { name: string; slug: string } | null;\n error?: string;\n };\n return json.data ?? null;\n } catch {\n return null;\n }\n}\n\n// ── Main ────────────────────────────────────────────────────────────────\n\nexport async function runSetup() {\n initAnalytics();\n trackSetupStarted();\n\n log(\"\");\n log(bold(` Product${orange(\"Brain\")} Setup`));\n log(dim(\" Connect your AI assistant to your chain\\n\"));\n\n const apiKeysUrl = `${APP_URL}/settings/api-keys`;\n\n log(` ${dim(\"1. Get your API key from Settings → API Keys\")}`);\n log(` ${dim(apiKeysUrl)}\\n`);\n\n const openNow = await prompt(` Open this URL in your browser? [Y/n]: `);\n if (openNow.toLowerCase() !== \"n\" && openNow.toLowerCase() !== \"no\") {\n openBrowser(apiKeysUrl);\n }\n\n log(\"\");\n log(` ${dim(\"2. Generate a key (if you don't have one), then copy it.\\n\")}`);\n\n const apiKey = await prompt(` Paste your API key (pb_sk_...): `);\n\n if (!apiKey || !apiKey.startsWith(\"pb_sk_\")) {\n log(` ${orange(\"!\")} Invalid key format. Keys start with pb_sk_.`);\n log(` Get one at ${apiKeysUrl}\\n`);\n await shutdownAnalytics();\n process.exit(1);\n }\n\n log(` ${green(\"✓\")} Key received`);\n\n const workspace = await verifyWorkspace(apiKey);\n if (workspace) {\n log(` ${green(\"✓\")} Connected to workspace: ${bold(workspace.name)} ${dim(`(${workspace.slug})`)}`);\n } else {\n log(` ${orange(\"!\")} Could not verify workspace. Check your key at ${apiKeysUrl}`);\n }\n log(\"\");\n\n const CLIENT_NAMES = [\"Cursor\", \"Claude Desktop\"] as const;\n const options = [...CLIENT_NAMES, \"Other\"];\n\n const choice = await promptChoice(\"Where do you want to set up Product Brain?\", options);\n\n if (choice === 2) {\n printConfigSnippet(apiKey);\n trackSetupCompleted(\"Other\", \"snippet_shown\");\n } else {\n const client = resolveClient(CLIENT_NAMES[choice]);\n if (client) {\n const outcome = await writeConfig(client, apiKey);\n trackSetupCompleted(CLIENT_NAMES[choice], outcome);\n } else {\n log(` ${orange(\"!\")} ${CLIENT_NAMES[choice]} config path not available on this platform.`);\n printConfigSnippet(apiKey);\n trackSetupCompleted(CLIENT_NAMES[choice], \"write_error\");\n }\n }\n\n // Cursor-specific: offer to install rule (additive-only)\n if (choice === 0) {\n await offerCursorRulesInstall();\n printDeeplink(apiKey);\n }\n\n // Claude-specific: print snippet (never write to CLAUDE.md)\n if (choice === 1) {\n printClaudeSnippet();\n }\n\n log(\"\");\n log(\n ` ${green(\"✓\")} Done! Restart your AI assistant and try: ${bold('\"Start PB\"')}`,\n );\n printHelpLink();\n await shutdownAnalytics();\n}\n\nasync function writeConfig(\n client: McpClientInfo,\n apiKey: string,\n): Promise<\"config_written\" | \"config_existed\" | \"write_error\"> {\n try {\n const wrote = await writeClientConfig(client, apiKey);\n if (wrote) {\n log(` ${green(\"✓\")} Wrote config to ${dim(client.configPath)}`);\n return \"config_written\";\n } else {\n log(` ${dim(\"ℹ\")} ${client.name} already configured — skipped`);\n return \"config_existed\";\n }\n } catch (err: any) {\n log(` ${orange(\"!\")} Could not write ${client.name} config: ${err.message}`);\n printConfigSnippet(apiKey);\n return \"write_error\";\n }\n}\n\nfunction printHelpLink() {\n log(` ${dim(`Need help? See ${APP_URL}/settings/api-keys`)}`);\n log(\"\");\n}\n\nfunction printConfigSnippet(apiKey: string) {\n log(\"\");\n log(bold(\" Add this to your MCP client config:\\n\"));\n const snippet = JSON.stringify(\n {\n mcpServers: {\n \"Product Brain\": {\n command: \"npx\",\n args: [\"-y\", \"@productbrain/mcp@beta\"],\n env: { PRODUCTBRAIN_API_KEY: apiKey },\n },\n },\n },\n null,\n 2,\n );\n for (const line of snippet.split(\"\\n\")) {\n log(` ${line}`);\n }\n log(\"\");\n}\n\n// ── Cursor Rules/Skills Install (additive-only) ─────────────────────────\n\nconst CURSOR_RULE_FILENAME = \"product-brain.mdc\";\n\nconst CURSOR_RULE_CONTENT = `---\ndescription: Product Brain MCP — single source of truth for product knowledge\nglobs:\nalwaysApply: true\n---\n\n# Product Brain MCP\n\nProduct Brain is your product knowledge base. The Chain is the single source of truth.\n\nEvery entry is either a **draft** (captured but not committed) or **committed** (on the Chain, SSOT).\nCommitting to the Chain is the compounding act.\n\n## Quick Start\n\nSay **\"Start PB\"** or **\"Start Product Brain\"** to begin. This single call:\n- Orients you to the workspace (readiness, gaps, planned work)\n- Unlocks write tools for the session\n- Surfaces your next recommended action\n\n## Tool Workflow\n\n1. **Start here**: \\`orient\\` or \\`start\\` — workspace context + next action\n2. **Search**: \\`search\\` — find entries across all collections\n3. **Drill in**: \\`get-entry\\` — full record with data, labels, relations\n4. **Context**: \\`gather-context\\` — related knowledge around an entry or task\n5. **Capture**: \\`capture\\` — create a draft with auto-linking + quality score\n6. **Commit**: \\`commit-entry\\` — promote draft to SSOT (only when user confirms)\n7. **Connect**: \\`suggest-links\\` then \\`relate-entries\\` to build the graph\n\n## Bulk Knowledge Input\n\nWhen given a document or batch of knowledge to capture:\n1. Scan the input — identify all collections needed\n2. Call \\`list-collections\\` — compare against what exists\n3. Propose missing collections to the user for confirmation\n4. Call \\`create-collection\\` for each confirmed collection\n5. Then capture entries into the correct collections\n\nNever stuff entries into the wrong collection. Never silently skip knowledge.\n\n## Rules\n\n- Always capture as draft first. Only call \\`commit-entry\\` when the user confirms.\n- Use \\`suggest-links\\` after capturing to discover and create relations.\n- Collections are dynamic — use \\`create-collection\\` when the workspace needs new ones.\n- When lost, fetch \\`productbrain://orientation\\` for the full system map.\n`;\n\nfunction isCursorProject(): boolean {\n return existsSync(join(process.cwd(), \".cursor\")) || existsSync(join(process.cwd(), \".cursorignore\"));\n}\n\nasync function offerCursorRulesInstall(): Promise<void> {\n if (!isCursorProject()) return;\n\n const answer = await prompt(`\\n Install Product Brain rule for Cursor? [Y/n]: `);\n if (answer.toLowerCase() === \"n\" || answer.toLowerCase() === \"no\") {\n log(dim(\" Skipped rule install.\"));\n return;\n }\n\n const rulesDir = join(process.cwd(), \".cursor\", \"rules\");\n const rulePath = join(rulesDir, CURSOR_RULE_FILENAME);\n\n if (existsSync(rulePath)) {\n log(` ${dim(\"ℹ\")} Rule already exists at ${dim(rulePath)} — skipped`);\n return;\n }\n\n if (!existsSync(rulesDir)) {\n mkdirSync(rulesDir, { recursive: true });\n }\n\n writeFileSync(rulePath, CURSOR_RULE_CONTENT, \"utf-8\");\n log(` ${green(\"✓\")} Installed rule at ${dim(rulePath)}`);\n}\n\nfunction buildDeeplink(apiKey: string): string {\n const config = JSON.stringify({\n command: \"npx\",\n args: [\"-y\", \"@productbrain/mcp@beta\"],\n env: { PRODUCTBRAIN_API_KEY: apiKey },\n });\n const encoded = Buffer.from(config).toString(\"base64url\");\n return `cursor://anysphere.cursor-deeplink/mcp/install?name=${encodeURIComponent(\"Product Brain\")}&config=${encoded}`;\n}\n\nfunction printDeeplink(apiKey: string): void {\n const link = buildDeeplink(apiKey);\n log(\"\");\n log(` ${dim(\"One-click install for Cursor (paste in browser):\")}`);\n log(` ${link}`);\n}\n\nfunction printClaudeSnippet(): void {\n log(\"\");\n log(bold(\" For Claude Code / CLAUDE.md:\"));\n log(dim(\" Add this line to your ~/.claude/CLAUDE.md:\"));\n log(\"\");\n log(` When Product Brain MCP is available, say \"Start PB\" at the beginning`);\n log(` of each session to orient to the workspace and unlock write tools.`);\n log(` Always capture as draft first; only commit when the user confirms.`);\n log(\"\");\n}\n","/**\n * Multi-client MCP config detection and writer.\n *\n * Supports:\n * - Cursor: .cursor/mcp.json in cwd (project-level)\n * - Claude Desktop: ~/Library/Application Support/Claude/claude_desktop_config.json (macOS)\n * %APPDATA%/Claude/claude_desktop_config.json (Windows)\n *\n * The writer reads existing config, merges the new server entry (never\n * overwrites existing entries), and writes back. Falls back to printing\n * a snippet for unsupported OS or unknown formats.\n */\n\nimport { existsSync, readFileSync, writeFileSync, mkdirSync } from \"node:fs\";\nimport { join, dirname } from \"node:path\";\nimport { homedir, platform } from \"node:os\";\n\nexport interface McpClientInfo {\n name: string;\n configPath: string;\n}\n\nconst SERVER_ENTRY_KEY = \"Product Brain\";\nconst LEGACY_ENTRY_KEY = \"productbrain\";\n\nfunction buildServerEntry(apiKey: string) {\n return {\n command: \"npx\",\n args: [\"-y\", \"@productbrain/mcp@beta\"],\n env: { PRODUCTBRAIN_API_KEY: apiKey },\n };\n}\n\n// ── Detection ───────────────────────────────────────────────────────────\n\nfunction getCursorConfigPath(): string {\n return join(process.cwd(), \".cursor\", \"mcp.json\");\n}\n\nfunction getClaudeDesktopConfigPath(): string | null {\n const os = platform();\n if (os === \"darwin\") {\n return join(\n homedir(),\n \"Library\",\n \"Application Support\",\n \"Claude\",\n \"claude_desktop_config.json\",\n );\n }\n if (os === \"win32\") {\n const appData = process.env.APPDATA ?? join(homedir(), \"AppData\", \"Roaming\");\n return join(appData, \"Claude\", \"claude_desktop_config.json\");\n }\n // Linux: no official Claude Desktop location yet\n return null;\n}\n\nexport function resolveClient(name: \"Cursor\" | \"Claude Desktop\"): McpClientInfo | null {\n if (name === \"Cursor\") {\n return { name, configPath: getCursorConfigPath() };\n }\n const configPath = getClaudeDesktopConfigPath();\n return configPath ? { name, configPath } : null;\n}\n\n// ── Writing ─────────────────────────────────────────────────────────────\n\nfunction readJsonSafe(path: string): Record<string, any> {\n if (!existsSync(path)) return {};\n try {\n return JSON.parse(readFileSync(path, \"utf-8\"));\n } catch {\n return {};\n }\n}\n\n/**\n * Write or merge the Product Brain server entry into a client config file.\n * Migrates legacy \"productbrain\" key to \"Product Brain\" when present.\n * Returns true if the config was written, false if already present.\n */\nexport async function writeClientConfig(\n client: McpClientInfo,\n apiKey: string,\n): Promise<boolean> {\n const config = readJsonSafe(client.configPath);\n\n const serversKey = \"mcpServers\";\n if (!config[serversKey]) config[serversKey] = {};\n\n // Migrate legacy \"productbrain\" key or update existing Product Brain with new API key\n if (config[serversKey][LEGACY_ENTRY_KEY]) {\n const legacy = config[serversKey][LEGACY_ENTRY_KEY];\n config[serversKey][SERVER_ENTRY_KEY] = {\n ...buildServerEntry(apiKey),\n env: { ...legacy.env, PRODUCTBRAIN_API_KEY: legacy.env?.PRODUCTBRAIN_API_KEY ?? apiKey },\n };\n delete config[serversKey][LEGACY_ENTRY_KEY];\n } else {\n const existing = config[serversKey][SERVER_ENTRY_KEY];\n config[serversKey][SERVER_ENTRY_KEY] = existing\n ? { ...existing, env: { ...existing.env, PRODUCTBRAIN_API_KEY: apiKey } }\n : buildServerEntry(apiKey);\n }\n\n const dir = dirname(client.configPath);\n if (!existsSync(dir)) {\n mkdirSync(dir, { recursive: true });\n }\n\n writeFileSync(client.configPath, JSON.stringify(config, null, 2) + \"\\n\", \"utf-8\");\n return true;\n}\n"],"mappings":";;;;;;;;;AASA,SAAS,gBAAgB;AACzB,SAAS,uBAAuB;AAChC,SAAS,cAAAA,aAAY,iBAAAC,gBAAe,aAAAC,kBAAiB;AACrD,SAAS,QAAAC,aAAY;;;ACCrB,SAAS,YAAY,cAAc,eAAe,iBAAiB;AACnE,SAAS,MAAM,eAAe;AAC9B,SAAS,SAAS,gBAAgB;AAOlC,IAAM,mBAAmB;AACzB,IAAM,mBAAmB;AAEzB,SAAS,iBAAiB,QAAgB;AACxC,SAAO;AAAA,IACL,SAAS;AAAA,IACT,MAAM,CAAC,MAAM,wBAAwB;AAAA,IACrC,KAAK,EAAE,sBAAsB,OAAO;AAAA,EACtC;AACF;AAIA,SAAS,sBAA8B;AACrC,SAAO,KAAK,QAAQ,IAAI,GAAG,WAAW,UAAU;AAClD;AAEA,SAAS,6BAA4C;AACnD,QAAM,KAAK,SAAS;AACpB,MAAI,OAAO,UAAU;AACnB,WAAO;AAAA,MACL,QAAQ;AAAA,MACR;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IACF;AAAA,EACF;AACA,MAAI,OAAO,SAAS;AAClB,UAAM,UAAU,QAAQ,IAAI,WAAW,KAAK,QAAQ,GAAG,WAAW,SAAS;AAC3E,WAAO,KAAK,SAAS,UAAU,4BAA4B;AAAA,EAC7D;AAEA,SAAO;AACT;AAEO,SAAS,cAAc,MAAyD;AACrF,MAAI,SAAS,UAAU;AACrB,WAAO,EAAE,MAAM,YAAY,oBAAoB,EAAE;AAAA,EACnD;AACA,QAAM,aAAa,2BAA2B;AAC9C,SAAO,aAAa,EAAE,MAAM,WAAW,IAAI;AAC7C;AAIA,SAAS,aAAa,MAAmC;AACvD,MAAI,CAAC,WAAW,IAAI,EAAG,QAAO,CAAC;AAC/B,MAAI;AACF,WAAO,KAAK,MAAM,aAAa,MAAM,OAAO,CAAC;AAAA,EAC/C,QAAQ;AACN,WAAO,CAAC;AAAA,EACV;AACF;AAOA,eAAsB,kBACpB,QACA,QACkB;AAClB,QAAM,SAAS,aAAa,OAAO,UAAU;AAE7C,QAAM,aAAa;AACnB,MAAI,CAAC,OAAO,UAAU,EAAG,QAAO,UAAU,IAAI,CAAC;AAG/C,MAAI,OAAO,UAAU,EAAE,gBAAgB,GAAG;AACxC,UAAM,SAAS,OAAO,UAAU,EAAE,gBAAgB;AAClD,WAAO,UAAU,EAAE,gBAAgB,IAAI;AAAA,MACrC,GAAG,iBAAiB,MAAM;AAAA,MAC1B,KAAK,EAAE,GAAG,OAAO,KAAK,sBAAsB,OAAO,KAAK,wBAAwB,OAAO;AAAA,IACzF;AACA,WAAO,OAAO,UAAU,EAAE,gBAAgB;AAAA,EAC5C,OAAO;AACL,UAAM,WAAW,OAAO,UAAU,EAAE,gBAAgB;AACpD,WAAO,UAAU,EAAE,gBAAgB,IAAI,WACnC,EAAE,GAAG,UAAU,KAAK,EAAE,GAAG,SAAS,KAAK,sBAAsB,OAAO,EAAE,IACtE,iBAAiB,MAAM;AAAA,EAC7B;AAEA,QAAM,MAAM,QAAQ,OAAO,UAAU;AACrC,MAAI,CAAC,WAAW,GAAG,GAAG;AACpB,cAAU,KAAK,EAAE,WAAW,KAAK,CAAC;AAAA,EACpC;AAEA,gBAAc,OAAO,YAAY,KAAK,UAAU,QAAQ,MAAM,CAAC,IAAI,MAAM,OAAO;AAChF,SAAO;AACT;;;ADjGA,IAAM,UACJ,QAAQ,IAAI,wBAAwB;AAItC,SAAS,KAAK,GAAW;AACvB,SAAO,UAAU,CAAC;AACpB;AACA,SAAS,MAAM,GAAW;AACxB,SAAO,WAAW,CAAC;AACrB;AACA,SAAS,IAAI,GAAW;AACtB,SAAO,UAAU,CAAC;AACpB;AACA,SAAS,OAAO,GAAW;AACzB,SAAO,WAAW,CAAC;AACrB;AAEA,SAAS,IAAI,KAAa;AACxB,UAAQ,OAAO,MAAM,GAAG,GAAG;AAAA,CAAI;AACjC;AAEA,SAAS,YAAY,KAAa;AAChC,QAAMC,YAAW,QAAQ;AACzB,MAAI;AACF,QAAIA,cAAa,SAAU,UAAS,SAAS,GAAG,GAAG;AAAA,aAC1CA,cAAa,QAAS,UAAS,aAAa,GAAG,GAAG;AAAA,QACtD,UAAS,aAAa,GAAG,GAAG;AAAA,EACnC,QAAQ;AACN,QAAI,IAAI,yCAAyC,CAAC;AAClD,QAAI,6BAA6B,GAAG,EAAE;AAAA,EACxC;AACF;AAEA,SAAS,OAAO,UAAmC;AACjD,SAAO,IAAI,QAAQ,CAAC,YAAY;AAC9B,UAAM,KAAK,gBAAgB,EAAE,OAAO,QAAQ,OAAO,QAAQ,QAAQ,OAAO,CAAC;AAC3E,OAAG,SAAS,UAAU,CAAC,WAAW;AAChC,SAAG,MAAM;AACT,cAAQ,OAAO,KAAK,CAAC;AAAA,IACvB,CAAC;AAAA,EACH,CAAC;AACH;AAEA,SAAS,aAAa,UAAkB,SAAoC;AAC1E,SAAO,IAAI,QAAQ,CAAC,YAAY;AAC9B,QAAI,EAAE;AACN,QAAI,KAAK,QAAQ,CAAC;AAClB,YAAQ,QAAQ,CAAC,GAAG,MAAM,IAAI,KAAK,IAAI,CAAC,KAAK,CAAC,EAAE,CAAC;AACjD,UAAM,KAAK,gBAAgB,EAAE,OAAO,QAAQ,OAAO,QAAQ,QAAQ,OAAO,CAAC;AAC3E,OAAG,SAAS;AAAA,IAAO,IAAI,aAAa,CAAC,KAAK,CAAC,SAAS;AAClD,SAAG,MAAM;AACT,YAAM,IAAI,SAAS,KAAK,KAAK,GAAG,EAAE;AAClC,UAAI,MAAM,CAAC,KAAK,IAAI,KAAK,IAAI,QAAQ,QAAQ;AAC3C,gBAAQ,CAAC;AAAA,MACX,OAAO;AACL,gBAAQ,IAAI,CAAC;AAAA,MACf;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AACH;AAIA,IAAM,oBAAoB;AAE1B,eAAe,gBACb,QACgD;AAChD,QAAM,UAAU,QAAQ,IAAI,mBACvB,QAAQ,IAAI,oBACZ;AAEL,MAAI;AACF,UAAM,MAAM,MAAM,MAAM,GAAG,QAAQ,QAAQ,OAAO,EAAE,CAAC,YAAY;AAAA,MAC/D,QAAQ;AAAA,MACR,SAAS;AAAA,QACP,gBAAgB;AAAA,QAChB,eAAe,UAAU,MAAM;AAAA,MACjC;AAAA,MACA,MAAM,KAAK,UAAU,EAAE,IAAI,oBAAoB,MAAM,CAAC,EAAE,CAAC;AAAA,IAC3D,CAAC;AAED,QAAI,CAAC,IAAI,GAAI,QAAO;AACpB,UAAM,OAAQ,MAAM,IAAI,KAAK;AAI7B,WAAO,KAAK,QAAQ;AAAA,EACtB,QAAQ;AACN,WAAO;AAAA,EACT;AACF;AAIA,eAAsB,WAAW;AAC/B,gBAAc;AACd,oBAAkB;AAElB,MAAI,EAAE;AACN,MAAI,KAAK,YAAY,OAAO,OAAO,CAAC,QAAQ,CAAC;AAC7C,MAAI,IAAI,6CAA6C,CAAC;AAEtD,QAAM,aAAa,GAAG,OAAO;AAE7B,MAAI,KAAK,IAAI,mDAA8C,CAAC,EAAE;AAC9D,MAAI,QAAQ,IAAI,UAAU,CAAC;AAAA,CAAI;AAE/B,QAAM,UAAU,MAAM,OAAO,0CAA0C;AACvE,MAAI,QAAQ,YAAY,MAAM,OAAO,QAAQ,YAAY,MAAM,MAAM;AACnE,gBAAY,UAAU;AAAA,EACxB;AAEA,MAAI,EAAE;AACN,MAAI,KAAK,IAAI,4DAA4D,CAAC,EAAE;AAE5E,QAAM,SAAS,MAAM,OAAO,oCAAoC;AAEhE,MAAI,CAAC,UAAU,CAAC,OAAO,WAAW,QAAQ,GAAG;AAC3C,QAAI,KAAK,OAAO,GAAG,CAAC,8CAA8C;AAClE,QAAI,gBAAgB,UAAU;AAAA,CAAI;AAClC,UAAM,kBAAkB;AACxB,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,MAAI,KAAK,MAAM,QAAG,CAAC,eAAe;AAElC,QAAM,YAAY,MAAM,gBAAgB,MAAM;AAC9C,MAAI,WAAW;AACb,QAAI,KAAK,MAAM,QAAG,CAAC,4BAA4B,KAAK,UAAU,IAAI,CAAC,IAAI,IAAI,IAAI,UAAU,IAAI,GAAG,CAAC,EAAE;AAAA,EACrG,OAAO;AACL,QAAI,KAAK,OAAO,GAAG,CAAC,kDAAkD,UAAU,EAAE;AAAA,EACpF;AACA,MAAI,EAAE;AAEN,QAAM,eAAe,CAAC,UAAU,gBAAgB;AAChD,QAAM,UAAU,CAAC,GAAG,cAAc,OAAO;AAEzC,QAAM,SAAS,MAAM,aAAa,8CAA8C,OAAO;AAEvF,MAAI,WAAW,GAAG;AAChB,uBAAmB,MAAM;AACzB,wBAAoB,SAAS,eAAe;AAAA,EAC9C,OAAO;AACL,UAAM,SAAS,cAAc,aAAa,MAAM,CAAC;AACjD,QAAI,QAAQ;AACV,YAAM,UAAU,MAAM,YAAY,QAAQ,MAAM;AAChD,0BAAoB,aAAa,MAAM,GAAG,OAAO;AAAA,IACnD,OAAO;AACL,UAAI,KAAK,OAAO,GAAG,CAAC,IAAI,aAAa,MAAM,CAAC,8CAA8C;AAC1F,yBAAmB,MAAM;AACzB,0BAAoB,aAAa,MAAM,GAAG,aAAa;AAAA,IACzD;AAAA,EACF;AAGA,MAAI,WAAW,GAAG;AAChB,UAAM,wBAAwB;AAC9B,kBAAc,MAAM;AAAA,EACtB;AAGA,MAAI,WAAW,GAAG;AAChB,uBAAmB;AAAA,EACrB;AAEA,MAAI,EAAE;AACN;AAAA,IACE,KAAK,MAAM,QAAG,CAAC,6CAA6C,KAAK,YAAY,CAAC;AAAA,EAChF;AACA,gBAAc;AACd,QAAM,kBAAkB;AAC1B;AAEA,eAAe,YACb,QACA,QAC8D;AAC9D,MAAI;AACF,UAAM,QAAQ,MAAM,kBAAkB,QAAQ,MAAM;AACpD,QAAI,OAAO;AACT,UAAI,KAAK,MAAM,QAAG,CAAC,oBAAoB,IAAI,OAAO,UAAU,CAAC,EAAE;AAC/D,aAAO;AAAA,IACT,OAAO;AACL,UAAI,KAAK,IAAI,QAAG,CAAC,IAAI,OAAO,IAAI,oCAA+B;AAC/D,aAAO;AAAA,IACT;AAAA,EACF,SAAS,KAAU;AACjB,QAAI,KAAK,OAAO,GAAG,CAAC,oBAAoB,OAAO,IAAI,YAAY,IAAI,OAAO,EAAE;AAC5E,uBAAmB,MAAM;AACzB,WAAO;AAAA,EACT;AACF;AAEA,SAAS,gBAAgB;AACvB,MAAI,KAAK,IAAI,kBAAkB,OAAO,oBAAoB,CAAC,EAAE;AAC7D,MAAI,EAAE;AACR;AAEA,SAAS,mBAAmB,QAAgB;AAC1C,MAAI,EAAE;AACN,MAAI,KAAK,yCAAyC,CAAC;AACnD,QAAM,UAAU,KAAK;AAAA,IACnB;AAAA,MACE,YAAY;AAAA,QACV,iBAAiB;AAAA,UACf,SAAS;AAAA,UACT,MAAM,CAAC,MAAM,wBAAwB;AAAA,UACrC,KAAK,EAAE,sBAAsB,OAAO;AAAA,QACtC;AAAA,MACF;AAAA,IACF;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACA,aAAW,QAAQ,QAAQ,MAAM,IAAI,GAAG;AACtC,QAAI,OAAO,IAAI,EAAE;AAAA,EACnB;AACA,MAAI,EAAE;AACR;AAIA,IAAM,uBAAuB;AAE7B,IAAM,sBAAsB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAiD5B,SAAS,kBAA2B;AAClC,SAAOC,YAAWC,MAAK,QAAQ,IAAI,GAAG,SAAS,CAAC,KAAKD,YAAWC,MAAK,QAAQ,IAAI,GAAG,eAAe,CAAC;AACtG;AAEA,eAAe,0BAAyC;AACtD,MAAI,CAAC,gBAAgB,EAAG;AAExB,QAAM,SAAS,MAAM,OAAO;AAAA,iDAAoD;AAChF,MAAI,OAAO,YAAY,MAAM,OAAO,OAAO,YAAY,MAAM,MAAM;AACjE,QAAI,IAAI,yBAAyB,CAAC;AAClC;AAAA,EACF;AAEA,QAAM,WAAWA,MAAK,QAAQ,IAAI,GAAG,WAAW,OAAO;AACvD,QAAM,WAAWA,MAAK,UAAU,oBAAoB;AAEpD,MAAID,YAAW,QAAQ,GAAG;AACxB,QAAI,KAAK,IAAI,QAAG,CAAC,2BAA2B,IAAI,QAAQ,CAAC,iBAAY;AACrE;AAAA,EACF;AAEA,MAAI,CAACA,YAAW,QAAQ,GAAG;AACzB,IAAAE,WAAU,UAAU,EAAE,WAAW,KAAK,CAAC;AAAA,EACzC;AAEA,EAAAC,eAAc,UAAU,qBAAqB,OAAO;AACpD,MAAI,KAAK,MAAM,QAAG,CAAC,sBAAsB,IAAI,QAAQ,CAAC,EAAE;AAC1D;AAEA,SAAS,cAAc,QAAwB;AAC7C,QAAM,SAAS,KAAK,UAAU;AAAA,IAC5B,SAAS;AAAA,IACT,MAAM,CAAC,MAAM,wBAAwB;AAAA,IACrC,KAAK,EAAE,sBAAsB,OAAO;AAAA,EACtC,CAAC;AACD,QAAM,UAAU,OAAO,KAAK,MAAM,EAAE,SAAS,WAAW;AACxD,SAAO,uDAAuD,mBAAmB,eAAe,CAAC,WAAW,OAAO;AACrH;AAEA,SAAS,cAAc,QAAsB;AAC3C,QAAM,OAAO,cAAc,MAAM;AACjC,MAAI,EAAE;AACN,MAAI,KAAK,IAAI,kDAAkD,CAAC,EAAE;AAClE,MAAI,KAAK,IAAI,EAAE;AACjB;AAEA,SAAS,qBAA2B;AAClC,MAAI,EAAE;AACN,MAAI,KAAK,gCAAgC,CAAC;AAC1C,MAAI,IAAI,8CAA8C,CAAC;AACvD,MAAI,EAAE;AACN,MAAI,0EAA0E;AAC9E,MAAI,wEAAwE;AAC5E,MAAI,wEAAwE;AAC5E,MAAI,EAAE;AACR;","names":["existsSync","writeFileSync","mkdirSync","join","platform","existsSync","join","mkdirSync","writeFileSync"]}
@@ -0,0 +1,14 @@
1
+ import {
2
+ checkEntryQuality,
3
+ formatQualityReport,
4
+ registerSmartCaptureTools,
5
+ runContradictionCheck
6
+ } from "./chunk-CXYNWTRQ.js";
7
+ import "./chunk-XBMI6QHR.js";
8
+ export {
9
+ checkEntryQuality,
10
+ formatQualityReport,
11
+ registerSmartCaptureTools,
12
+ runContradictionCheck
13
+ };
14
+ //# sourceMappingURL=smart-capture-2N7E4OAJ.js.map
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@productbrain/mcp",
3
- "version": "0.0.1-beta.2",
3
+ "version": "0.0.1-beta.21",
4
4
  "description": "Product Brain — MCP server for AI-assisted product knowledge management",
5
5
  "type": "module",
6
6
  "engines": {
@@ -8,6 +8,7 @@
8
8
  },
9
9
  "bin": {
10
10
  "productbrain": "dist/cli/index.js",
11
+ "mcp": "dist/cli/index.js",
11
12
  "synergyos-mcp": "dist/index.js"
12
13
  },
13
14
  "files": [
@@ -18,6 +19,7 @@
18
19
  "scripts": {
19
20
  "build": "tsup",
20
21
  "start": "node dist/index.js",
22
+ "start:http": "node dist/http.js",
21
23
  "dev": "tsx src/index.ts",
22
24
  "typecheck": "tsc --noEmit",
23
25
  "prepublishOnly": "npm run build",
@@ -27,6 +29,8 @@
27
29
  "dependencies": {
28
30
  "@modelcontextprotocol/sdk": "^1.12.1",
29
31
  "convex": "^1.32.0",
32
+ "express": "^5.2.1",
33
+ "express-rate-limit": "^7.5.1",
30
34
  "posthog-node": "^5.24.17",
31
35
  "zod": "^3.23.0"
32
36
  },
@@ -1,11 +0,0 @@
1
- var __require = /* @__PURE__ */ ((x) => typeof require !== "undefined" ? require : typeof Proxy !== "undefined" ? new Proxy(x, {
2
- get: (a, b) => (typeof require !== "undefined" ? require : a)[b]
3
- }) : x)(function(x) {
4
- if (typeof require !== "undefined") return require.apply(this, arguments);
5
- throw Error('Dynamic require of "' + x + '" is not supported');
6
- });
7
-
8
- export {
9
- __require
10
- };
11
- //# sourceMappingURL=chunk-DGUM43GV.js.map