@soulcraft/brainy 0.63.0 → 1.0.0-rc.1

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/bin/brainy.js CHANGED
@@ -1,13 +1,18 @@
1
1
  #!/usr/bin/env node
2
2
 
3
3
  /**
4
- * Brainy CLI - Redesigned for Better UX
5
- * Direct commands + Augmentation system
4
+ * Brainy CLI - Cleaned Up & Beautiful
5
+ * šŸ§ āš›ļø ONE way to do everything
6
+ *
7
+ * After the Great Cleanup of 2025:
8
+ * - 5 commands total (was 40+)
9
+ * - Clear, obvious naming
10
+ * - Interactive mode for beginners
6
11
  */
7
12
 
8
13
  // @ts-ignore
9
14
  import { program } from 'commander'
10
- import { Cortex } from '../dist/cortex/cortex.js'
15
+ import { BrainyData } from '../dist/brainyData.js'
11
16
  // @ts-ignore
12
17
  import chalk from 'chalk'
13
18
  import { readFileSync } from 'fs'
@@ -15,13 +20,27 @@ import { dirname, join } from 'path'
15
20
  import { fileURLToPath } from 'url'
16
21
  import { createInterface } from 'readline'
17
22
 
18
- // Use native fetch (available in Node.js 18+)
19
-
20
23
  const __dirname = dirname(fileURLToPath(import.meta.url))
21
24
  const packageJson = JSON.parse(readFileSync(join(__dirname, '..', 'package.json'), 'utf8'))
22
25
 
23
- // Create Cortex instance
24
- const cortex = new Cortex()
26
+ // Create single BrainyData instance (the ONE data orchestrator)
27
+ let brainy = null
28
+ const getBrainy = async () => {
29
+ if (!brainy) {
30
+ brainy = new BrainyData()
31
+ await brainy.init()
32
+ }
33
+ return brainy
34
+ }
35
+
36
+ // Beautiful colors
37
+ const colors = {
38
+ primary: chalk.hex('#3A5F4A'),
39
+ success: chalk.hex('#2D4A3A'),
40
+ info: chalk.hex('#4A6B5A'),
41
+ warning: chalk.hex('#D67441'),
42
+ error: chalk.hex('#B85C35')
43
+ }
25
44
 
26
45
  // Helper functions
27
46
  const exitProcess = (code = 0) => {
@@ -34,1559 +53,1020 @@ const wrapAction = (fn) => {
34
53
  await fn(...args)
35
54
  exitProcess(0)
36
55
  } catch (error) {
37
- console.error(chalk.red('Error:'), error.message)
56
+ console.error(colors.error('Error:'), error.message)
38
57
  exitProcess(1)
39
58
  }
40
59
  }
41
60
  }
42
61
 
