@soulcraft/brainy 0.62.3 → 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.
Files changed (36) hide show
  1. package/README.md +3 -3
  2. package/bin/brainy.js +903 -1153
  3. package/dist/augmentationPipeline.d.ts +60 -0
  4. package/dist/augmentationPipeline.js +94 -0
  5. package/dist/augmentations/{cortexSense.d.ts → neuralImport.d.ts} +14 -11
  6. package/dist/augmentations/{cortexSense.js → neuralImport.js} +14 -11
  7. package/dist/brainyData.d.ts +199 -18
  8. package/dist/brainyData.js +601 -18
  9. package/dist/chat/BrainyChat.d.ts +113 -0
  10. package/dist/chat/BrainyChat.js +368 -0
  11. package/dist/chat/ChatCLI.d.ts +61 -0
  12. package/dist/chat/ChatCLI.js +351 -0
  13. package/dist/connectors/interfaces/IConnector.d.ts +3 -3
  14. package/dist/connectors/interfaces/IConnector.js +1 -1
  15. package/dist/cortex/neuralImport.js +1 -3
  16. package/dist/index.d.ts +4 -6
  17. package/dist/index.js +6 -7
  18. package/dist/pipeline.d.ts +15 -271
  19. package/dist/pipeline.js +25 -586
  20. package/dist/shared/default-augmentations.d.ts +3 -3
  21. package/dist/shared/default-augmentations.js +10 -10
  22. package/package.json +3 -1
  23. package/dist/chat/brainyChat.d.ts +0 -42
  24. package/dist/chat/brainyChat.js +0 -340
  25. package/dist/cortex/cliWrapper.d.ts +0 -32
  26. package/dist/cortex/cliWrapper.js +0 -209
  27. package/dist/cortex/cortex-legacy.d.ts +0 -264
  28. package/dist/cortex/cortex-legacy.js +0 -2463
  29. package/dist/cortex/cortex.d.ts +0 -264
  30. package/dist/cortex/cortex.js +0 -2463
  31. package/dist/cortex/serviceIntegration.d.ts +0 -156
  32. package/dist/cortex/serviceIntegration.js +0 -384
  33. package/dist/sequentialPipeline.d.ts +0 -113
  34. package/dist/sequentialPipeline.js +0 -417
  35. package/dist/utils/modelLoader.d.ts +0 -12
  36. package/dist/utils/modelLoader.js +0 -88