43
- const wrapInteractive = (fn) => {
44
- return async (...args) => {
45
- try {
46
- await fn(...args)
47
- exitProcess(0)
48
- } catch (error) {
49
- console.error(chalk.red('Error:'), error.message)
50
- exitProcess(1)
62
+ // AI Response Generation with multiple model support
63
+ async function generateAIResponse(message, brainy, options) {
64
+ const model = options.model || 'local'
65
+
66
+ // Get relevant context from user's data
67
+ const contextResults = await brainy.search(message, 5, {
68
+ includeContent: true,
69
+ scoreThreshold: 0.3
70
+ })
71
+
72
+ const context = contextResults.map(r => r.content).join('\n')
73
+ const prompt = `Based on the following context from the user's data, answer their question:
74
+
75
+ Context:
76
+ ${context}
77
+
78
+ Question: ${message}
79
+
80
+ Answer:`
81
+
82
+ switch (model) {
83
+ case 'local':
84
+ case 'ollama':
85
+ return await callOllamaModel(prompt, options)
86
+
87
+ case 'openai':
88
+ case 'gpt-3.5-turbo':
89
+ case 'gpt-4':
90
+ return await callOpenAI(prompt, options)
91
+
92
+ case 'claude':
93
+ case 'claude-3':
94
+ return await callClaude(prompt, options)
95
+
96
+ default:
97
+ return await callOllamaModel(prompt, options)
98
+ }
99
+ }
100
+
101
+ // Ollama (local) integration
102
+ async function callOllamaModel(prompt, options) {
103
+ const baseUrl = options.baseUrl || 'http://localhost:11434'
104
+ const model = options.model === 'local' ? 'llama2' : options.model
105
+
106
+ try {
107
+ const response = await fetch(`${baseUrl}/api/generate`, {
108
+ method: 'POST',
109
+ headers: { 'Content-Type': 'application/json' },
110
+ body: JSON.stringify({
111
+ model: model,
112
+ prompt: prompt,
113
+ stream: false
114
+ })
115
+ })
116
+
117
+ if (!response.ok) {
118
+ throw new Error(`Ollama error: ${response.statusText}. Make sure Ollama is running: ollama serve`)
119
+ }
120
+
121
+ const data = await response.json()
122
+ return data.response || 'No response from local model'
123
+
124
+ } catch (error) {
125
+ throw new Error(`Local model error: ${error.message}. Try: ollama run llama2`)
126
+ }
127
+ }
128
+
129
+ // OpenAI integration
130
+ async function callOpenAI(prompt, options) {
131
+ if (!options.apiKey) {
132
+ throw new Error('OpenAI API key required. Use --api-key <key> or set OPENAI_API_KEY environment variable')
133
+ }
134
+
135
+ const model = options.model === 'openai' ? 'gpt-3.5-turbo' : options.model
136
+
137
+ try {
138
+ const response = await fetch('https://api.openai.com/v1/chat/completions', {
139
+ method: 'POST',
140
+ headers: {
141
+ 'Authorization': `Bearer ${options.apiKey}`,
142
+ 'Content-Type': 'application/json'
143
+ },
144
+ body: JSON.stringify({
145
+ model: model,
146
+ messages: [{ role: 'user', content: prompt }],
147
+ max_tokens: 500
148
+ })
149
+ })
150
+
151
+ if (!response.ok) {
152
+ throw new Error(`OpenAI error: ${response.statusText}`)
153
+ }
154
+
155
+ const data = await response.json()
156
+ return data.choices[0]?.message?.content || 'No response from OpenAI'
157
+
158
+ } catch (error) {
159
+ throw new Error(`OpenAI error: ${error.message}`)
160
+ }
161
+ }
162
+
163
+ // Claude integration
164
+ async function callClaude(prompt, options) {
165
+ if (!options.apiKey) {
166
+ throw new Error('Anthropic API key required. Use --api-key <key> or set ANTHROPIC_API_KEY environment variable')
167
+ }
168
+
169
+ try {
170
+ const response = await fetch('https://api.anthropic.com/v1/messages', {
171
+ method: 'POST',
172
+ headers: {
173
+ 'x-api-key': options.apiKey,
174
+ 'Content-Type': 'application/json',
175
+ 'anthropic-version': '2023-06-01'
176
+ },
177
+ body: JSON.stringify({
178
+ model: 'claude-3-haiku-20240307',
179
+ max_tokens: 500,
180
+ messages: [{ role: 'user', content: prompt }]
181
+ })
182
+ })
183
+
184
+ if (!response.ok) {
185
+ throw new Error(`Claude error: ${response.statusText}`)
51
186
  }
187
+
188
+ const data = await response.json()
189
+ return data.content[0]?.text || 'No response from Claude'
190
+
191
+ } catch (error) {
192
+ throw new Error(`Claude error: ${error.message}`)
52
193
  }
53
194
  }
54
195
 
55
196
  // ========================================
56
- // MAIN PROGRAM SETUP
197
+ // MAIN PROGRAM - CLEAN & SIMPLE
57
198
  // ========================================
58
199
 
59
200
  program
60
201
  .name('brainy')
61
- .description('🧠 Brainy - Multi-Dimensional AI Database')
202
+ .description('šŸ§ āš›ļø Brainy - Your AI-Powered Second Brain')
62
203
  .version(packageJson.version)
63
204
 
64
205
  // ========================================
65
- // CORE DATABASE COMMANDS (Direct Access)
206
+ // THE 5 COMMANDS (ONE WAY TO DO EVERYTHING)
66
207
  // ========================================
67
208
 
209
+ // Command 0: INIT - Initialize brainy (essential setup)
68
210
  program
69
211
  .command('init')
70
- .description('Initialize Brainy in your project')
71
- .option('-s, --storage <type>', 'Storage type (filesystem, s3, r2, gcs, memory)')
72
- .option('-e, --encryption', 'Enable encryption for secrets')
212
+ .description('Initialize Brainy in current directory')
213
+ .option('-s, --storage <type>', 'Storage type (filesystem, memory, s3, r2, gcs)')
214
+ .option('-e, --encryption', 'Enable encryption for sensitive data')
215
+ .option('--s3-bucket <bucket>', 'S3 bucket name')
216
+ .option('--s3-region <region>', 'S3 region')
217
+ .option('--access-key <key>', 'Storage access key')
218
+ .option('--secret-key <key>', 'Storage secret key')
73
219
  .action(wrapAction(async (options) => {
74
- await cortex.init(options)
75
- }))
76
-
77
- program
78
- .command('add [data]')
79
- .description('šŸ”’ Add data literally (safe, no AI processing)')
80
- .option('-m, --metadata <json>', 'Metadata facets as JSON')
81
- .option('-i, --id <id>', 'Custom ID')
82
- .option('--smart', 'Enable AI processing (same as smart-add command)')
83
- .action(wrapAction(async (data, options) => {
84
- let metadata = {}
85
- if (options.metadata) {
86
- try {
87
- metadata = JSON.parse(options.metadata)
88
- } catch {
89
- console.error(chalk.red('Invalid JSON metadata'))
220
+ console.log(colors.primary('🧠 Initializing Brainy'))
221
+ console.log()
222
+
223
+ const { BrainyData } = await import('../dist/brainyData.js')
224
+
225
+ const config = {
226
+ storage: options.storage || 'filesystem',
227
+ encryption: options.encryption || false
228
+ }
229
+
230
+ // Storage-specific configuration
231
+ if (options.storage === 's3' || options.storage === 'r2' || options.storage === 'gcs') {
232
+ if (!options.accessKey || !options.secretKey) {
233
+ console.log(colors.warning('āš ļø Cloud storage requires access credentials'))
234
+ console.log(colors.info('Use: --access-key <key> --secret-key <secret>'))
235
+ console.log(colors.info('Or set environment variables: AWS_ACCESS_KEY_ID, AWS_SECRET_ACCESS_KEY'))
90
236
  process.exit(1)
91
237
  }
92
- }
93
- if (options.id) {
94
- metadata.id = options.id
238
+
239
+ config.storageOptions = {
240
+ bucket: options.s3Bucket,
241
+ region: options.s3Region || 'us-east-1',
242
+ accessKeyId: options.accessKey,
243
+ secretAccessKey: options.secretKey
244
+ }
95
245
  }
96
246
 
97
- // Use smart processing if --smart flag is provided
98
- if (options.smart) {
99
- console.log(chalk.dim('🧠 AI processing enabled'))
100
- await cortex.addSmart(data, metadata)
101
- } else {
102
- console.log(chalk.dim('šŸ”’ Literal storage (safe for secrets/API keys)'))
103
- await cortex.add(data, metadata)
247
+ try {
248
+ const brainy = new BrainyData(config)
249
+ await brainy.init()
250
+
251
+ console.log(colors.success('āœ… Brainy initialized successfully!'))
252
+ console.log(colors.info(`šŸ“ Storage: ${config.storage}`))
253
+ console.log(colors.info(`šŸ”’ Encryption: ${config.encryption ? 'Enabled' : 'Disabled'}`))
254
+
255
+ if (config.encryption) {
256
+ console.log(colors.warning('šŸ” Encryption enabled - keep your keys secure!'))
257
+ }
258
+
259
+ console.log()
260
+ console.log(colors.success('šŸš€ Ready to go! Try:'))
261
+ console.log(colors.info(' brainy add "Hello, World!"'))
262
+ console.log(colors.info(' brainy search "hello"'))
263
+
264
+ } catch (error) {
265
+ console.log(colors.error('āŒ Initialization failed:'))
266
+ console.log(colors.error(error.message))
267
+ process.exit(1)
104
268
  }
105
269
  }))
106
270
 
271
+ // Command 1: ADD - Add data (smart by default)
107
272
  program
108
- .command('smart-add [data]')
109
- .description('🧠 Add data with AI processing (Neural Import, entity detection)')
110
- .option('-m, --metadata <json>', 'Metadata facets as JSON')
111
- .option('-i, --id <id>', 'Custom ID')
273
+ .command('add [data]')
274
+ .description('Add data to your brain (smart auto-detection)')
275
+ .option('-m, --metadata <json>', 'Metadata as JSON')
276
+ .option('-i, --id <id>', 'Custom ID')
277
+ .option('--literal', 'Skip AI processing (literal storage)')
278
+ .option('--encrypt', 'Encrypt this data (for sensitive information)')
112
279
  .action(wrapAction(async (data, options) => {
280
+ if (!data) {
281
+ console.log(colors.info('🧠 Interactive add mode'))
282
+ const rl = createInterface({
283
+ input: process.stdin,
284
+ output: process.stdout
285
+ })
286
+
287
+ data = await new Promise(resolve => {
288
+ rl.question(colors.primary('What would you like to add? '), (answer) => {
289
+ rl.close()
290
+ resolve(answer)
291
+ })
292
+ })
293
+ }
294
+
113
295
  let metadata = {}
114
296
  if (options.metadata) {
115
297
  try {
116
298
  metadata = JSON.parse(options.metadata)
117
299
  } catch {
118
- console.error(chalk.red('Invalid JSON metadata'))
300
+ console.error(colors.error('Invalid JSON metadata'))
119
301
  process.exit(1)
120
302
  }
121
303
  }
122
304
  if (options.id) {
123
305
  metadata.id = options.id
124
306
  }
307
+ if (options.encrypt) {
308
+ metadata.encrypted = true
309
+ }
125
310
 
126
- console.log(chalk.dim('🧠 AI processing enabled (Neural Import + entity detection)'))
127
- await cortex.addSmart(data, metadata)
128
- }))
129
-
130
- program
131
- .command('search <query>')
132
- .description('Multi-dimensional search across vector, graph, and facets')
133
- .option('-l, --limit <number>', 'Number of results', '10')
134
- .option('-f, --filter <json>', 'Filter by metadata facets')
135
- .option('-v, --verbs <types>', 'Include related data (comma-separated)')
136
- .option('-d, --depth <number>', 'Relationship depth', '1')
137
- .action(wrapAction(async (query, options) => {
138
- const searchOptions = { limit: parseInt(options.limit) }
311
+ console.log(options.literal
312
+ ? colors.info('šŸ”’ Literal storage')
313
+ : colors.success('🧠 Smart mode (auto-detects types)')
314
+ )
139
315
 
140
- if (options.filter) {
141
- try {
142
- searchOptions.filter = JSON.parse(options.filter)
143
- } catch {
144
- console.error(chalk.red('Invalid filter JSON'))
145
- process.exit(1)
146
- }
316
+ if (options.encrypt) {
317
+ console.log(colors.warning('šŸ” Encrypting sensitive data...'))
147
318
  }
148
319
 
149
- if (options.verbs) {
150
- searchOptions.verbs = options.verbs.split(',').map(v => v.trim())
151
- searchOptions.depth = parseInt(options.depth)
320
+ const brainyInstance = await getBrainy()
321
+
322
+ // Handle encryption at data level if requested
323
+ let processedData = data
324
+ if (options.encrypt) {
325
+ processedData = await brainyInstance.encryptData(data)
326
+ metadata.encrypted = true
152
327
  }
153
328
 
154
- await cortex.search(query, searchOptions)
329
+ await brainyInstance.add(processedData, metadata, {
330
+ process: options.literal ? 'literal' : 'auto'
331
+ })
332
+ console.log(colors.success('āœ… Added successfully!'))
155
333
  }))
156
334
 
335
+ // Command 2: CHAT - Talk to your data with AI
157
336
  program
158
- .command('chat [question]')
159
- .description('🧠 Beautiful AI chat with local memory')
160
- .option('-l, --list', 'List all chat sessions')
161
- .option('-s, --search <query>', 'Search all conversations')
337
+ .command('chat [message]')
338
+ .description('AI chat with your brain data (supports local & cloud models)')
339
+ .option('-s, --session <id>', 'Use specific chat session')
340
+ .option('-n, --new', 'Start a new session')
341
+ .option('-l, --list', 'List all chat sessions')
162
342
  .option('-h, --history [limit]', 'Show conversation history (default: 10)')
163
- .option('--session <id>', 'Use specific chat session')
164
- .option('--new', 'Start a new session')
165
- .option('--role <name>', 'Agent role (premium feature preview)', 'assistant')
166
- .option('--ui <mode>', 'UI mode: terminal (default) or web (premium)', 'terminal')
167
- .action(wrapInteractive(async (question, options) => {
343
+ .option('--search <query>', 'Search all conversations')
344
+ .option('-m, --model <model>', 'LLM model (local/openai/claude/ollama)', 'local')
345
+ .option('--api-key <key>', 'API key for cloud models')
346
+ .option('--base-url <url>', 'Base URL for local models (default: http://localhost:11434)')
347
+ .action(wrapAction(async (message, options) => {
168
348
  const { BrainyData } = await import('../dist/brainyData.js')
349
+ const { BrainyChat } = await import('../dist/chat/BrainyChat.js')
169
350
 
351
+ console.log(colors.primary('šŸ§ šŸ’¬ Brainy Chat - AI-Powered Conversation with Your Data'))
352
+ console.log(colors.info('Talk to your brain using your data as context'))
353
+ console.log()
354
+
355
+ // Initialize brainy and chat
170
356
  const brainy = new BrainyData()
171
357
  await brainy.init()
358
+ const chat = new BrainyChat(brainy)
172
359
 
173
- // Handle web UI mode (premium feature)
174
- if (options.ui === 'web') {
175
- console.log(chalk.cyan('🌐 Starting Brain Cloud Coordination Interface...'))
176
- console.log()
177
-
178
- try {
179
- // Check if Brain Cloud is available
180
- const hasLicense = process.env.BRAINY_LICENSE_KEY || await checkBrainCloudAuth()
181
-
182
- if (!hasLicense) {
183
- console.log(chalk.yellow('šŸ” Brain Cloud Authentication Required'))
184
- console.log('The web coordination UI requires Brain Cloud authentication.')
185
- console.log()
186
- console.log('Get started:')
187
- console.log(' 1. ' + chalk.green('brainy cloud auth') + ' - Authenticate with Brain Cloud')
188
- console.log(' 2. ' + chalk.cyan('https://app.soulcraft.com') + ' - Sign up for Brain Cloud')
189
- console.log()
190
- console.log('Falling back to terminal chat...')
191
- console.log()
192
- options.ui = 'terminal'
193
- } else {
194
- // Import and start coordination server
195
- const { createCoordinationServer } = await import('@soulcraft/brain-cloud/coordination/server.js')
196
-
197
- const server = createCoordinationServer({
198
- brainy,
199
- port: 3001
200
- })
201
-
202
- await server.start()
203
-
204
- console.log(chalk.green('āœ… Brain Cloud coordination interface started!'))
205
- console.log()
206
- console.log('šŸ¤ Multi-agent coordination available at:')
207
- console.log(' ' + chalk.cyan('http://localhost:3001/coordination'))
208
- console.log()
209
- console.log('šŸ’” Features available:')
210
- console.log(' • Visual agent coordination')
211
- console.log(' • Real-time multi-agent handoffs')
212
- console.log(' • Session management')
213
- console.log(' • Premium Brain Cloud integration')
214
- console.log()
215
-
216
- // Try to open browser
217
- try {
218
- const { exec } = await import('child_process')
219
- const { promisify } = await import('util')
220
- const execAsync = promisify(exec)
221
-
222
- const command = process.platform === 'win32' ? 'start' :
223
- process.platform === 'darwin' ? 'open' : 'xdg-open'
224
-
225
- await execAsync(`${command} "http://localhost:3001/coordination"`)
226
- console.log(chalk.green('🌐 Opening coordination interface in your browser...'))
227
- } catch (error) {
228
- console.log(chalk.yellow('šŸ’” Copy the URL above to open in your browser'))
229
- }
230
-
231
- console.log()
232
- console.log(chalk.dim('Press Ctrl+C to stop the server'))
233
-
234
- // Keep server running
235
- process.on('SIGINT', async () => {
236
- console.log('\nšŸ›‘ Stopping coordination server...')
237
- await server.stop()
238
- process.exit(0)
239
- })
240
-
241
- // Wait indefinitely
242
- return new Promise(() => {})
243
- }
244
- } catch (error) {
245
- console.log(chalk.red('āŒ Failed to start web coordination interface:'), error.message)
246
- console.log(chalk.yellow('Falling back to terminal chat...'))
247
- console.log()
248
- options.ui = 'terminal'
360
+ // Handle different options
361
+ if (options.list) {
362
+ console.log(colors.primary('šŸ“‹ Chat Sessions'))
363
+ const sessions = await chat.getSessions(20)
364
+ if (sessions.length === 0) {
365
+ console.log(colors.warning('No chat sessions found. Start chatting to create your first session!'))
366
+ } else {
367
+ sessions.forEach((session, i) => {
368
+ console.log(colors.success(`${i + 1}. ${session.id}`))
369
+ if (session.title) console.log(colors.info(` Title: ${session.title}`))
370
+ console.log(colors.info(` Messages: ${session.messageCount}`))
371
+ console.log(colors.info(` Last active: ${session.lastMessageAt.toLocaleDateString()}`))
372
+ })
249
373
  }
374
+ return
250
375
  }
251
376
 
252
- // Terminal chat mode (default)
253
- const { ChatCLI } = await import('../dist/chat/ChatCLI.js')
254
- const chatCLI = new ChatCLI(brainy)
255
-
256
- // Handle different modes
257
- if (options.list) {
258
- await chatCLI.listSessions()
259
- } else if (options.search) {
260
- await chatCLI.searchConversations(options.search)
261
- } else if (options.history) {
262
- const limit = typeof options.history === 'string' ? parseInt(options.history) : 10
263
- await chatCLI.showHistory(limit)
264
- } else if (question) {
265
- // Single message mode
266
- await chatCLI.sendMessage(question, {
267
- sessionId: options.session,
268
- speaker: options.role
269
- })
270
- } else {
271
- // Interactive chat mode
272
- await chatCLI.startInteractiveChat({
273
- sessionId: options.session,
274
- speaker: options.role,
275
- newSession: options.new
276
- })
377
+ if (options.search) {
378
+ console.log(colors.primary(`šŸ” Searching conversations for: "${options.search}"`))
379
+ const results = await chat.searchMessages(options.search, { limit: 10 })
380
+ if (results.length === 0) {
381
+ console.log(colors.warning('No messages found'))
382
+ } else {
383
+ results.forEach((msg, i) => {
384
+ console.log(colors.success(`\n${i + 1}. [${msg.sessionId}] ${colors.info(msg.speaker)}:`))
385
+ console.log(` ${msg.content.substring(0, 200)}${msg.content.length > 200 ? '...' : ''}`)
386
+ })
387
+ }
388
+ return
277
389
  }
278
- }))
279
-
280
- program
281
- .command('stats')
282
- .description('Show database statistics and insights')
283
- .option('-d, --detailed', 'Show detailed statistics')
284
- .action(wrapAction(async (options) => {
285
- await cortex.stats(options.detailed)
286
- }))
287
-
288
- program
289
- .command('health')
290
- .description('Check system health')
291
- .option('--auto-fix', 'Automatically apply safe repairs')
292
- .action(wrapAction(async (options) => {
293
- await cortex.health(options)
294
- }))
295
-
296
- program
297
- .command('find')
298
- .description('Advanced intelligent search (interactive)')
299
- .action(wrapInteractive(async () => {
300
- await cortex.advancedSearch()
301
- }))
302
-
303
- program
304
- .command('explore [nodeId]')
305
- .description('Explore data relationships interactively')
306
- .action(wrapInteractive(async (nodeId) => {
307
- await cortex.explore(nodeId)
308
- }))
309
-
310
- program
311
- .command('backup')
312
- .description('Create database backup')
313
- .option('-c, --compress', 'Compress backup')
314
- .option('-o, --output <file>', 'Output file')
315
- .action(wrapAction(async (options) => {
316
- await cortex.backup(options)
317
- }))
318
-
319
- program
320
- .command('restore <file>')
321
- .description('Restore from backup')
322
- .action(wrapInteractive(async (file) => {
323
- await cortex.restore(file)
324
- }))
325
-
326
- // Chat commands moved to main chat command above
327
-
328
- // ========================================
329
- // BRAIN CLOUD INTEGRATION
330
- // ========================================
331
-
332
- program
333
- .command('connect')
334
- .description('Connect to Brain Cloud for AI memory')
335
- .action(wrapInteractive(async () => {
336
- console.log(chalk.cyan('\n🧠 Brain Cloud Setup'))
337
- console.log(chalk.gray('━'.repeat(40)))
338
390
 
339
- try {
340
- // Detect customer ID
341
- const customerId = await detectCustomerId()
342
-
343
- if (customerId) {
344
- console.log(chalk.green(`āœ… Found Brain Cloud: ${customerId}`))
345
- console.log('\nšŸ”§ Setting up AI memory:')
346
- console.log(chalk.yellow(' • Update configuration'))
347
- console.log(chalk.yellow(' • Add memory instructions'))
348
- console.log(chalk.yellow(' • Enable cross-session memory'))
349
-
350
- console.log(chalk.cyan('\nšŸš€ Configuring...'))
351
- await setupBrainCloudMemory(customerId)
352
- console.log(chalk.green('\nāœ… AI memory connected!'))
353
- console.log(chalk.cyan('Restart Claude Code to activate memory.'))
391
+ if (options.history) {
392
+ const limit = parseInt(options.history) || 10
393
+ console.log(colors.primary(`šŸ“œ Recent Chat History (${limit} messages)`))
394
+ const history = await chat.getHistory(limit)
395
+ if (history.length === 0) {
396
+ console.log(colors.warning('No chat history found'))
354
397
  } else {
355
- console.log(chalk.yellow('No Brain Cloud found. Setting up:'))
356
- console.log('\n1. Visit: ' + chalk.cyan('https://soulcraft.com/brain-cloud'))
357
- console.log('2. Get your Early Access license key')
358
- console.log('3. Run ' + chalk.green('brainy cloud setup') + ' for auto-configuration')
398
+ history.forEach(msg => {
399
+ const speaker = msg.speaker === 'user' ? colors.success('You') : colors.info('AI')
400
+ console.log(`${speaker}: ${msg.content}`)
401
+ console.log(colors.info(` ${msg.timestamp.toLocaleString()}`))
402
+ console.log()
403
+ })
359
404
  }
360
- } catch (error) {
361
- console.log(chalk.red('āŒ Setup failed:'), error.message)
405
+ return
362
406
  }
363
- }))
364
-
365
- // Moved to brainy cloud setup command below for better separation
366
-
367
- // ========================================
368
- // BRAIN CLOUD COMMANDS (Premium Features)
369
- // ========================================
370
-
371
- const cloud = program
372
- .command('cloud')
373
- .description('Brain Cloud premium features and management')
374
-
375
- cloud
376
- .command('setup')
377
- .description('šŸš€ Auto-setup Brain Cloud (provisions cloud instance + configures locally)')
378
- .option('--email <email>', 'Your email address')
379
- .action(wrapInteractive(async (options) => {
380
- console.log(chalk.cyan('šŸ§ ā˜ļø Brain Cloud Auto-Setup'))
381
- console.log(chalk.gray('═'.repeat(50)))
382
- console.log(chalk.yellow('Perfect for non-coders! One-click setup.\n'))
383
-
384
- try {
385
- // Step 1: Validate license
386
- await validateLicense()
407
+
408
+ // Start interactive chat or process single message
409
+ if (!message) {
410
+ console.log(colors.success('šŸŽÆ Interactive mode - type messages or "exit" to quit'))
411
+ console.log(colors.info(`Model: ${options.model}`))
412
+ console.log()
387
413
 
388
- // Step 2: Check if Brainy is installed
389
- await ensureBrainyInstalled()
414
+ // Auto-discover previous session
415
+ const session = options.new ? null : await chat.initialize()
416
+ if (session) {
417
+ console.log(colors.success(`šŸ“‹ Resumed session: ${session.id}`))
418
+ console.log()
419
+ } else {
420
+ const newSession = await chat.startNewSession()
421
+ console.log(colors.success(`šŸ†• Started new session: ${newSession.id}`))
422
+ console.log()
423
+ }
390
424
 
391
- // Step 3: Provision cloud instance
392
- const instance = await provisionCloudInstance(options.email)
425
+ // Interactive chat loop
426
+ const rl = createInterface({
427
+ input: process.stdin,
428
+ output: process.stdout,
429
+ prompt: colors.primary('You: ')
430
+ })
393
431
 
394
- // Step 4: Configure local Brainy
395
- await configureBrainy(instance)
432
+ rl.prompt()
396
433
 
397
- // Step 5: Install Brain Cloud package
398
- await installBrainCloudPackage()
434
+ rl.on('line', async (input) => {
435
+ if (input.trim().toLowerCase() === 'exit') {
436
+ console.log(colors.success('šŸ‘‹ Chat session saved to your brain!'))
437
+ rl.close()
438
+ return
439
+ }
440
+
441
+ if (input.trim()) {
442
+ // Store user message
443
+ await chat.addMessage(input.trim(), 'user')
444
+
445
+ // Generate AI response
446
+ try {
447
+ const response = await generateAIResponse(input.trim(), brainy, options)
448
+ console.log(colors.info('AI: ') + response)
449
+
450
+ // Store AI response
451
+ await chat.addMessage(response, 'assistant', { model: options.model })
452
+ console.log()
453
+ } catch (error) {
454
+ console.log(colors.error('AI Error: ') + error.message)
455
+ console.log(colors.warning('šŸ’” Tip: Try setting --model local or providing --api-key'))
456
+ console.log()
457
+ }
458
+ }
459
+
460
+ rl.prompt()
461
+ })
399
462
 
400
- // Step 6: Test connection
401
- await testConnection(instance)
463
+ rl.on('close', () => {
464
+ exitProcess(0)
465
+ })
402
466
 
403
- console.log('\nāœ… Setup Complete!')
404
- console.log(chalk.gray('═'.repeat(30)))
405
- console.log('\nYour Brain Cloud instance is ready:')
406
- console.log(`šŸ“± Dashboard: ${chalk.cyan(instance.endpoints.dashboard)}`)
407
- console.log(`šŸ”— API: ${chalk.gray(instance.endpoints.api)}`)
408
- console.log('\nšŸš€ What\'s next?')
409
- console.log('• Your AI now has persistent memory across all conversations')
410
- console.log('• All devices sync automatically to your cloud instance')
411
- console.log('• Agents coordinate seamlessly through handoffs')
412
- console.log('\nšŸ’” Try asking Claude: "Remember that I prefer TypeScript"')
413
- console.log(' Then in a new conversation: "What do you know about my preferences?"')
414
-
415
- } catch (error) {
416
- console.error('\nāŒ Setup failed:', error.message)
417
- console.log('\nšŸ†˜ Need help? Contact support@soulcraft.com')
418
- }
419
- }))
420
-
421
- cloud
422
- .command('connect [id]')
423
- .description('Connect to existing Brain Cloud instance')
424
- .action(wrapInteractive(async (id) => {
425
- if (id) {
426
- console.log(chalk.green(`āœ… Connecting to Brain Cloud instance: ${id}`))
427
- // Connect to specific instance
428
467
  } else {
429
- // Show connection instructions
430
- console.log(chalk.cyan('\nšŸ”— Brain Cloud Connection'))
431
- console.log(chalk.gray('━'.repeat(40)))
432
- console.log('\nOptions:')
433
- console.log('1. ' + chalk.green('brainy cloud setup') + ' - Auto-setup with provisioning')
434
- console.log('2. ' + chalk.green('brainy cloud connect <id>') + ' - Connect to existing instance')
435
- console.log('\nGet started: ' + chalk.cyan('https://soulcraft.com/brain-cloud'))
468
+ // Single message mode
469
+ console.log(colors.success('You: ') + message)
470
+
471
+ try {
472
+ const response = await generateAIResponse(message, brainy, options)
473
+ console.log(colors.info('AI: ') + response)
474
+
475
+ // Store conversation
476
+ await chat.addMessage(message, 'user')
477
+ await chat.addMessage(response, 'assistant', { model: options.model })
478
+
479
+ } catch (error) {
480
+ console.log(colors.error('Error: ') + error.message)
481
+ console.log(colors.info('šŸ’” Try: brainy chat --model local or provide --api-key'))
482
+ }
436
483
  }
437
484
  }))
438
485
 
439
- cloud
440
- .command('status [id]')
441
- .description('Check Brain Cloud instance status')
442
- .action(wrapInteractive(async (id) => {
443
- // Implementation moved from old cloud command
444
- console.log('Checking Brain Cloud status...')
445
- }))
446
-
447
- cloud
448
- .command('dashboard [id]')
449
- .description('Open Brain Cloud dashboard')
450
- .action(wrapInteractive(async (id) => {
451
- const dashboardUrl = id
452
- ? `https://brainy-${id}.soulcraft-brain.workers.dev/dashboard`
453
- : 'https://app.soulcraft.com'
454
-
455
- console.log(chalk.cyan(`\n🌐 Opening Brain Cloud Dashboard: ${dashboardUrl}`))
486
+ // Command 3: IMPORT - Bulk/external data
487
+ program
488
+ .command('import <source>')
489
+ .description('Import bulk data from files, URLs, or streams')
490
+ .option('-t, --type <type>', 'Source type (file, url, stream)')
491
+ .option('-c, --chunk-size <size>', 'Chunk size for large imports', '1000')
492
+ .action(wrapAction(async (source, options) => {
493
+ console.log(colors.info('šŸ“„ Starting neural import...'))
494
+ console.log(colors.info(`Source: ${source}`))
456
495
 
457
- try {
458
- const { exec } = await import('child_process')
459
- const { promisify } = await import('util')
460
- const execAsync = promisify(exec)
461
-
462
- const command = process.platform === 'win32' ? 'start' :
463
- process.platform === 'darwin' ? 'open' : 'xdg-open'
464
-
465
- await execAsync(`${command} "${dashboardUrl}"`)
466
- console.log(chalk.green('āœ… Dashboard opened!'))
467
- } catch (error) {
468
- console.log(chalk.yellow('šŸ’” Copy the URL above to open in your browser'))
496
+ // Use the unified import system from the cleanup plan
497
+ const { NeuralImport } = await import('../dist/cortex/neuralImport.js')
498
+ const importer = new NeuralImport()
499
+
500
+ const result = await importer.import(source, {
501
+ chunkSize: parseInt(options.chunkSize)
502
+ })
503
+
504
+ console.log(colors.success(`āœ… Imported ${result.count} items`))
505
+ if (result.detectedTypes) {
506
+ console.log(colors.info('šŸ” Detected types:'), result.detectedTypes)
469
507
  }
470
508
  }))
471
509
 
472
- // Legacy cloud command (for backward compatibility)
510
+ // Command 3: SEARCH - Triple-power search
473
511
  program
474
- .command('cloud-legacy [action]')
475
- .description('Legacy Brain Cloud connection (deprecated - use "brainy cloud")')
476
- .option('--connect <id>', 'Connect to existing Brain Cloud instance')
477
- .option('--export <id>', 'Export all data from Brain Cloud instance')
478
- .option('--status <id>', 'Check status of Brain Cloud instance')
479
- .option('--dashboard <id>', 'Open dashboard for Brain Cloud instance')
480
- .option('--migrate', 'Migrate between local and cloud')
481
- .action(wrapInteractive(async (action, options) => {
482
- console.log(chalk.yellow('āš ļø Deprecated: Use "brainy cloud" commands instead'))
483
- console.log(chalk.cyan('Examples:'))
484
- console.log(' brainy cloud setup')
485
- console.log(' brainy cloud connect <id>')
486
- console.log(' brainy cloud dashboard')
487
- console.log('')
488
- // For now, show connection instructions
489
- console.log(chalk.cyan('\nāš›ļø BRAIN CLOUD - AI Memory That Never Forgets'))
490
- console.log(chalk.gray('━'.repeat(50)))
512
+ .command('search <query>')
513
+ .description('Search your brain (vector + graph + facets)')
514
+ .option('-l, --limit <number>', 'Results limit', '10')
515
+ .option('-f, --filter <json>', 'Metadata filters (see "brainy fields" for available fields)')
516
+ .option('-d, --depth <number>', 'Relationship depth', '2')
517
+ .option('--fields', 'Show available filter fields and exit')
518
+ .action(wrapAction(async (query, options) => {
491
519
 
492
- if (options.connect) {
493
- console.log(chalk.green(`āœ… Connecting to Brain Cloud instance: ${options.connect}`))
520
+ // Handle --fields option
521
+ if (options.fields) {
522
+ console.log(colors.primary('šŸ” Available Filter Fields'))
523
+ console.log(colors.primary('=' .repeat(30)))
494
524
 
495
525
  try {
496
- // Test connection to Brain Cloud worker
497
- const healthUrl = `https://api.soulcraft.com/brain-cloud/health`
498
- const response = await fetch(healthUrl, {
499
- headers: { 'x-customer-id': options.connect }
500
- })
526
+ const { BrainyData } = await import('../dist/brainyData.js')
527
+ const brainy = new BrainyData()
528
+ await brainy.init()
501
529
 
502
- if (response.ok) {
503
- const data = await response.json()
504
- console.log(chalk.green(`🧠 ${data.status}`))
505
- console.log(chalk.cyan(`šŸ’« Instance: ${data.customerId}`))
506
- console.log(chalk.gray(`ā° Connected at: ${new Date(data.timestamp).toLocaleString()}`))
507
-
508
- // Test memories endpoint
509
- const memoriesResponse = await fetch(`https://api.soulcraft.com/brain-cloud/memories`, {
510
- headers: { 'x-customer-id': options.connect }
530
+ const filterFields = await brainy.getFilterFields()
531
+ if (filterFields.length > 0) {
532
+ console.log(colors.success('Available fields for --filter option:'))
533
+ filterFields.forEach(field => {
534
+ console.log(colors.info(` ${field}`))
511
535
  })
512
-
513
- if (memoriesResponse.ok) {
514
- const memoriesData = await memoriesResponse.json()
515
- console.log(chalk.yellow(`\n${memoriesData.message}`))
516
- console.log(chalk.gray('šŸ“Š Your atomic memories:'))
517
- memoriesData.memories.forEach(memory => {
518
- const time = new Date(memory.created).toLocaleString()
519
- console.log(chalk.gray(` • ${memory.content} (${time})`))
520
- })
521
- }
522
-
523
- } else {
524
- console.log(chalk.red('āŒ Could not connect to Brain Cloud'))
525
- console.log(chalk.yellow('šŸ’” Make sure you have an active instance'))
526
- console.log('\nSign up at: ' + chalk.cyan('https://app.soulcraft.com'))
527
- }
528
- } catch (error) {
529
- console.log(chalk.red('āŒ Connection failed:'), error.message)
530
- console.log('\nSign up at: ' + chalk.cyan('https://app.soulcraft.com'))
531
- }
532
- } else if (options.export) {
533
- console.log(chalk.green(`šŸ“¦ Exporting data from Brain Cloud instance: ${options.export}`))
534
-
535
- try {
536
- const response = await fetch(`https://api.soulcraft.com/brain-cloud/export`, {
537
- headers: { 'x-customer-id': options.export }
538
- })
539
-
540
- if (response.ok) {
541
- const data = await response.json()
542
- const filename = `brainy-export-${options.export}-${Date.now()}.json`
543
-
544
- // Write to file
545
- const fs = await import('fs/promises')
546
- await fs.writeFile(filename, JSON.stringify(data, null, 2))
547
-
548
- console.log(chalk.green(`āœ… Data exported to: ${filename}`))
549
- console.log(chalk.gray(`šŸ“Š Exported ${data.memories?.length || 0} memories`))
550
- } else {
551
- console.log(chalk.red('āŒ Export failed - instance not found'))
552
- }
553
- } catch (error) {
554
- console.log(chalk.red('āŒ Export error:'), error.message)
555
- }
556
- } else if (options.status) {
557
- console.log(chalk.green(`šŸ” Checking status of Brain Cloud instance: ${options.status}`))
558
-
559
- try {
560
- const response = await fetch(`https://api.soulcraft.com/brain-cloud/health`, {
561
- headers: { 'x-customer-id': options.status }
562
- })
563
-
564
- if (response.ok) {
565
- const data = await response.json()
566
- console.log(chalk.green(`āœ… Instance Status: Active`))
567
- console.log(chalk.cyan(`🧠 ${data.status}`))
568
- console.log(chalk.gray(`ā° Last check: ${new Date(data.timestamp).toLocaleString()}`))
569
-
570
- // Get memory count
571
- const memoriesResponse = await fetch(`https://api.soulcraft.com/brain-cloud/memories`, {
572
- headers: { 'x-customer-id': options.status }
573
- })
574
-
575
- if (memoriesResponse.ok) {
576
- const memoriesData = await memoriesResponse.json()
577
- console.log(chalk.yellow(`šŸ“Š Total memories: ${memoriesData.count}`))
578
- }
536
+ console.log()
537
+ console.log(colors.primary('Usage Examples:'))
538
+ console.log(colors.info(` brainy search "query" --filter '{"type":"person"}'`))
539
+ console.log(colors.info(` brainy search "query" --filter '{"category":"work","status":"active"}'`))
579
540
  } else {
580
- console.log(chalk.red('āŒ Instance not found or inactive'))
541
+ console.log(colors.warning('No indexed fields available yet.'))
542
+ console.log(colors.info('Add some data with metadata to see available fields.'))
581
543
  }
582
- } catch (error) {
583
- console.log(chalk.red('āŒ Status check failed:'), error.message)
584
- }
585
- } else if (options.dashboard) {
586
- console.log(chalk.green(`🌐 Opening dashboard for Brain Cloud instance: ${options.dashboard}`))
587
-
588
- const dashboardUrl = `https://app.soulcraft.com/dashboard.html?customer_id=${options.dashboard}`
589
- console.log(chalk.cyan(`\nšŸ”— Dashboard URL: ${dashboardUrl}`))
590
- console.log(chalk.gray('Opening in your default browser...'))
591
-
592
- try {
593
- const { exec } = await import('child_process')
594
- const { promisify } = await import('util')
595
- const execAsync = promisify(exec)
596
-
597
- // Cross-platform browser opening
598
- const command = process.platform === 'win32' ? 'start' :
599
- process.platform === 'darwin' ? 'open' : 'xdg-open'
600
544
 
601
- await execAsync(`${command} "${dashboardUrl}"`)
602
- console.log(chalk.green('āœ… Dashboard opened!'))
603
545
  } catch (error) {
604
- console.log(chalk.yellow('šŸ’” Copy the URL above to open in your browser'))
546
+ console.log(colors.error(`Error: ${error.message}`))
605
547
  }
606
- } else {
607
- console.log(chalk.yellow('šŸ“” Brain Cloud Setup'))
608
- console.log('\n1. Sign up at: ' + chalk.cyan('https://app.soulcraft.com'))
609
- console.log('2. Get your customer ID')
610
- console.log('3. Connect with: ' + chalk.green('brainy cloud --connect YOUR_ID'))
611
- console.log('\nBenefits:')
612
- console.log(' • ' + chalk.green('Never lose AI context again'))
613
- console.log(' • ' + chalk.green('Sync across all devices'))
614
- console.log(' • ' + chalk.green('Unlimited memory storage'))
615
- console.log(' • ' + chalk.green('$19/month or free trial'))
548
+ return
616
549
  }
617
- }))
618
-
619
- // ========================================
620
- // AUGMENTATION MANAGEMENT (Direct Commands)
621
- // ========================================
622
-
623
- const augment = program
624
- .command('augment')
625
- .description('Manage brain augmentations')
626
-
627
- augment
628
- .command('list')
629
- .description('List available and active augmentations')
630
- .action(wrapAction(async () => {
631
- console.log(chalk.green('āœ… Active (Built-in):'))
632
- console.log(' • neural-import')
633
- console.log(' • basic-storage')
634
- console.log('')
550
+ console.log(colors.info(`šŸ” Searching: "${query}"`))
635
551
 
636
- // Check for Brain Cloud
637
- try {
638
- await import('@soulcraft/brain-cloud')
639
- const hasLicense = process.env.BRAINY_LICENSE_KEY
640
-
641
- if (hasLicense) {
642
- console.log(chalk.cyan('āœ… Active (Premium):'))
643
- console.log(' • ai-memory')
644
- console.log(' • agent-coordinator')
645
- console.log('')
646
- }
647
- } catch {}
552
+ const searchOptions = {
553
+ limit: parseInt(options.limit),
554
+ depth: parseInt(options.depth)
555
+ }
648
556
 
649
- // Fetch from catalog API
650
- try {
651
- const response = await fetch('http://localhost:3001/api/catalog/cli')
652
- if (response.ok) {
653
- const catalog = await response.json()
654
-
655
- // Show available augmentations
656
- const available = catalog.augmentations.filter(aug => aug.status === 'available')
657
- if (available.length > 0) {
658
- console.log(chalk.cyan('🌟 Available (Brain Cloud):'))
659
- available.forEach(aug => {
660
- const popular = aug.popular ? chalk.yellow(' ⭐ Popular') : ''
661
- console.log(` • ${aug.id} - ${aug.description}${popular}`)
662
- })
663
- console.log('')
664
- }
665
-
666
- // Show coming soon
667
- const comingSoon = catalog.augmentations.filter(aug => aug.status === 'coming-soon')
668
- if (comingSoon.length > 0) {
669
- console.log(chalk.dim('šŸ“¦ Coming Soon:'))
670
- comingSoon.forEach(aug => {
671
- const eta = aug.eta ? ` (${aug.eta})` : ''
672
- console.log(chalk.dim(` • ${aug.id} - ${aug.description}${eta}`))
673
- })
674
- console.log('')
675
- }
676
- } else {
677
- throw new Error('API unavailable')
557
+ if (options.filter) {
558
+ try {
559
+ searchOptions.filter = JSON.parse(options.filter)
560
+ } catch {
561
+ console.error(colors.error('Invalid filter JSON'))
562
+ process.exit(1)
678
563
  }
679
- } catch (error) {
680
- // Fallback to static list if API is unavailable
681
- console.log(chalk.cyan('🌟 Available (Brain Cloud):'))
682
- console.log(' • ai-memory - ' + chalk.yellow('⭐ Popular') + ' - Persistent AI memory')
683
- console.log(' • agent-coordinator - ' + chalk.yellow('⭐ Popular') + ' - Multi-agent handoffs')
684
- console.log(' • notion-sync - Enterprise connector')
685
- console.log('')
686
564
  }
687
565
 
688
- console.log(chalk.dim('šŸš€ Join Early Access: https://soulcraft.com/brain-cloud'))
689
- console.log(chalk.dim('🌐 Authenticate: brainy cloud auth'))
690
- }))
691
-
692
- augment
693
- .command('activate')
694
- .description('Activate Brain Cloud with license key')
695
- .action(wrapAction(async () => {
696
- const rl = createInterface({
697
- input: process.stdin,
698
- output: process.stdout
699
- })
700
-
701
- console.log(chalk.cyan('ā˜ļø Brain Cloud Activation (Optional Premium)'))
702
- console.log('')
703
- console.log(chalk.yellow('Note: Brainy core is 100% free and fully functional!'))
704
- console.log('Brain Cloud adds optional team & sync features.')
705
- console.log('')
706
- console.log('Get Brain Cloud at: ' + chalk.green('app.soulcraft.com'))
707
- console.log('(14-day free trial available)')
708
- console.log('')
566
+ const brainyInstance = await getBrainy()
567
+ const results = await brainyInstance.search(query, searchOptions.limit || 10, searchOptions)
709
568
 
710
- rl.question('License key: ', async (key) => {
711
- if (key.startsWith('lic_')) {
712
- // Save to config
713
- const fs = await import('fs/promises')
714
- const os = await import('os')
715
- const configPath = `${os.homedir()}/.brainy`
716
-
717
- await fs.mkdir(configPath, { recursive: true })
718
- await fs.writeFile(`${configPath}/license`, key)
719
-
720
- console.log(chalk.green('āœ… License saved!'))
721
- console.log('')
722
- console.log('// Brain Cloud is NOT an npm package!')
723
- console.log('// Augmentations auto-load based on your subscription')
724
- console.log('')
725
- console.log('Next steps:')
726
- console.log(chalk.cyan(' brainy cloud auth'))
727
- console.log(chalk.gray(' # Your augmentations will auto-load'))
728
- } else {
729
- console.log(chalk.red('Invalid license key'))
730
- }
731
- rl.close()
732
- })
733
- }))
734
-
735
- augment
736
- .command('info <name>')
737
- .description('Get info about an augmentation')
738
- .action(wrapAction(async (name) => {
739
- const augmentations = {
740
- 'ai-memory': {
741
- name: 'AI Memory',
742
- description: 'Persistent memory across all AI sessions',
743
- category: 'Memory',
744
- tier: 'Premium',
745
- popular: true,
746
- example: `
747
- // AI Memory auto-loads after 'brainy cloud auth' - no imports needed!
748
-
749
- const cortex = new Cortex()
750
- cortex.register(new AIMemory())
751
-
752
- // Now your AI remembers everything
753
- await brain.add("User prefers dark mode")
754
- // This persists across sessions automatically`
755
- },
756
- 'agent-coordinator': {
757
- name: 'Agent Coordinator',
758
- description: 'Multi-agent handoffs and orchestration',
759
- category: 'Coordination',
760
- tier: 'Premium',
761
- popular: true
762
- },
763
- 'notion-sync': {
764
- name: 'Notion Sync',
765
- description: 'Bidirectional Notion database sync',
766
- category: 'Enterprise',
767
- tier: 'Premium'
768
- }
569
+ if (results.length === 0) {
570
+ console.log(colors.warning('No results found'))
571
+ return
769
572
  }
770
573
 
771
- const aug = augmentations[name]
772
- if (aug) {
773
- console.log(chalk.cyan(`šŸ“¦ ${aug.name}`) + (aug.popular ? chalk.yellow(' ⭐ Popular') : ''))
774
- console.log('')
775
- console.log(`Category: ${aug.category}`)
776
- console.log(`Tier: ${aug.tier}`)
777
- console.log(`Description: ${aug.description}`)
778
- if (aug.example) {
779
- console.log('')
780
- console.log('Example:')
781
- console.log(chalk.gray(aug.example))
574
+ console.log(colors.success(`āœ… Found ${results.length} results:`))
575
+ results.forEach((result, i) => {
576
+ console.log(colors.primary(`\n${i + 1}. ${result.content}`))
577
+ if (result.score) {
578
+ console.log(colors.info(` Relevance: ${(result.score * 100).toFixed(1)}%`))
782
579
  }
783
- } else {
784
- console.log(chalk.red(`Unknown augmentation: ${name}`))
785
- }
786
- }))
787
-
788
- program
789
- .command('install <augmentation>')
790
- .description('Install augmentation (legacy - use augment activate)')
791
- .option('-m, --mode <type>', 'Installation mode (free|premium)', 'free')
792
- .option('-c, --config <json>', 'Configuration as JSON')
793
- .action(wrapAction(async (augmentation, options) => {
794
- console.log(chalk.yellow('Note: Use "brainy augment activate" for Brain Cloud'))
795
-
796
- if (augmentation === 'brain-jar') {
797
- await cortex.brainJarInstall(options.mode)
798
- } else {
799
- // Generic augmentation install
800
- let config = {}
801
- if (options.config) {
802
- try {
803
- config = JSON.parse(options.config)
804
- } catch {
805
- console.error(chalk.red('Invalid JSON configuration'))
806
- process.exit(1)
807
- }
580
+ if (result.type) {
581
+ console.log(colors.info(` Type: ${result.type}`))
808
582
  }
809
- await cortex.addAugmentation(augmentation, undefined, config)
810
- }
811
- }))
812
-
813
- program
814
- .command('run <augmentation>')
815
- .description('Run augmentation')
816
- .option('-c, --config <json>', 'Runtime configuration as JSON')
817
- .action(wrapAction(async (augmentation, options) => {
818
- if (augmentation === 'brain-jar') {
819
- await cortex.brainJarStart(options)
820
- } else {
821
- // Generic augmentation execution
822
- const inputData = options.config ? JSON.parse(options.config) : { run: true }
823
- await cortex.executePipelineStep(augmentation, inputData)
824
- }
825
- }))
826
-
827
- program
828
- .command('status [augmentation]')
829
- .description('Show augmentation status')
830
- .action(wrapAction(async (augmentation) => {
831
- if (augmentation === 'brain-jar') {
832
- await cortex.brainJarStatus()
833
- } else if (augmentation) {
834
- // Show specific augmentation status
835
- await cortex.listAugmentations()
836
- } else {
837
- // Show all augmentation status
838
- await cortex.listAugmentations()
839
- }
840
- }))
841
-
842
- program
843
- .command('stop [augmentation]')
844
- .description('Stop augmentation')
845
- .action(wrapAction(async (augmentation) => {
846
- if (augmentation === 'brain-jar') {
847
- await cortex.brainJarStop()
848
- } else {
849
- console.log(chalk.yellow('Stop functionality for generic augmentations not yet implemented'))
850
- }
851
- }))
852
-
853
- program
854
- .command('list')
855
- .description('List installed augmentations')
856
- .option('-a, --available', 'Show available augmentations')
857
- .action(wrapAction(async (options) => {
858
- if (options.available) {
859
- console.log(chalk.green('āœ… Built-in (Free):'))
860
- console.log(' • neural-import - AI-powered data understanding')
861
- console.log(' • basic-storage - Local persistence')
862
- console.log('')
863
- console.log(chalk.cyan('🌟 Premium (Brain Cloud):'))
864
- console.log(' • ai-memory - ' + chalk.yellow('⭐ Most Popular') + ' - AI that remembers')
865
- console.log(' • agent-coordinator - ' + chalk.yellow('⭐ Most Popular') + ' - Multi-agent orchestration')
866
- console.log(' • notion-sync - Enterprise connector')
867
- console.log(' • More at app.soulcraft.com/augmentations')
868
- console.log('')
869
- console.log(chalk.dim('Sign up: app.soulcraft.com (14-day free trial)'))
870
- console.log(chalk.dim('Authenticate: brainy cloud auth'))
871
- } else {
872
- await cortex.listAugmentations()
873
- }
874
- }))
875
-
876
-
877
- // ========================================
878
- // BRAIN JAR SPECIFIC COMMANDS (Rich UX)
879
- // ========================================
880
-
881
- const brainJar = program.command('brain-jar')
882
- .description('AI coordination and collaboration')
883
-
884
- brainJar
885
- .command('install')
886
- .description('Install Brain Jar coordination')
887
- .option('-m, --mode <type>', 'Installation mode (free|premium)', 'free')
888
- .action(wrapAction(async (options) => {
889
- await cortex.brainJarInstall(options.mode)
890
- }))
891
-
892
- brainJar
893
- .command('start')
894
- .description('Start Brain Jar coordination')
895
- .option('-s, --server <url>', 'Custom server URL')
896
- .option('-n, --name <name>', 'Agent name')
897
- .option('-r, --role <role>', 'Agent role')
898
- .action(wrapAction(async (options) => {
899
- await cortex.brainJarStart(options)
900
- }))
901
-
902
- brainJar
903
- .command('dashboard')
904
- .description('Open Brain Jar dashboard')
905
- .option('-o, --open', 'Auto-open in browser', true)
906
- .action(wrapAction(async (options) => {
907
- await cortex.brainJarDashboard(options.open)
908
- }))
909
-
910
- brainJar
911
- .command('status')
912
- .description('Show Brain Jar status')
913
- .action(wrapAction(async () => {
914
- await cortex.brainJarStatus()
915
- }))
916
-
917
- brainJar
918
- .command('agents')
919
- .description('List connected agents')
920
- .action(wrapAction(async () => {
921
- await cortex.brainJarAgents()
922
- }))
923
-
924
- brainJar
925
- .command('message <text>')
926
- .description('Send message to coordination channel')
927
- .action(wrapAction(async (text) => {
928
- await cortex.brainJarMessage(text)
929
- }))
930
-
931
- brainJar
932
- .command('search <query>')
933
- .description('Search coordination history')
934
- .option('-l, --limit <number>', 'Number of results', '10')
935
- .action(wrapAction(async (query, options) => {
936
- await cortex.brainJarSearch(query, parseInt(options.limit))
937
- }))
938
-
939
- // ========================================
940
- // CONFIGURATION COMMANDS
941
- // ========================================
942
-
943
- const config = program.command('config')
944
- .description('Manage configuration')
945
-
946
- config
947
- .command('set <key> <value>')
948
- .description('Set configuration value')
949
- .option('-e, --encrypt', 'Encrypt this value')
950
- .action(wrapAction(async (key, value, options) => {
951
- await cortex.configSet(key, value, options)
952
- }))
953
-
954
- config
955
- .command('get <key>')
956
- .description('Get configuration value')
957
- .action(wrapAction(async (key) => {
958
- const value = await cortex.configGet(key)
959
- if (value) {
960
- console.log(chalk.green(`${key}: ${value}`))
961
- } else {
962
- console.log(chalk.yellow(`Key not found: ${key}`))
963
- }
964
- }))
965
-
966
- config
967
- .command('list')
968
- .description('List all configuration')
969
- .action(wrapAction(async () => {
970
- await cortex.configList()
971
- }))
972
-
973
- // ========================================
974
- // LEGACY CORTEX COMMANDS (Backward Compatibility)
975
- // ========================================
976
-
977
- const cortexCmd = program.command('cortex')
978
- .description('Legacy Cortex commands (deprecated - use direct commands)')
979
-
980
- cortexCmd
981
- .command('chat [question]')
982
- .description('Chat with your data')
983
- .action(wrapInteractive(async (question) => {
984
- console.log(chalk.yellow('āš ļø Deprecated: Use "brainy chat" instead'))
985
- await cortex.chat(question)
986
- }))
987
-
988
- cortexCmd
989
- .command('add [data]')
990
- .description('Add data')
991
- .action(wrapAction(async (data) => {
992
- console.log(chalk.yellow('āš ļø Deprecated: Use "brainy add" instead'))
993
- await cortex.add(data, {})
994
- }))
995
-
996
- // ========================================
997
- // INTERACTIVE SHELL
998
- // ========================================
999
-
1000
- program
1001
- .command('shell')
1002
- .description('Interactive Brainy shell')
1003
- .action(wrapInteractive(async () => {
1004
- console.log(chalk.cyan('🧠 Brainy Interactive Shell'))
1005
- console.log(chalk.dim('Type "help" for commands, "exit" to quit\n'))
1006
- await cortex.chat()
583
+ })
1007
584
  }))
1008
585
 
1009
- // ========================================
1010
- // AUGMENTATION CONTROL COMMANDS
1011
- // ========================================
1012
-
586
+ // Command 4: UPDATE - Update existing data
1013
587
  program
1014
- .command('augment')
1015
- .description('List all augmentations with their status')
1016
- .action(wrapAction(async () => {
1017
- const { BrainyData } = await import('../dist/brainyData.js')
1018
- const brainy = new BrainyData()
1019
- await brainy.init()
588
+ .command('update <id>')
589
+ .description('Update existing data with new content or metadata')
590
+ .option('-d, --data <data>', 'New data content')
591
+ .option('-m, --metadata <json>', 'New metadata as JSON')
592
+ .option('--no-merge', 'Replace metadata instead of merging')
593
+ .option('--no-reindex', 'Skip reindexing (faster but less accurate search)')
594
+ .option('--cascade', 'Update related verbs')
595
+ .action(wrapAction(async (id, options) => {
596
+ console.log(colors.info(`šŸ”„ Updating: "${id}"`))
1020
597
 
1021
- const augmentations = brainy.listAugmentations()
1022
-
1023
- if (augmentations.length === 0) {
1024
- console.log(chalk.yellow('No augmentations registered'))
1025
- return
598
+ if (!options.data && !options.metadata) {
599
+ console.error(colors.error('Error: Must provide --data or --metadata'))
600
+ process.exit(1)
1026
601
  }
1027
602
 
1028
- console.log(chalk.cyan('šŸ”§ Augmentations Status\n'))
1029
-
1030
- const grouped = augmentations.reduce((acc, aug) => {
1031
- if (!acc[aug.type]) acc[aug.type] = []
1032
- acc[aug.type].push(aug)
1033
- return acc
1034
- }, {})
1035
-
1036
- for (const [type, augs] of Object.entries(grouped)) {
1037
- console.log(chalk.bold(`${type.toUpperCase()}:`))
1038
- for (const aug of augs) {
1039
- const status = aug.enabled ? chalk.green('āœ… enabled') : chalk.red('āŒ disabled')
1040
- console.log(` ${aug.name} - ${status}`)
1041
- console.log(chalk.dim(` ${aug.description}`))
603
+ let metadata = undefined
604
+ if (options.metadata) {
605
+ try {
606
+ metadata = JSON.parse(options.metadata)
607
+ } catch {
608
+ console.error(colors.error('Invalid JSON metadata'))
609
+ process.exit(1)
1042
610
  }
1043
- console.log('')
1044
611
  }
1045
- }))
1046
-
1047
- program
1048
- .command('augment enable <name>')
1049
- .description('Enable an augmentation by name')
1050
- .action(wrapAction(async (name) => {
1051
- const { BrainyData } = await import('../dist/brainyData.js')
1052
- const brainy = new BrainyData()
1053
- await brainy.init()
1054
612
 
1055
- const success = brainy.enableAugmentation(name)
613
+ const brainyInstance = await getBrainy()
614
+
615
+ const success = await brainyInstance.update(id, options.data, metadata, {
616
+ merge: options.merge !== false, // Default true unless --no-merge
617
+ reindex: options.reindex !== false, // Default true unless --no-reindex
618
+ cascade: options.cascade || false
619
+ })
1056
620
 
1057
621
  if (success) {
1058
- console.log(chalk.green(`āœ… Enabled augmentation: ${name}`))
622
+ console.log(colors.success('āœ… Updated successfully!'))
623
+ if (options.cascade) {
624
+ console.log(colors.info('šŸ“Ž Related verbs updated'))
625
+ }
1059
626
  } else {
1060
- console.log(chalk.red(`āŒ Augmentation not found: ${name}`))
1061
- console.log(chalk.dim('Use "brainy augment" to see available augmentations'))
627
+ console.log(colors.error('āŒ Update failed'))
1062
628
  }
1063
629
  }))
1064
630
 
631
+ // Command 5: DELETE - Remove data (soft delete by default)
1065
632
  program
1066
- .command('augment disable <name>')
1067
- .description('Disable an augmentation by name')
1068
- .action(wrapAction(async (name) => {
1069
- const { BrainyData } = await import('../dist/brainyData.js')
1070
- const brainy = new BrainyData()
1071
- await brainy.init()
1072
-
1073
- const success = brainy.disableAugmentation(name)
633
+ .command('delete <id>')
634
+ .description('Delete data (soft delete by default, preserves indexes)')
635
+ .option('--hard', 'Permanent deletion (removes from indexes)')
636
+ .option('--cascade', 'Delete related verbs')
637
+ .option('--force', 'Force delete even if has relationships')
638
+ .action(wrapAction(async (id, options) => {
639
+ console.log(colors.info(`šŸ—‘ļø Deleting: "${id}"`))
1074
640
 
1075
- if (success) {
1076
- console.log(chalk.green(`āœ… Disabled augmentation: ${name}`))
641
+ if (options.hard) {
642
+ console.log(colors.warning('āš ļø Hard delete - data will be permanently removed'))
1077
643
  } else {
1078
- console.log(chalk.red(`āŒ Augmentation not found: ${name}`))
1079
- console.log(chalk.dim('Use "brainy augment" to see available augmentations'))
644
+ console.log(colors.info('šŸ”’ Soft delete - data marked as deleted but preserved'))
1080
645
  }
1081
- }))
1082
-
1083
- program
1084
- .command('augment status <name>')
1085
- .description('Check if an augmentation is enabled')
1086
- .action(wrapAction(async (name) => {
1087
- const { BrainyData } = await import('../dist/brainyData.js')
1088
- const brainy = new BrainyData()
1089
- await brainy.init()
1090
646
 
1091
- const enabled = brainy.isAugmentationEnabled(name)
647
+ const brainyInstance = await getBrainy()
1092
648
 
1093
- if (enabled !== undefined) {
1094
- const status = enabled ? chalk.green('āœ… enabled') : chalk.red('āŒ disabled')
1095
- console.log(`${name}: ${status}`)
1096
- } else {
1097
- console.log(chalk.red(`āŒ Augmentation not found: ${name}`))
1098
- console.log(chalk.dim('Use "brainy augment" to see available augmentations'))
649
+ try {
650
+ const success = await brainyInstance.delete(id, {
651
+ soft: !options.hard, // Soft delete unless --hard specified
652
+ cascade: options.cascade || false,
653
+ force: options.force || false
654
+ })
655
+
656
+ if (success) {
657
+ console.log(colors.success('āœ… Deleted successfully!'))
658
+ if (options.cascade) {
659
+ console.log(colors.info('šŸ“Ž Related verbs also deleted'))
660
+ }
661
+ } else {
662
+ console.log(colors.error('āŒ Delete failed'))
663
+ }
664
+ } catch (error) {
665
+ console.error(colors.error(`āŒ Delete failed: ${error.message}`))
666
+ if (error.message.includes('has relationships')) {
667
+ console.log(colors.info('šŸ’” Try: --cascade to delete relationships or --force to ignore them'))
668
+ }
1099
669
  }
1100
670
  }))
1101
671
 
1102
- // ========================================
1103
- // PARSE AND HANDLE
1104
- // ========================================
1105
-
1106
- program.parse(process.argv)
1107
-
1108
- // Show help if no command
1109
- if (!process.argv.slice(2).length) {
1110
- console.log(chalk.cyan('🧠 Brainy - Multi-Dimensional AI Database'))
1111
- console.log(chalk.gray('Vector similarity, graph relationships, metadata facets, and AI context.\n'))
1112
-
1113
- console.log(chalk.bold('Quick Start:'))
1114
- console.log(' brainy init # Initialize project')
1115
- console.log(' brainy add "some data" # Add multi-dimensional data')
1116
- console.log(' brainy search "query" # Search across all dimensions')
1117
- console.log(' brainy chat # 🧠 Magical AI chat with perfect memory')
1118
- console.log('')
1119
- console.log(chalk.bold('Chat & Memory:'))
1120
- console.log(' brainy chat # Interactive chat with local memory')
1121
- console.log(' brainy chat "question" # Single question with context')
1122
- console.log(' brainy chat --list # List all chat sessions')
1123
- console.log(' brainy chat --search "query" # Search all conversations')
1124
- console.log(' brainy chat --history # Show conversation history')
1125
- console.log(' brainy chat --ui=web # 🌐 Premium web coordination interface')
1126
- console.log('')
1127
- console.log(chalk.bold('Brain Cloud (Premium):'))
1128
- console.log(chalk.green(' brainy cloud setup # Auto-setup with provisioning'))
1129
- console.log(' brainy cloud connect <id> # Connect to existing instance')
1130
- console.log(' brainy cloud dashboard # Open Brain Cloud dashboard')
1131
- console.log('')
1132
- console.log(chalk.bold('AI Coordination:'))
1133
- console.log(' brainy install brain-jar # Install coordination')
1134
- console.log(' brainy brain-jar start # Start coordination')
1135
- console.log('')
1136
- console.log(chalk.dim('Learn more: https://soulcraft.com'))
1137
- console.log('')
1138
- program.outputHelp()
1139
- }
1140
-
1141
- // ========================================
1142
- // BRAIN CLOUD MEMORY SETUP FUNCTIONS
1143
- // ========================================
1144
-
1145
- async function checkBrainCloudAuth() {
1146
- try {
1147
- // Check for license file
1148
- const { readFile } = await import('fs/promises')
1149
- const { join } = await import('path')
1150
- const { homedir } = await import('os')
1151
-
1152
- try {
1153
- const licensePath = join(homedir(), '.brainy', 'license')
1154
- const license = await readFile(licensePath, 'utf8')
1155
- return license.trim().startsWith('lic_')
1156
- } catch {}
1157
-
1158
- // Check for existing customer ID
1159
- return await detectCustomerId() !== null
1160
- } catch {
1161
- return false
1162
- }
1163
- }
1164
-
1165
- async function detectCustomerId() {
1166
- try {
1167
- // Method 1: Check for existing brainy config
1168
- const { readFile } = await import('fs/promises')
1169
- const { join } = await import('path')
672
+ // Command 6: STATUS - Database health & info
673
+ program
674
+ .command('status')
675
+ .description('Show brain status and comprehensive statistics')
676
+ .option('-v, --verbose', 'Show raw JSON statistics')
677
+ .option('-s, --simple', 'Show only basic info')
678
+ .action(wrapAction(async (options) => {
679
+ console.log(colors.primary('🧠 Brain Status & Statistics'))
680
+ console.log(colors.primary('=' .repeat(50)))
1170
681
 
1171
682
  try {
1172
- const configPath = join(process.cwd(), 'brainy-config.json')
1173
- const config = JSON.parse(await readFile(configPath, 'utf8'))
1174
- if (config.brainCloudCustomerId) {
1175
- return config.brainCloudCustomerId
683
+ const { BrainyData } = await import('../dist/brainyData.js')
684
+ const brainy = new BrainyData()
685
+ await brainy.init()
686
+
687
+ // Get comprehensive stats
688
+ const stats = await brainy.getStatistics()
689
+ const memUsage = process.memoryUsage()
690
+
691
+ // Basic Health Status
692
+ console.log(colors.success('šŸ’š Status: Healthy'))
693
+ console.log(colors.info(`šŸš€ Version: ${packageJson.version}`))
694
+ console.log()
695
+
696
+ if (options.simple) {
697
+ console.log(colors.info(`šŸ“Š Total Items: ${stats.total || 0}`))
698
+ console.log(colors.info(`🧠 Memory: ${(memUsage.heapUsed / 1024 / 1024).toFixed(1)} MB`))
699
+ return
1176
700
  }
1177
- } catch {}
1178
-
1179
- // Method 2: Check CLAUDE.md for existing customer ID
1180
- try {
1181
- const claudePath = join(process.cwd(), 'CLAUDE.md')
1182
- const claudeContent = await readFile(claudePath, 'utf8')
1183
- const match = claudeContent.match(/customer.*?([a-z0-9-]+)/i)
1184
- if (match) return match[1]
1185
- } catch {}
1186
-
1187
- // Method 3: Test common demo IDs
1188
- const testIds = ['demo-test-auto', 'demo-test123']
1189
- for (const id of testIds) {
1190
- try {
1191
- const response = await fetch(`https://api.soulcraft.com/brain-cloud/health`, {
1192
- headers: { 'x-customer-id': id }
701
+
702
+ // Core Statistics
703
+ console.log(colors.primary('šŸ“Š Core Database Statistics'))
704
+ console.log(colors.info(` Total Items: ${colors.success(stats.total || 0)}`))
705
+ console.log(colors.info(` Nouns: ${colors.success(stats.nounCount || 0)}`))
706
+ console.log(colors.info(` Verbs (Relationships): ${colors.success(stats.verbCount || 0)}`))
707
+ console.log(colors.info(` Metadata Records: ${colors.success(stats.metadataCount || 0)}`))
708
+ console.log()
709
+
710
+ // Per-Service Breakdown (if available)
711
+ if (stats.serviceBreakdown && Object.keys(stats.serviceBreakdown).length > 0) {
712
+ console.log(colors.primary('šŸ”§ Per-Service Breakdown'))
713
+ Object.entries(stats.serviceBreakdown).forEach(([service, serviceStats]) => {
714
+ console.log(colors.info(` ${colors.success(service)}:`))
715
+ console.log(colors.info(` Nouns: ${serviceStats.nounCount}`))
716
+ console.log(colors.info(` Verbs: ${serviceStats.verbCount}`))
717
+ console.log(colors.info(` Metadata: ${serviceStats.metadataCount}`))
1193
718
  })
1194
- if (response.ok) {
1195
- return id
719
+ console.log()
720
+ }
721
+
722
+ // Storage Information
723
+ if (stats.storage) {
724
+ console.log(colors.primary('šŸ’¾ Storage Information'))
725
+ console.log(colors.info(` Type: ${colors.success(stats.storage.type || 'Unknown')}`))
726
+ if (stats.storage.size) {
727
+ const sizeInMB = (stats.storage.size / 1024 / 1024).toFixed(2)
728
+ console.log(colors.info(` Size: ${colors.success(sizeInMB)} MB`))
1196
729
  }
1197
- } catch {}
1198
- }
1199
-
1200
- return null
1201
- } catch (error) {
1202
- return null
1203
- }
1204
- }
1205
-
1206
- async function setupBrainCloudMemory(customerId) {
1207
- const { writeFile, mkdir } = await import('fs/promises')
1208
- const { join } = await import('path')
1209
-
1210
- console.log(chalk.gray('šŸ“ Setting up AI memory configuration...'))
1211
-
1212
- // 1. Create/update .claude directory and MCP config
1213
- try {
1214
- await mkdir('.claude', { recursive: true })
1215
-
1216
- const mcpConfig = {
1217
- mcpServers: {
1218
- "brain-cloud": {
1219
- command: "node",
1220
- args: ["brainy-mcp-server.js"],
1221
- env: {
1222
- CUSTOMER_ID: customerId,
1223
- BRAIN_CLOUD_URL: "https://api.soulcraft.com/brain-cloud"
730
+ if (stats.storage.location) {
731
+ console.log(colors.info(` Location: ${colors.success(stats.storage.location)}`))
732
+ }
733
+ console.log()
734
+ }
735
+
736
+ // Performance Metrics
737
+ if (stats.performance) {
738
+ console.log(colors.primary('⚔ Performance Metrics'))
739
+ if (stats.performance.avgQueryTime) {
740
+ console.log(colors.info(` Avg Query Time: ${colors.success(stats.performance.avgQueryTime.toFixed(2))} ms`))
741
+ }
742
+ if (stats.performance.totalQueries) {
743
+ console.log(colors.info(` Total Queries: ${colors.success(stats.performance.totalQueries)}`))
744
+ }
745
+ if (stats.performance.cacheHitRate) {
746
+ console.log(colors.info(` Cache Hit Rate: ${colors.success((stats.performance.cacheHitRate * 100).toFixed(1))}%`))
747
+ }
748
+ console.log()
749
+ }
750
+
751
+ // Vector Index Information
752
+ if (stats.index) {
753
+ console.log(colors.primary('šŸŽÆ Vector Index'))
754
+ console.log(colors.info(` Dimensions: ${colors.success(stats.index.dimensions || 'N/A')}`))
755
+ console.log(colors.info(` Indexed Vectors: ${colors.success(stats.index.vectorCount || 0)}`))
756
+ if (stats.index.indexSize) {
757
+ console.log(colors.info(` Index Size: ${colors.success((stats.index.indexSize / 1024 / 1024).toFixed(2))} MB`))
758
+ }
759
+ console.log()
760
+ }
761
+
762
+ // Memory Usage Breakdown
763
+ console.log(colors.primary('🧠 Memory Usage'))
764
+ console.log(colors.info(` Heap Used: ${colors.success((memUsage.heapUsed / 1024 / 1024).toFixed(1))} MB`))
765
+ console.log(colors.info(` Heap Total: ${colors.success((memUsage.heapTotal / 1024 / 1024).toFixed(1))} MB`))
766
+ console.log(colors.info(` RSS: ${colors.success((memUsage.rss / 1024 / 1024).toFixed(1))} MB`))
767
+ console.log()
768
+
769
+ // Active Augmentations
770
+ console.log(colors.primary('šŸ”Œ Active Augmentations'))
771
+ const augmentations = cortex.getAllAugmentations()
772
+ if (augmentations.length === 0) {
773
+ console.log(colors.warning(' No augmentations currently active'))
774
+ } else {
775
+ augmentations.forEach(aug => {
776
+ console.log(colors.success(` āœ… ${aug.name}`))
777
+ if (aug.description) {
778
+ console.log(colors.info(` ${aug.description}`))
779
+ }
780
+ })
781
+ }
782
+ console.log()
783
+
784
+ // Configuration Summary
785
+ if (stats.config) {
786
+ console.log(colors.primary('āš™ļø Configuration'))
787
+ Object.entries(stats.config).forEach(([key, value]) => {
788
+ // Don't show sensitive values
789
+ if (key.toLowerCase().includes('key') || key.toLowerCase().includes('secret')) {
790
+ console.log(colors.info(` ${key}: ${colors.warning('[HIDDEN]')}`))
791
+ } else {
792
+ console.log(colors.info(` ${key}: ${colors.success(value)}`))
1224
793
  }
794
+ })
795
+ console.log()
796
+ }
797
+
798
+ // Available Fields for Advanced Search
799
+ console.log(colors.primary('šŸ” Available Search Fields'))
800
+ try {
801
+ const filterFields = await brainy.getFilterFields()
802
+ if (filterFields.length > 0) {
803
+ console.log(colors.info(' Use these fields for advanced filtering:'))
804
+ filterFields.forEach(field => {
805
+ console.log(colors.success(` ${field}`))
806
+ })
807
+ console.log(colors.info('\n Example: brainy search "query" --filter \'{"type":"person"}\''))
808
+ } else {
809
+ console.log(colors.warning(' No indexed fields available yet'))
810
+ console.log(colors.info(' Add some data to see available fields'))
1225
811
  }
812
+ } catch (error) {
813
+ console.log(colors.warning(' Field discovery not available'))
814
+ }
815
+ console.log()
816
+
817
+ // Show raw JSON if verbose
818
+ if (options.verbose) {
819
+ console.log(colors.primary('šŸ“‹ Raw Statistics (JSON)'))
820
+ console.log(colors.info(JSON.stringify(stats, null, 2)))
821
+ }
822
+
823
+ } catch (error) {
824
+ console.log(colors.error('āŒ Status: Error'))
825
+ console.log(colors.error(`Error: ${error.message}`))
826
+ if (options.verbose) {
827
+ console.log(colors.error('Stack trace:'))
828
+ console.log(error.stack)
1226
829
  }
1227
830
  }
1228
-
1229
- await writeFile('.claude/mcp_servers.json', JSON.stringify(mcpConfig, null, 2))
1230
- console.log(chalk.green('āœ… MCP configuration updated'))
1231
- } catch (error) {
1232
- console.log(chalk.yellow('āš ļø Could not update MCP config:', error.message))
1233
- }
1234
-
1235
- // 2. Create/update CLAUDE.md with natural language instructions
1236
- const claudeContent = `# 🧠 I Remember Everything Now!
1237
-
1238
- Hi! I'm connected to your Brain Cloud (${customerId}) so I actually remember our conversations across sessions.
1239
-
1240
- ## Try Saying:
1241
- - "What did we build together?"
1242
- - "Remember that React project?"
1243
- - "Show me what we worked on yesterday"
1244
- - "Find my notes about APIs"
1245
- - "Search for that bug we fixed"
1246
-
1247
- ## I Can Also:
1248
- - Remember context from weeks ago
1249
- - Work with other AI assistants who share the same memory
1250
- - Keep everything synced across your devices
1251
- - Search through all our conversations
1252
-
1253
- ## Multi-AI Coordination:
1254
- When working with multiple AI assistants, we automatically coordinate:
1255
- - **Jarvis** (Backend): APIs, databases, deployment
1256
- - **Picasso** (Design): UI, themes, visual elements
1257
- - **Claude** (Planning): Coordination, architecture, strategy
1258
-
1259
- **Just talk to me normally - no commands needed!**
831
+ }))
1260
832
 
1261
- ---
1262
- *Brain Cloud Instance: ${customerId}*
1263
- *Last Updated: ${new Date().toLocaleDateString()}*
1264
- `
1265
-
1266
- try {
1267
- await writeFile('CLAUDE.md', claudeContent)
1268
- console.log(chalk.green('āœ… CLAUDE.md updated with memory instructions'))
1269
- } catch (error) {
1270
- console.log(chalk.yellow('āš ļø Could not update CLAUDE.md:', error.message))
1271
- }
1272
-
1273
- // 3. Save customer ID to brainy config
1274
- try {
1275
- const brainyConfig = {
1276
- brainCloudCustomerId: customerId,
1277
- brainCloudUrl: 'https://api.soulcraft.com/brain-cloud',
1278
- lastConnected: new Date().toISOString()
833
+ // Command 5: CONFIG - Essential configuration
834
+ program
835
+ .command('config <action> [key] [value]')
836
+ .description('Configure brainy (get, set, list)')
837
+ .action(wrapAction(async (action, key, value) => {
838
+ const configActions = {
839
+ get: async () => {
840
+ if (!key) {
841
+ console.error(colors.error('Please specify a key: brainy config get <key>'))
842
+ process.exit(1)
843
+ }
844
+ const result = await cortex.configGet(key)
845
+ console.log(colors.success(`${key}: ${result || 'not set'}`))
846
+ },
847
+ set: async () => {
848
+ if (!key || !value) {
849
+ console.error(colors.error('Usage: brainy config set <key> <value>'))
850
+ process.exit(1)
851
+ }
852
+ await cortex.configSet(key, value)
853
+ console.log(colors.success(`āœ… Set ${key} = ${value}`))
854
+ },
855
+ list: async () => {
856
+ const config = await cortex.configList()
857
+ console.log(colors.primary('šŸ”§ Current Configuration:'))
858
+ Object.entries(config).forEach(([k, v]) => {
859
+ console.log(colors.info(` ${k}: ${v}`))
860
+ })
861
+ }
1279
862
  }
1280
863
 
1281
- await writeFile('brainy-config.json', JSON.stringify(brainyConfig, null, 2))
1282
- console.log(chalk.green('āœ… Brainy configuration saved'))
1283
- } catch (error) {
1284
- console.log(chalk.yellow('āš ļø Could not save brainy config:', error.message))
1285
- }
1286
- }
1287
-
1288
- // ========================================
1289
- // AUTO-SETUP HELPER FUNCTIONS
1290
- // ========================================
1291
-
1292
- const PROVISIONING_API = 'https://provisioning.soulcraft.com'
1293
-
1294
- let spinner = null
1295
-
1296
- function startSpinner(message) {
1297
- stopSpinner()
1298
- process.stdout.write(`${message} `)
1299
-
1300
- const spinnerChars = ['ā ‹', 'ā ™', 'ā ¹', 'ā ø', 'ā ¼', 'ā “', 'ā ¦', 'ā §', 'ā ‡', 'ā ']
1301
- let i = 0
1302
-
1303
- spinner = setInterval(() => {
1304
- process.stdout.write(`\r${message} ${spinnerChars[i]}`)
1305
- i = (i + 1) % spinnerChars.length
1306
- }, 100)
1307
- }
1308
-
1309
- function stopSpinner() {
1310
- if (spinner) {
1311
- clearInterval(spinner)
1312
- spinner = null
1313
- process.stdout.write('\r')
1314
- }
1315
- }
1316
-
1317
- async function validateLicense() {
1318
- startSpinner('Validating Early Access license...')
1319
-
1320
- const licenseKey = process.env.BRAINY_LICENSE_KEY
1321
-
1322
- if (!licenseKey) {
1323
- stopSpinner()
1324
- console.log('\nāŒ No license key found')
1325
- console.log('\nšŸ”‘ Please set your Early Access license key:')
1326
- console.log(' export BRAINY_LICENSE_KEY="lic_early_access_your_key"')
1327
- console.log('\nšŸ“ Don\'t have a key? Get one free at: https://soulcraft.com/brain-cloud')
1328
- throw new Error('License key required')
1329
- }
1330
-
1331
- if (!licenseKey.startsWith('lic_early_access_')) {
1332
- stopSpinner()
1333
- throw new Error('Invalid license key format. Early Access keys start with "lic_early_access_"')
1334
- }
1335
-
1336
- stopSpinner()
1337
- console.log('āœ… License validated')
1338
- }
1339
-
1340
- async function ensureBrainyInstalled() {
1341
- startSpinner('Checking Brainy installation...')
1342
-
1343
- try {
1344
- const { exec } = await import('child_process')
1345
- const { promisify } = await import('util')
1346
- const execAsync = promisify(exec)
1347
-
1348
- await execAsync('brainy --version')
1349
- stopSpinner()
1350
- console.log('āœ… Brainy CLI found')
1351
- } catch (error) {
1352
- stopSpinner()
1353
- console.log('šŸ“¦ Installing Brainy CLI...')
1354
-
1355
- try {
1356
- await execWithProgress('npm install -g @soulcraft/brainy')
1357
- console.log('āœ… Brainy CLI installed')
1358
- } catch (installError) {
1359
- throw new Error('Failed to install Brainy CLI. Please install manually: npm install -g @soulcraft/brainy')
864
+ if (configActions[action]) {
865
+ await configActions[action]()
866
+ } else {
867
+ console.error(colors.error('Valid actions: get, set, list'))
868
+ process.exit(1)
1360
869
  }
1361
- }
1362
- }
1363
-
1364
- async function provisionCloudInstance(userEmail) {
1365
- const licenseKey = process.env.BRAINY_LICENSE_KEY
1366
- startSpinner('Provisioning your cloud Brainy instance...')
870
+ }))
1367
871
 
1368
- try {
1369
- const response = await fetch(`${PROVISIONING_API}/provision`, {
1370
- method: 'POST',
1371
- headers: {
1372
- 'Content-Type': 'application/json'
872
+ // Command 6: CLOUD - Premium features connection
873
+ program
874
+ .command('cloud <action>')
875
+ .description('Connect to Brain Cloud premium features')
876
+ .option('-i, --instance <id>', 'Brain Cloud instance ID')
877
+ .action(wrapAction(async (action, options) => {
878
+ console.log(colors.primary('ā˜ļø Brain Cloud Premium Features'))
879
+
880
+ const cloudActions = {
881
+ connect: async () => {
882
+ console.log(colors.info('šŸ”— Connecting to Brain Cloud...'))
883
+ // Dynamic import to avoid loading premium code unnecessarily
884
+ try {
885
+ const { BrainCloudSDK } = await import('@brainy-cloud/sdk')
886
+ const connected = await BrainCloudSDK.connect(options.instance)
887
+ if (connected) {
888
+ console.log(colors.success('āœ… Connected to Brain Cloud'))
889
+ console.log(colors.info(`Instance: ${connected.instanceId}`))
890
+ }
891
+ } catch (error) {
892
+ console.log(colors.warning('āš ļø Brain Cloud SDK not installed'))
893
+ console.log(colors.info('Install with: npm install @brainy-cloud/sdk'))
894
+ console.log(colors.info('Or visit: https://brain-cloud.soulcraft.com'))
895
+ }
1373
896
  },
1374
- body: JSON.stringify({
1375
- licenseKey,
1376
- userEmail: userEmail || 'user@example.com'
1377
- })
1378
- })
1379
-
1380
- if (!response.ok) {
1381
- const error = await response.json()
1382
- throw new Error(error.message || 'Provisioning failed')
897
+ status: async () => {
898
+ try {
899
+ const { BrainCloudSDK } = await import('@brainy-cloud/sdk')
900
+ const status = await BrainCloudSDK.getStatus()
901
+ console.log(colors.success('ā˜ļø Cloud Status: Connected'))
902
+ console.log(colors.info(`Instance: ${status.instanceId}`))
903
+ console.log(colors.info(`Augmentations: ${status.augmentationCount} available`))
904
+ } catch {
905
+ console.log(colors.warning('ā˜ļø Cloud Status: Not connected'))
906
+ console.log(colors.info('Use "brainy cloud connect" to connect'))
907
+ }
908
+ },
909
+ augmentations: async () => {
910
+ try {
911
+ const { BrainCloudSDK } = await import('@brainy-cloud/sdk')
912
+ const augs = await BrainCloudSDK.listAugmentations()
913
+ console.log(colors.primary('🧩 Available Premium Augmentations:'))
914
+ augs.forEach(aug => {
915
+ console.log(colors.success(` āœ… ${aug.name} - ${aug.description}`))
916
+ })
917
+ } catch {
918
+ console.log(colors.warning('Connect to Brain Cloud first: brainy cloud connect'))
919
+ }
920
+ }
1383
921
  }
1384
-
1385
- const result = await response.json()
1386
- stopSpinner()
1387
922
 
1388
- if (result.instance.status === 'active') {
1389
- console.log('āœ… Cloud instance already active')
1390
- return result.instance
923
+ if (cloudActions[action]) {
924
+ await cloudActions[action]()
925
+ } else {
926
+ console.log(colors.error('Valid actions: connect, status, augmentations'))
927
+ console.log(colors.info('Example: brainy cloud connect --instance demo-test-auto'))
1391
928
  }
929
+ }))
1392
930
 
1393
- console.log('šŸš€ Provisioning started (2-3 minutes)')
1394
-
1395
- // Wait for provisioning to complete
1396
- return await waitForProvisioning(licenseKey)
1397
-
1398
- } catch (error) {
1399
- stopSpinner()
1400
- throw new Error(`Provisioning failed: ${error.message}`)
1401
- }
1402
- }
1403
-
1404
- async function waitForProvisioning(licenseKey) {
1405
- const maxWaitTime = 5 * 60 * 1000 // 5 minutes
1406
- const checkInterval = 15 * 1000 // 15 seconds
1407
- const startTime = Date.now()
1408
-
1409
- while (Date.now() - startTime < maxWaitTime) {
1410
- startSpinner('Waiting for cloud instance to be ready...')
931
+ // Command 7: MIGRATE - Migration tools
932
+ program
933
+ .command('migrate <action>')
934
+ .description('Migration tools for upgrades')
935
+ .option('-f, --from <version>', 'Migrate from version')
936
+ .option('-b, --backup', 'Create backup before migration')
937
+ .action(wrapAction(async (action, options) => {
938
+ console.log(colors.primary('šŸ”„ Brainy Migration Tools'))
1411
939
 
1412
- try {
1413
- const response = await fetch(`${PROVISIONING_API}/status?licenseKey=${encodeURIComponent(licenseKey)}`)
1414
-
1415
- if (response.ok) {
1416
- const result = await response.json()
940
+ const migrateActions = {
941
+ check: async () => {
942
+ console.log(colors.info('šŸ” Checking for migration needs...'))
943
+ // Check for deprecated methods, old config, etc.
944
+ const issues = []
1417
945
 
1418
- if (result.instance.status === 'active') {
1419
- stopSpinner()
1420
- console.log('āœ… Cloud instance is ready')
1421
- return result.instance
946
+ try {
947
+ const { BrainyData } = await import('../dist/brainyData.js')
948
+ const brainy = new BrainyData()
949
+
950
+ // Check for old API usage
951
+ console.log(colors.success('āœ… No migration issues found'))
952
+ } catch (error) {
953
+ console.log(colors.warning(`āš ļø Found issues: ${error.message}`))
1422
954
  }
1423
-
1424
- if (result.instance.status === 'failed') {
1425
- stopSpinner()
1426
- throw new Error('Instance provisioning failed')
955
+ },
956
+ backup: async () => {
957
+ console.log(colors.info('šŸ’¾ Creating backup...'))
958
+ const { BrainyData } = await import('../dist/brainyData.js')
959
+ const brainy = new BrainyData()
960
+ const backup = await brainy.createBackup()
961
+ console.log(colors.success(`āœ… Backup created: ${backup.path}`))
962
+ },
963
+ restore: async () => {
964
+ if (!options.from) {
965
+ console.error(colors.error('Please specify backup file: --from <path>'))
966
+ process.exit(1)
1427
967
  }
968
+ console.log(colors.info(`šŸ“„ Restoring from: ${options.from}`))
969
+ const { BrainyData } = await import('../dist/brainyData.js')
970
+ const brainy = new BrainyData()
971
+ await brainy.restoreBackup(options.from)
972
+ console.log(colors.success('āœ… Restore complete'))
1428
973
  }
1429
-
1430
- stopSpinner()
1431
- await new Promise(resolve => setTimeout(resolve, checkInterval))
1432
-
1433
- } catch (error) {
1434
- stopSpinner()
1435
- console.log('ā³ Still provisioning...')
1436
- await new Promise(resolve => setTimeout(resolve, checkInterval))
1437
- }
1438
- }
1439
-
1440
- throw new Error('Provisioning timeout. Please check your dashboard or contact support.')
1441
- }
1442
-
1443
- async function configureBrainy(instance) {
1444
- const { writeFile, mkdir } = await import('fs/promises')
1445
- const { join } = await import('path')
1446
- const { homedir } = await import('os')
1447
- const { existsSync } = await import('fs')
1448
-
1449
- startSpinner('Configuring local Brainy to use cloud instance...')
1450
-
1451
- // Ensure config directory exists
1452
- const BRAINY_CONFIG_DIR = join(homedir(), '.brainy')
1453
- const BRAINY_CONFIG_FILE = join(BRAINY_CONFIG_DIR, 'config.json')
1454
-
1455
- if (!existsSync(BRAINY_CONFIG_DIR)) {
1456
- await mkdir(BRAINY_CONFIG_DIR, { recursive: true })
1457
- }
1458
-
1459
- // Create or update Brainy config
1460
- let config = {}
1461
- if (existsSync(BRAINY_CONFIG_FILE)) {
1462
- try {
1463
- const { readFile } = await import('fs/promises')
1464
- const existing = await readFile(BRAINY_CONFIG_FILE, 'utf8')
1465
- config = JSON.parse(existing)
1466
- } catch (error) {
1467
- console.log('āš ļø Could not read existing config, creating new one')
1468
974
  }
1469
- }
1470
-
1471
- // Update config with cloud instance details
1472
- config.cloudSync = {
1473
- enabled: true,
1474
- endpoint: instance.endpoints.api,
1475
- instanceId: instance.id,
1476
- licenseKey: process.env.BRAINY_LICENSE_KEY
1477
- }
1478
-
1479
- config.aiMemory = {
1480
- enabled: true,
1481
- storage: 'cloud',
1482
- endpoint: instance.endpoints.api
1483
- }
1484
-
1485
- config.agentCoordination = {
1486
- enabled: true,
1487
- endpoint: instance.endpoints.api
1488
- }
1489
-
1490
- await writeFile(BRAINY_CONFIG_FILE, JSON.stringify(config, null, 2))
1491
-
1492
- stopSpinner()
1493
- console.log('āœ… Local Brainy configured for cloud sync')
1494
- }
1495
-
1496
- async function installBrainCloudPackage() {
1497
- startSpinner('Installing Brain Cloud augmentations...')
1498
-
1499
- try {
1500
- const { existsSync } = await import('fs')
1501
-
1502
- // Check if we're in a project directory
1503
- const hasPackageJson = existsSync('package.json')
1504
975
 
1505
- if (hasPackageJson) {
1506
- // Auto-configured with 'brainy cloud auth' - no package installation needed!
1507
- console.log('āœ… Brain Cloud package installed in current project')
976
+ if (migrateActions[action]) {
977
+ await migrateActions[action]()
1508
978
  } else {
1509
- // Install globally for non-project usage
1510
- console.log('āœ… Run \'brainy cloud auth\' to authenticate and auto-configure')
1511
- console.log('āœ… Brain Cloud package installed globally')
979
+ console.log(colors.error('Valid actions: check, backup, restore'))
980
+ console.log(colors.info('Example: brainy migrate check'))
1512
981
  }
982
+ }))
1513
983
 
1514
- } catch (error) {
1515
- stopSpinner()
1516
- console.log('āš ļø Could not auto-install Brain Cloud package')
1517
- console.log(' Authenticate manually: brainy cloud auth')
1518
- // Don't throw error, this is optional
1519
- }
1520
- }
1521
-
1522
- async function testConnection(instance) {
1523
- startSpinner('Testing cloud connection...')
1524
-
1525
- try {
1526
- const response = await fetch(`${instance.endpoints.api}/health`)
1527
-
1528
- if (response.ok) {
1529
- const health = await response.json()
1530
- stopSpinner()
1531
- console.log('āœ… Cloud instance connection verified')
1532
-
1533
- // Test memory storage
1534
- const testMemory = {
1535
- content: 'Test memory from auto-setup',
1536
- source: 'brain-cloud-setup',
1537
- importance: 'low',
1538
- tags: ['setup', 'test']
1539
- }
1540
-
1541
- const memoryResponse = await fetch(`${instance.endpoints.api}/api/memories`, {
1542
- method: 'POST',
1543
- headers: { 'Content-Type': 'application/json' },
1544
- body: JSON.stringify(testMemory)
1545
- })
1546
-
1547
- if (memoryResponse.ok) {
1548
- console.log('āœ… Memory storage working')
1549
- }
1550
-
1551
- } else {
1552
- stopSpinner()
1553
- console.log('āš ļø Cloud instance not responding yet (this is normal)')
1554
- console.log(' Your instance may need a few more minutes to fully initialize')
984
+ // Command 8: HELP - Interactive guidance
985
+ program
986
+ .command('help [command]')
987
+ .description('Get help or enter interactive mode')
988
+ .action(wrapAction(async (command) => {
989
+ if (command) {
990
+ program.help()
991
+ return
1555
992
  }
1556
- } catch (error) {
1557
- stopSpinner()
1558
- console.log('āš ļø Could not test connection (this is usually fine)')
1559
- }
1560
- }
1561
-
1562
- async function execWithProgress(command) {
1563
- const { spawn } = await import('child_process')
1564
-
1565
- return new Promise((resolve, reject) => {
1566
- const child = spawn('sh', ['-c', command], {
1567
- stdio: ['inherit', 'pipe', 'pipe'],
1568
- shell: true
993
+
994
+ // Interactive mode for beginners
995
+ console.log(colors.primary('šŸ§ āš›ļø Welcome to Brainy!'))
996
+ console.log(colors.info('Your AI-powered second brain'))
997
+ console.log()
998
+
999
+ const rl = createInterface({
1000
+ input: process.stdin,
1001
+ output: process.stdout
1569
1002
  })
1570
-
1571
- let stdout = ''
1572
- let stderr = ''
1573
-
1574
- child.stdout?.on('data', (data) => {
1575
- stdout += data.toString()
1576
- process.stdout.write('.')
1003
+
1004
+ console.log(colors.primary('What would you like to do?'))
1005
+ console.log(colors.info('1. Add some data'))
1006
+ console.log(colors.info('2. Chat with AI using your data'))
1007
+ console.log(colors.info('3. Search your brain'))
1008
+ console.log(colors.info('4. Update existing data'))
1009
+ console.log(colors.info('5. Delete data'))
1010
+ console.log(colors.info('6. Import a file'))
1011
+ console.log(colors.info('7. Check status'))
1012
+ console.log(colors.info('8. Connect to Brain Cloud'))
1013
+ console.log(colors.info('9. Configuration'))
1014
+ console.log(colors.info('10. Show all commands'))
1015
+ console.log()
1016
+
1017
+ const choice = await new Promise(resolve => {
1018
+ rl.question(colors.primary('Enter your choice (1-10): '), (answer) => {
1019
+ rl.close()
1020
+ resolve(answer)
1021
+ })
1577
1022
  })
1023
+
1024
+ switch (choice) {
1025
+ case '1':
1026
+ console.log(colors.success('\n🧠 Use: brainy add "your data here"'))
1027
+ console.log(colors.info('Example: brainy add "John works at Google"'))
1028
+ break
1029
+ case '2':
1030
+ console.log(colors.success('\nšŸ’¬ Use: brainy chat "your question"'))
1031
+ console.log(colors.info('Example: brainy chat "Tell me about my data"'))
1032
+ console.log(colors.info('Supports: local (Ollama), OpenAI, Claude'))
1033
+ break
1034
+ case '3':
1035
+ console.log(colors.success('\nšŸ” Use: brainy search "your query"'))
1036
+ console.log(colors.info('Example: brainy search "Google employees"'))
1037
+ break
1038
+ case '4':
1039
+ console.log(colors.success('\nšŸ“„ Use: brainy import <file-or-url>'))
1040
+ console.log(colors.info('Example: brainy import data.txt'))
1041
+ break
1042
+ case '5':
1043
+ console.log(colors.success('\nšŸ“Š Use: brainy status'))
1044
+ console.log(colors.info('Shows comprehensive brain statistics'))
1045
+ console.log(colors.info('Options: --simple (quick) or --verbose (detailed)'))
1046
+ break
1047
+ case '6':
1048
+ console.log(colors.success('\nā˜ļø Use: brainy cloud connect'))
1049
+ console.log(colors.info('Example: brainy cloud connect --instance demo-test-auto'))
1050
+ break
1051
+ case '7':
1052
+ console.log(colors.success('\nšŸ”§ Use: brainy config <action>'))
1053
+ console.log(colors.info('Example: brainy config list'))
1054
+ break
1055
+ case '8':
1056
+ program.help()
1057
+ break
1058
+ default:
1059
+ console.log(colors.warning('Invalid choice. Use "brainy --help" for all commands.'))
1060
+ }
1061
+ }))
1578
1062
 
1579
- child.stderr?.on('data', (data) => {
1580
- stderr += data.toString()
1581
- })
1063
+ // ========================================
1064
+ // FALLBACK - Show interactive help if no command
1065
+ // ========================================
1582
1066
 
1583
- child.on('close', (code) => {
1584
- process.stdout.write('\n')
1585
- if (code === 0) {
1586
- resolve(stdout)
1587
- } else {
1588
- reject(new Error(stderr || `Command failed with code ${code}`))
1589
- }
1590
- })
1591
- })
1067
+ // If no arguments provided, show interactive help
1068
+ if (process.argv.length === 2) {
1069
+ program.parse(['node', 'brainy', 'help'])
1070
+ } else {
1071
+ program.parse(process.argv)
1592
1072
  }