@@ -0,0 +1,351 @@
1
+ /**
2
+ * ChatCLI - Command Line Interface for BrainyChat
3
+ *
4
+ * Provides a magical chat experience through the Brainy CLI with:
5
+ * - Auto-discovery of previous sessions
6
+ * - Intelligent context loading
7
+ * - Multi-agent coordination support
8
+ * - Premium memory sync integration
9
+ */
10
+ import { BrainyChat } from './BrainyChat.js';
11
+ // Simple color utility without external dependencies
12
+ const colors = {
13
+ cyan: (text) => `\x1b[36m${text}\x1b[0m`,
14
+ green: (text) => `\x1b[32m${text}\x1b[0m`,
15
+ yellow: (text) => `\x1b[33m${text}\x1b[0m`,
16
+ blue: (text) => `\x1b[34m${text}\x1b[0m`,
17
+ gray: (text) => `\x1b[90m${text}\x1b[0m`,
18
+ red: (text) => `\x1b[31m${text}\x1b[0m`
19
+ };
20
+ export class ChatCLI {
21
+ constructor(brainy) {
22
+ this.brainy = brainy;
23
+ this.brainyChat = new BrainyChat(brainy);
24
+ }
25
+ /**
26
+ * Start an interactive chat session
27
+ * Automatically discovers and loads previous context
28
+ */
29
+ async startInteractiveChat(options) {
30
+ console.log(colors.cyan('🧠 Brainy Chat - Local Memory & Intelligence'));
31
+ console.log();
32
+ let session = null;
33
+ if (options?.sessionId) {
34
+ // Load specific session
35
+ session = await this.brainyChat.switchToSession(options.sessionId);
36
+ if (session) {
37
+ console.log(colors.green(`📂 Loaded session: ${session.title || session.id}`));
38
+ console.log(colors.gray(` Created: ${session.createdAt.toLocaleDateString()}`));
39
+ console.log(colors.gray(` Messages: ${session.messageCount}`));
40
+ }
41
+ else {
42
+ console.log(colors.yellow(`⚠️ Session ${options.sessionId} not found, starting new session`));
43
+ }
44
+ }
45
+ else if (!options?.newSession) {
46
+ // Auto-discover last session
47
+ console.log(colors.gray('🔍 Looking for your last conversation...'));
48
+ session = await this.brainyChat.initialize();
49
+ if (session) {
50
+ console.log(colors.green(`✨ Found your last session: ${session.title || 'Untitled'}`));
51
+ console.log(colors.gray(` Last active: ${session.lastMessageAt.toLocaleString()}`));
52
+ console.log(colors.gray(` Messages: ${session.messageCount}`));
53
+ // Show recent context if memory option is enabled
54
+ if (options?.memory !== false) {
55
+ await this.showRecentContext();
56
+ }
57
+ }
58
+ else {
59
+ console.log(colors.blue('🆕 No previous sessions found, starting fresh!'));
60
+ }
61
+ }
62
+ if (!session) {
63
+ session = await this.brainyChat.startNewSession(`Chat ${new Date().toLocaleDateString()}`, ['user', options?.speaker || 'assistant']);
64
+ console.log(colors.green(`🎉 Started new session: ${session.id}`));
65
+ }
66
+ console.log();
67
+ console.log(colors.gray('💡 Tips:'));
68
+ console.log(colors.gray(' - Type /history to see conversation history'));
69
+ console.log(colors.gray(' - Type /search <query> to search all conversations'));
70
+ console.log(colors.gray(' - Type /sessions to list all sessions'));
71
+ console.log(colors.gray(' - Type /help for more commands'));
72
+ console.log(colors.gray(' - Type /quit to exit'));
73
+ console.log();
74
+ console.log(colors.blue('🚀 Want multi-agent coordination? Try: brainy cloud auth'));
75
+ console.log();
76
+ // Start interactive loop
77
+ await this.interactiveLoop(options?.speaker || 'assistant');
78
+ }
79
+ /**
80
+ * Send a single message and get response
81
+ */
82
+ async sendMessage(message, options) {
83
+ if (options?.sessionId) {
84
+ await this.brainyChat.switchToSession(options.sessionId);
85
+ }
86
+ // Add user message
87
+ const userMessage = await this.brainyChat.addMessage(message, 'user');
88
+ console.log(colors.blue(`👤 You: ${message}`));
89
+ if (options?.noResponse) {
90
+ return [userMessage];
91
+ }
92
+ // For CLI usage, we'd integrate with whatever AI service is configured
93
+ // This is a placeholder showing the architecture
94
+ const response = await this.generateResponse(message, options?.speaker || 'assistant');
95
+ const assistantMessage = await this.brainyChat.addMessage(response, options?.speaker || 'assistant', {
96
+ model: 'claude-3-sonnet',
97
+ context: { userMessage: userMessage.id }
98
+ });
99
+ console.log(colors.green(`🤖 ${options?.speaker || 'Assistant'}: ${response}`));
100
+ return [userMessage, assistantMessage];
101
+ }
102
+ /**
103
+ * Show conversation history
104
+ */
105
+ async showHistory(limit = 10) {
106
+ const messages = await this.brainyChat.getHistory(limit);
107
+ if (messages.length === 0) {
108
+ console.log(colors.yellow('📭 No messages in current session'));
109
+ return;
110
+ }
111
+ console.log(colors.cyan(`📜 Last ${Math.min(limit, messages.length)} messages:`));
112
+ console.log();
113
+ for (const message of messages.slice(-limit)) {
114
+ const timestamp = message.timestamp.toLocaleTimeString();
115
+ const speakerColor = message.speaker === 'user' ? colors.blue : colors.green;
116
+ const icon = message.speaker === 'user' ? '👤' : '🤖';
117
+ console.log(speakerColor(`${icon} ${message.speaker} (${timestamp}):`));
118
+ console.log(colors.gray(` ${message.content}`));
119
+ console.log();
120
+ }
121
+ }
122
+ /**
123
+ * Search across all conversations
124
+ */
125
+ async searchConversations(query, options) {
126
+ console.log(colors.cyan(`🔍 Searching for: "${query}"`));
127
+ const results = await this.brainyChat.searchMessages(query, {
128
+ limit: options?.limit || 10,
129
+ sessionId: options?.sessionId,
130
+ semanticSearch: options?.semantic !== false
131
+ });
132
+ if (results.length === 0) {
133
+ console.log(colors.yellow('🤷 No matching messages found'));
134
+ return;
135
+ }
136
+ console.log(colors.green(`✨ Found ${results.length} matches:`));
137
+ console.log();
138
+ for (const message of results) {
139
+ const date = message.timestamp.toLocaleDateString();
140
+ const time = message.timestamp.toLocaleTimeString();
141
+ const speakerColor = message.speaker === 'user' ? colors.blue : colors.green;
142
+ const icon = message.speaker === 'user' ? '👤' : '🤖';
143
+ console.log(colors.gray(`📅 ${date} ${time} - Session: ${message.sessionId.substring(0, 8)}...`));
144
+ console.log(speakerColor(`${icon} ${message.speaker}: ${message.content}`));
145
+ console.log();
146
+ }
147
+ }
148
+ /**
149
+ * List all chat sessions
150
+ */
151
+ async listSessions() {
152
+ const sessions = await this.brainyChat.getSessions();
153
+ if (sessions.length === 0) {
154
+ console.log(colors.yellow('📭 No chat sessions found'));
155
+ return;
156
+ }
157
+ console.log(colors.cyan(`💬 Your chat sessions (${sessions.length}):`));
158
+ console.log();
159
+ for (const session of sessions) {
160
+ const isActive = session.id === this.brainyChat.getCurrentSessionId();
161
+ const activeIndicator = isActive ? colors.green(' ● ACTIVE') : '';
162
+ const archived = session.metadata?.archived ? colors.gray(' [ARCHIVED]') : '';
163
+ console.log(colors.blue(`📂 ${session.title || 'Untitled'}${activeIndicator}${archived}`));
164
+ console.log(colors.gray(` ID: ${session.id}`));
165
+ console.log(colors.gray(` Created: ${session.createdAt.toLocaleDateString()}`));
166
+ console.log(colors.gray(` Last active: ${session.lastMessageAt.toLocaleDateString()}`));
167
+ console.log(colors.gray(` Messages: ${session.messageCount}`));
168
+ console.log(colors.gray(` Participants: ${session.participants.join(', ')}`));
169
+ console.log();
170
+ }
171
+ }
172
+ /**
173
+ * Switch to a different session
174
+ */
175
+ async switchSession(sessionId) {
176
+ const session = await this.brainyChat.switchToSession(sessionId);
177
+ if (session) {
178
+ console.log(colors.green(`✅ Switched to session: ${session.title || session.id}`));
179
+ console.log(colors.gray(` Messages: ${session.messageCount}`));
180
+ console.log(colors.gray(` Last active: ${session.lastMessageAt.toLocaleString()}`));
181
+ }
182
+ else {
183
+ console.log(colors.red(`❌ Session ${sessionId} not found`));
184
+ }
185
+ }
186
+ /**
187
+ * Show help for chat commands
188
+ */
189
+ showHelp() {
190
+ console.log(colors.cyan('🧠 Brainy Chat Commands:'));
191
+ console.log();
192
+ console.log(colors.blue('Basic Commands:'));
193
+ console.log(' /history [limit] - Show conversation history (default: 10 messages)');
194
+ console.log(' /search <query> - Search all conversations');
195
+ console.log(' /sessions - List all chat sessions');
196
+ console.log(' /switch <id> - Switch to a specific session');
197
+ console.log(' /new - Start a new session');
198
+ console.log(' /help - Show this help');
199
+ console.log(' /quit - Exit chat');
200
+ console.log();
201
+ console.log(colors.yellow('Local Features:'));
202
+ console.log(' ✨ Automatic session discovery');
203
+ console.log(' 🧠 Local memory across all conversations');
204
+ console.log(' 🔍 Semantic search using vector similarity');
205
+ console.log(' 📊 Standard noun/verb graph relationships');
206
+ console.log();
207
+ console.log(colors.green('Want More? Premium Features:'));
208
+ console.log(' 🤝 Multi-agent coordination');
209
+ console.log(' ☁️ Cross-device memory sync');
210
+ console.log(' 🎨 Rich web coordination UI');
211
+ console.log(' 🔄 Real-time team collaboration');
212
+ console.log();
213
+ console.log(colors.blue('Get premium: brainy cloud auth'));
214
+ console.log();
215
+ }
216
+ // Private methods
217
+ async interactiveLoop(assistantSpeaker = 'assistant') {
218
+ const readline = require('readline');
219
+ const rl = readline.createInterface({
220
+ input: process.stdin,
221
+ output: process.stdout
222
+ });
223
+ const askQuestion = () => {
224
+ return new Promise((resolve) => {
225
+ rl.question(colors.blue('💬 You: '), resolve);
226
+ });
227
+ };
228
+ while (true) {
229
+ try {
230
+ const input = await askQuestion();
231
+ if (input.trim() === '')
232
+ continue;
233
+ // Handle commands
234
+ if (input.startsWith('/')) {
235
+ const [command, ...args] = input.slice(1).split(' ');
236
+ switch (command.toLowerCase()) {
237
+ case 'quit':
238
+ case 'exit':
239
+ console.log(colors.cyan('👋 Thanks for chatting! Your conversation is saved.'));
240
+ rl.close();
241
+ return;
242
+ case 'history':
243
+ const limit = args[0] ? parseInt(args[0]) : 10;
244
+ await this.showHistory(limit);
245
+ break;
246
+ case 'search':
247
+ if (args.length === 0) {
248
+ console.log(colors.yellow('Usage: /search <query>'));
249
+ }
250
+ else {
251
+ await this.searchConversations(args.join(' '));
252
+ }
253
+ break;
254
+ case 'sessions':
255
+ await this.listSessions();
256
+ break;
257
+ case 'switch':
258
+ if (args.length === 0) {
259
+ console.log(colors.yellow('Usage: /switch <session-id>'));
260
+ }
261
+ else {
262
+ await this.switchSession(args[0]);
263
+ }
264
+ break;
265
+ case 'new':
266
+ const newSession = await this.brainyChat.startNewSession(`Chat ${new Date().toLocaleDateString()}`);
267
+ console.log(colors.green(`🆕 Started new session: ${newSession.id}`));
268
+ break;
269
+ case 'archive':
270
+ const sessionToArchive = args[0] || this.brainyChat.getCurrentSessionId();
271
+ if (sessionToArchive) {
272
+ try {
273
+ await this.brainyChat.archiveSession(sessionToArchive);
274
+ console.log(colors.green(`📁 Session archived: ${sessionToArchive}`));
275
+ }
276
+ catch (error) {
277
+ console.log(colors.red(`❌ ${error?.message}`));
278
+ }
279
+ }
280
+ else {
281
+ console.log(colors.yellow('No session to archive'));
282
+ }
283
+ break;
284
+ case 'summary':
285
+ const sessionToSummarize = args[0] || this.brainyChat.getCurrentSessionId();
286
+ if (sessionToSummarize) {
287
+ try {
288
+ const summary = await this.brainyChat.generateSessionSummary(sessionToSummarize);
289
+ if (summary) {
290
+ console.log(colors.green('📋 Session Summary:'));
291
+ console.log(colors.gray(summary));
292
+ }
293
+ else {
294
+ console.log(colors.yellow('No summary could be generated'));
295
+ }
296
+ }
297
+ catch (error) {
298
+ console.log(colors.red(`❌ ${error?.message}`));
299
+ }
300
+ }
301
+ else {
302
+ console.log(colors.yellow('No session to summarize'));
303
+ }
304
+ break;
305
+ case 'help':
306
+ this.showHelp();
307
+ break;
308
+ default:
309
+ console.log(colors.yellow(`Unknown command: ${command}`));
310
+ console.log(colors.gray('Type /help for available commands'));
311
+ }
312
+ }
313
+ else {
314
+ // Regular message
315
+ await this.sendMessage(input, { speaker: assistantSpeaker });
316
+ }
317
+ console.log();
318
+ }
319
+ catch (error) {
320
+ console.error(colors.red(`Error: ${error?.message}`));
321
+ }
322
+ }
323
+ }
324
+ async showRecentContext(limit = 3) {
325
+ const recentMessages = await this.brainyChat.getHistory(limit);
326
+ if (recentMessages.length > 0) {
327
+ console.log(colors.gray('💭 Recent context:'));
328
+ for (const msg of recentMessages.slice(-limit)) {
329
+ const preview = msg.content.length > 60
330
+ ? msg.content.substring(0, 60) + '...'
331
+ : msg.content;
332
+ console.log(colors.gray(` ${msg.speaker}: ${preview}`));
333
+ }
334
+ console.log();
335
+ }
336
+ }
337
+ async generateResponse(message, speaker) {
338
+ // This is a placeholder for AI integration
339
+ // In a real implementation, this would call the configured AI service
340
+ // and could include multi-agent coordination
341
+ // Example responses for demonstration
342
+ const responses = [
343
+ "I remember our conversation and can help with that!",
344
+ "Based on our previous discussions, I think...",
345
+ "Let me search through our chat history for relevant context.",
346
+ "I can coordinate with other AI agents if needed for this task."
347
+ ];
348
+ return responses[Math.floor(Math.random() * responses.length)];
349
+ }
350
+ }
351
+ //# sourceMappingURL=ChatCLI.js.map
@@ -1,13 +1,13 @@
1
1
  /**
2
2
  * Brainy Connector Interface - Atomic Age Integration Framework
3
3
  *
4
- * 🧠 Base interface for all premium connectors in the Quantum Vault
4
+ * 🧠 Base interface for all premium connectors in Brain Cloud
5
5
  * ⚛️ Open source interface, implementations are premium-only
6
6
  */
7
7
  export interface ConnectorConfig {
8
8
  /** Connector identifier (e.g., 'notion', 'salesforce') */
9
9
  connectorId: string;
10
- /** Premium license key (required for Quantum Vault connectors) */
10
+ /** Premium license key (required for Brain Cloud connectors) */
11
11
  licenseKey: string;
12
12
  /** API credentials for the external service */
13
13
  credentials: {
@@ -84,7 +84,7 @@ export interface ConnectorStatus {
84
84
  /**
85
85
  * Base interface for all Brainy premium connectors
86
86
  *
87
- * Implementations live in the Quantum Vault (brainy-quantum-vault)
87
+ * Implementations auto-load with Brain Cloud subscription after auth
88
88
  */
89
89
  export interface IConnector {
90
90
  /** Unique connector identifier */
@@ -1,7 +1,7 @@
1
1
  /**
2
2
  * Brainy Connector Interface - Atomic Age Integration Framework
3
3
  *
4
- * 🧠 Base interface for all premium connectors in the Quantum Vault
4
+ * 🧠 Base interface for all premium connectors in Brain Cloud
5
5
  * ⚛️ Open source interface, implementations are premium-only
6
6
  */
7
7
  export {};
@@ -585,9 +585,7 @@ export class NeuralImport {
585
585
  }
586
586
  // Add relationships to Brainy
587
587
  for (const relationship of result.detectedRelationships) {
588
- await this.brainy.addVerb(relationship.sourceId, relationship.targetId, undefined, // no custom vector
589
- {
590
- type: relationship.verbType,
588
+ await this.brainy.addVerb(relationship.sourceId, relationship.targetId, relationship.verbType, {
591
589
  weight: relationship.weight,
592
590
  metadata: {
593
591
  confidence: relationship.confidence,
package/dist/index.d.ts CHANGED
@@ -19,9 +19,8 @@ export { euclideanDistance, cosineDistance, manhattanDistance, dotProductDistanc
19
19
  import { UniversalSentenceEncoder, TransformerEmbedding, createEmbeddingFunction, defaultEmbeddingFunction, batchEmbed, embeddingFunctions } from './utils/embedding.js';
20
20
  import { executeInThread, cleanupWorkerPools } from './utils/workerUtils.js';
21
21
  import { logger, LogLevel, configureLogger, createModuleLogger } from './utils/logger.js';
22
- import { BrainyChat, ChatOptions } from './chat/brainyChat.js';
22
+ import { BrainyChat } from './chat/BrainyChat.js';
23
23
  export { BrainyChat };
24
- export type { ChatOptions };
25
24
  import { getGlobalSocketManager, AdaptiveSocketManager } from './utils/adaptiveSocketManager.js';
26
25
  import { getGlobalBackpressure, AdaptiveBackpressure } from './utils/adaptiveBackpressure.js';
27
26
  import { getGlobalPerformanceMonitor, PerformanceMonitor } from './utils/performanceMonitor.js';
@@ -30,11 +29,10 @@ export { UniversalSentenceEncoder, TransformerEmbedding, createEmbeddingFunction
30
29
  import { OPFSStorage, MemoryStorage, R2Storage, S3CompatibleStorage, createStorage } from './storage/storageFactory.js';
31
30
  export { OPFSStorage, MemoryStorage, R2Storage, S3CompatibleStorage, createStorage };
32
31
  export { FileSystemStorage } from './storage/adapters/fileSystemStorage.js';
33
- import { Pipeline, pipeline, augmentationPipeline, ExecutionMode, PipelineOptions, PipelineResult, executeStreamlined, executeByType, executeSingle, processStaticData, processStreamingData, createPipeline, createStreamingPipeline, StreamlinedExecutionMode, StreamlinedPipelineOptions, StreamlinedPipelineResult } from './pipeline.js';
34
- import { SequentialPipeline, sequentialPipeline, SequentialPipelineOptions } from './sequentialPipeline.js';
32
+ import { Pipeline, pipeline, augmentationPipeline, ExecutionMode, PipelineOptions, PipelineResult, createPipeline, createStreamingPipeline, StreamlinedExecutionMode, StreamlinedPipelineOptions, StreamlinedPipelineResult } from './pipeline.js';
35
33
  import { createSenseAugmentation, addWebSocketSupport, executeAugmentation, loadAugmentationModule, AugmentationOptions } from './augmentationFactory.js';
36
- export { Pipeline, pipeline, augmentationPipeline, ExecutionMode, SequentialPipeline, sequentialPipeline, executeStreamlined, executeByType, executeSingle, processStaticData, processStreamingData, createPipeline, createStreamingPipeline, StreamlinedExecutionMode, createSenseAugmentation, addWebSocketSupport, executeAugmentation, loadAugmentationModule };
37
- export type { PipelineOptions, PipelineResult, SequentialPipelineOptions, StreamlinedPipelineOptions, StreamlinedPipelineResult, AugmentationOptions };
34
+ export { Pipeline, pipeline, augmentationPipeline, ExecutionMode, createPipeline, createStreamingPipeline, StreamlinedExecutionMode, createSenseAugmentation, addWebSocketSupport, executeAugmentation, loadAugmentationModule };
35
+ export type { PipelineOptions, PipelineResult, StreamlinedPipelineOptions, StreamlinedPipelineResult, AugmentationOptions };
38
36
  import { availableAugmentations, registerAugmentation, initializeAugmentationPipeline, setAugmentationEnabled, getAugmentationsByType } from './augmentationRegistry.js';
39
37
  export { availableAugmentations, registerAugmentation, initializeAugmentationPipeline, setAugmentationEnabled, getAugmentationsByType };
40
38
  import { loadAugmentationsFromModules, createAugmentationRegistryPlugin, createAugmentationRegistryRollupPlugin } from './augmentationRegistryLoader.js';
package/dist/index.js CHANGED
@@ -26,7 +26,7 @@ import { executeInThread, cleanupWorkerPools } from './utils/workerUtils.js';
26
26
  // Export logging utilities
27
27
  import { logger, LogLevel, configureLogger, createModuleLogger } from './utils/logger.js';
28
28
  // Export BrainyChat for conversational AI
29
- import { BrainyChat } from './chat/brainyChat.js';
29
+ import { BrainyChat } from './chat/BrainyChat.js';
30
30
  export { BrainyChat };
31
31
  // Export Cortex CLI functionality - commented out for core MIT build
32
32
  // export { Cortex } from './cortex/cortex.js'
@@ -51,16 +51,15 @@ export { OPFSStorage, MemoryStorage, R2Storage, S3CompatibleStorage, createStora
51
51
  // FileSystemStorage is exported separately to avoid browser build issues
52
52
  export { FileSystemStorage } from './storage/adapters/fileSystemStorage.js';
53
53
  // Export unified pipeline
54
- import { Pipeline, pipeline, augmentationPipeline, ExecutionMode, executeStreamlined, executeByType, executeSingle, processStaticData, processStreamingData, createPipeline, createStreamingPipeline, StreamlinedExecutionMode } from './pipeline.js';
55
- // Export sequential pipeline (for backward compatibility)
56
- import { SequentialPipeline, sequentialPipeline } from './sequentialPipeline.js';
54
+ import { Pipeline, pipeline, augmentationPipeline, ExecutionMode, createPipeline, createStreamingPipeline, StreamlinedExecutionMode } from './pipeline.js';
55
+ // Sequential pipeline removed - use unified pipeline instead
57
56
  // Export augmentation factory
58
57
  import { createSenseAugmentation, addWebSocketSupport, executeAugmentation, loadAugmentationModule } from './augmentationFactory.js';
59
58
  export {
60
59
  // Unified pipeline exports
61
- Pipeline, pipeline, augmentationPipeline, ExecutionMode, SequentialPipeline, sequentialPipeline,
62
- // Streamlined pipeline exports (now part of unified pipeline)
63
- executeStreamlined, executeByType, executeSingle, processStaticData, processStreamingData, createPipeline, createStreamingPipeline, StreamlinedExecutionMode,
60
+ Pipeline, pipeline, augmentationPipeline, ExecutionMode,
61
+ // Factory functions
62
+ createPipeline, createStreamingPipeline, StreamlinedExecutionMode,
64
63
  // Augmentation factory exports
65
64
  createSenseAugmentation, addWebSocketSupport, executeAugmentation, loadAugmentationModule };
66
65
  // Export augmentation registry for build-time loading