@axiom-lattice/core 2.1.38 → 2.1.39

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/dist/index.d.mts CHANGED
@@ -1,4 +1,6 @@
1
+ import * as _langchain_core_messages from '@langchain/core/messages';
1
2
  import { BaseMessage } from '@langchain/core/messages';
3
+ export { HumanMessage } from '@langchain/core/messages';
2
4
  import { ZodType } from 'zod/v3';
3
5
  import { $ZodType } from 'zod/v4/core';
4
6
  import { BaseChatModel, BaseChatModelCallOptions } from '@langchain/core/language_models/chat_models';
@@ -15,7 +17,8 @@ import z, { z as z$1 } from 'zod';
15
17
  import { SandboxClient } from '@agent-infra/sandbox';
16
18
  import * as _langchain_core_tools from '@langchain/core/tools';
17
19
  import { StructuredTool } from '@langchain/core/tools';
18
- import { CompiledStateGraph } from '@langchain/langgraph';
20
+ import * as _langchain_langgraph from '@langchain/langgraph';
21
+ import { CompiledStateGraph, CommandParams } from '@langchain/langgraph';
19
22
  import { BaseCheckpointSaver, BaseStore } from '@langchain/langgraph-checkpoint';
20
23
  import { ReplaySubject } from 'rxjs';
21
24
  import { Embeddings } from '@langchain/core/embeddings';
@@ -1693,7 +1696,7 @@ interface Chunk {
1693
1696
  /**
1694
1697
  * Thread status - requires explicit state transitions
1695
1698
  */
1696
- declare enum ThreadStatus {
1699
+ declare enum ThreadStatus$1 {
1697
1700
  ACTIVE = "active",
1698
1701
  COMPLETED = "completed",
1699
1702
  ABORTED = "aborted"
@@ -1712,7 +1715,7 @@ interface ThreadBuffer {
1712
1715
  threadId: string;
1713
1716
  chunks$: ReplaySubject<MessageChunk>;
1714
1717
  chunks: MessageChunk[];
1715
- status: ThreadStatus;
1718
+ status: ThreadStatus$1;
1716
1719
  createdAt: number;
1717
1720
  updatedAt: number;
1718
1721
  expiresAt: number;
@@ -1756,7 +1759,7 @@ declare abstract class ChunkBuffer {
1756
1759
  /**
1757
1760
  * Get thread status (returns undefined if thread doesn't exist)
1758
1761
  */
1759
- abstract getThreadStatus(threadId: string): Promise<ThreadStatus | undefined>;
1762
+ abstract getThreadStatus(threadId: string): Promise<ThreadStatus$1 | undefined>;
1760
1763
  /**
1761
1764
  * Get thread buffer info including metadata
1762
1765
  */
@@ -1829,7 +1832,7 @@ declare class InMemoryChunkBuffer extends ChunkBuffer {
1829
1832
  completeThread(threadId: string): Promise<void>;
1830
1833
  abortThread(threadId: string): Promise<void>;
1831
1834
  isThreadActive(threadId: string): Promise<boolean>;
1832
- getThreadStatus(threadId: string): Promise<ThreadStatus | undefined>;
1835
+ getThreadStatus(threadId: string): Promise<ThreadStatus$1 | undefined>;
1833
1836
  getThreadBuffer(threadId: string): Promise<ThreadBuffer | undefined>;
1834
1837
  getChunks(threadId: string): Promise<MessageChunk[]>;
1835
1838
  getAccumulatedContent(threadId: string): Promise<string>;
@@ -2234,6 +2237,77 @@ declare function isValidCronExpression(expression: string): boolean;
2234
2237
  */
2235
2238
  declare function describeCronExpression(expression: string): string;
2236
2239
 
2240
+ /**
2241
+ * Message Queue Types and Interfaces
2242
+ *
2243
+ * Core package definitions for message queue functionality
2244
+ */
2245
+ declare enum QueueMode {
2246
+ COLLECT = "collect",
2247
+ FOLLOWUP = "followup",
2248
+ STEER = "steer"
2249
+ }
2250
+ interface ThreadQueueConfig {
2251
+ mode: QueueMode;
2252
+ maxSize: number;
2253
+ }
2254
+ interface PendingMessage {
2255
+ id: string;
2256
+ content: any;
2257
+ type: "human" | "system";
2258
+ sequence: number;
2259
+ createdAt: Date;
2260
+ priority?: number;
2261
+ command?: any;
2262
+ }
2263
+ interface AddMessageParams {
2264
+ threadId: string;
2265
+ tenantId: string;
2266
+ assistantId: string;
2267
+ content: any;
2268
+ type?: "human" | "system";
2269
+ priority?: number;
2270
+ command?: any;
2271
+ }
2272
+ interface ThreadInfo {
2273
+ tenantId: string;
2274
+ assistantId: string;
2275
+ threadId: string;
2276
+ }
2277
+ /**
2278
+ * Interface for message queue storage
2279
+ * Implemented by pg-stores or other storage backends
2280
+ */
2281
+ interface IMessageQueueStore {
2282
+ addMessage(params: AddMessageParams): Promise<PendingMessage>;
2283
+ addMessageAtHead(threadId: string, content: any, type?: "human" | "system"): Promise<PendingMessage>;
2284
+ getPendingMessages(threadId: string): Promise<PendingMessage[]>;
2285
+ getProcessingMessages(threadId: string): Promise<PendingMessage[]>;
2286
+ getQueueSize(threadId: string): Promise<number>;
2287
+ getThreadsWithPendingMessages(): Promise<ThreadInfo[]>;
2288
+ removeMessage(messageId: string): Promise<boolean>;
2289
+ clearMessages(threadId: string): Promise<void>;
2290
+ markProcessing(messageId: string): Promise<void>;
2291
+ markCompleted(messageId: string): Promise<void>;
2292
+ clearCompletedMessages(threadId: string): Promise<void>;
2293
+ }
2294
+ /**
2295
+ * Agent executor function type
2296
+ */
2297
+ type AgentExecutor = (tenantId: string, assistantId: string, threadId: string, input: any) => Promise<any>;
2298
+ /**
2299
+ * LangGraph state checker function type
2300
+ */
2301
+ type LangGraphStateChecker = (tenantId: string, assistantId: string, threadId: string) => Promise<{
2302
+ status: "idle" | "busy" | "interrupted";
2303
+ interruptData?: any;
2304
+ }>;
2305
+ /**
2306
+ * Agent stream executor function type
2307
+ * Returns an async iterable for streaming responses
2308
+ */
2309
+ type AgentStreamExecutor = (tenantId: string, assistantId: string, threadId: string, input: any) => AsyncIterable<any>;
2310
+
2237
2311
  /**
2238
2312
  * StoreLatticeManager
2239
2313
  *
@@ -2256,6 +2330,7 @@ type StoreTypeMap = {
2256
2330
  user: UserStore;
2257
2331
  tenant: TenantStore;
2258
2332
  userTenantLink: UserTenantLinkStore;
2333
+ threadMessageQueue: IMessageQueueStore;
2259
2334
  };
2260
2335
  /**
2261
2336
  * Store type keys
@@ -2759,6 +2834,31 @@ declare class InMemoryUserTenantLinkStore implements UserTenantLinkStore {
2759
2834
  clear(): void;
2760
2835
  }
2761
2836
 
2837
+ /**
2838
+ * In-Memory Thread Message Queue Store
2839
+ *
2840
+ * Default implementation of IMessageQueueStore using in-memory storage.
2841
+ * Messages are lost on service restart. Suitable for development and testing.
2842
+ */
2843
+
2844
+ declare class InMemoryThreadMessageQueueStore implements IMessageQueueStore {
2845
+ private messages;
2846
+ private messageIdCounter;
2847
+ private generateId;
2848
+ private getMessagesForThread;
2849
+ addMessage(params: AddMessageParams): Promise<PendingMessage>;
2850
+ addMessageAtHead(threadId: string, content: any, type?: "human" | "system"): Promise<PendingMessage>;
2851
+ getPendingMessages(threadId: string): Promise<PendingMessage[]>;
2852
+ getProcessingMessages(threadId: string): Promise<PendingMessage[]>;
2853
+ getQueueSize(threadId: string): Promise<number>;
2854
+ getThreadsWithPendingMessages(): Promise<ThreadInfo[]>;
2855
+ removeMessage(messageId: string): Promise<boolean>;
2856
+ clearMessages(threadId: string): Promise<void>;
2857
+ markProcessing(messageId: string): Promise<void>;
2858
+ markCompleted(messageId: string): Promise<void>;
2859
+ clearCompletedMessages(threadId: string): Promise<void>;
2860
+ }
2861
+
2762
2862
  /**
2763
2863
  * Embeddings Lattice Interface
2764
2864
  * Defines the structure of an embeddings lattice entry
@@ -4804,6 +4904,232 @@ declare class AgentManager {
4804
4904
  }, return_agent_state?: boolean): Promise<unknown>;
4805
4905
  }
4806
4906
 
4907
+ declare enum ThreadStatus {
4908
+ IDLE = "idle",
4909
+ BUSY = "busy",
4910
+ INTERRUPTED = "interrupted",
4911
+ ERROR = "error"
4912
+ }
4913
+ interface ThreadState {
4914
+ threadId: string;
4915
+ assistantId: string;
4916
+ tenantId: string;
4917
+ status: ThreadStatus;
4918
+ startedAt?: Date;
4919
+ lastActivityAt: Date;
4920
+ error?: string;
4921
+ interruptData?: any;
4922
+ queueConfig: ThreadQueueConfig;
4923
+ pendingMessages: PendingMessage[];
4924
+ pendingCount: number;
4925
+ }
4926
+ interface QueueMessage {
4927
+ input: {
4928
+ message: string;
4929
+ };
4930
+ command?: CommandParams<any>;
4931
+ }
4932
+ interface ThreadStatusChangedEvent {
4933
+ type: "thread:status:changed";
4934
+ tenantId: string;
4935
+ threadId: string;
4936
+ assistantId: string;
4937
+ previousStatus: ThreadStatus;
4938
+ currentStatus: ThreadStatus;
4939
+ timestamp: Date;
4940
+ metadata?: {
4941
+ error?: string;
4942
+ interruptData?: any;
4943
+ pendingCount?: number;
4944
+ };
4945
+ }
4946
+ type AgentLifecycleEventName = 'message:started' | 'message:completed' | 'message:failed' | 'thread:busy' | 'thread:idle' | 'queue:pending';
4947
+ interface MessageStartedEvent {
4948
+ type: 'message:started';
4949
+ messageId: string;
4950
+ messageContent: string;
4951
+ timestamp: Date;
4952
+ queueMode?: QueueMode;
4953
+ }
4954
+ interface MessageCompletedEvent {
4955
+ type: 'message:completed';
4956
+ messageId: string;
4957
+ timestamp: Date;
4958
+ duration?: number;
4959
+ state?: any;
4960
+ }
4961
+ interface MessageFailedEvent {
4962
+ type: 'message:failed';
4963
+ messageId: string;
4964
+ error: string;
4965
+ timestamp: Date;
4966
+ }
4967
+ interface ThreadIdleEvent {
4968
+ type: 'thread:idle';
4969
+ timestamp: Date;
4970
+ pendingCount: number;
4971
+ state?: any;
4972
+ }
4973
+ interface ThreadBusyEvent {
4974
+ type: 'thread:busy';
4975
+ timestamp: Date;
4976
+ messageId?: string;
4977
+ }
4978
+ interface QueuePendingEvent {
4979
+ type: 'queue:pending';
4980
+ messageId: string;
4981
+ messageContent: string;
4982
+ timestamp: Date;
4983
+ queueSize: number;
4984
+ isHighPriority: boolean;
4985
+ }
4986
+
4987
+ interface AgentThreadInterface {
4988
+ assistant_id: string;
4989
+ thread_id: string;
4990
+ tenant_id: string;
4991
+ workspace_id?: string;
4992
+ project_id?: string;
4993
+ custom_run_config?: any;
4994
+ }
4995
+ declare class Agent {
4996
+ private queueStore;
4997
+ private stateChecker;
4998
+ private chunkBuffer;
4999
+ private abortController;
5000
+ assistant_id: string;
5001
+ thread_id: string;
5002
+ tenant_id: string;
5003
+ workspace_id: string | undefined;
5004
+ project_id: string | undefined;
5005
+ custom_run_config: any;
5006
+ queueMode: ThreadQueueConfig;
5007
+ constructor({ assistant_id, thread_id, tenant_id, workspace_id, project_id, custom_run_config, }: AgentThreadInterface);
5008
+ /**
5009
+ * Initialize with message queue store
5010
+ */
5011
+ setQueueStore(store: IMessageQueueStore): void;
5012
+ addChunk(content: MessageChunk): Promise<void>;
5013
+ chunkStream(message_id: string, known_content?: string): {
5014
+ [Symbol.asyncIterator]: () => AsyncGenerator<MessageChunk, void, unknown>;
5015
+ };
5016
+ getLatticeClientAndRuntimeConfig(): Promise<{
5017
+ runnable_agent: AgentClient;
5018
+ runConfig: any;
5019
+ }>;
5020
+ invoke(queueMessage: QueueMessage, signal?: AbortSignal): Promise<{
5021
+ messages: any;
5022
+ }>;
5023
+ private agentExecutor;
5024
+ getPendingMessages(): Promise<PendingMessage[]>;
5025
+ private agentStreamExecutor;
5026
+ private waitingForQueueEnd;
5027
+ private getQueueStore;
5028
+ private getDefaultQueueConfig;
5029
+ /**
5030
+ * Set queue configuration for thread
5031
+ */
5032
+ setQueueConfig(config: Partial<ThreadQueueConfig>): Promise<void>;
5033
+ /**
5034
+ * Stop queue processor
5035
+ */
5036
+ stopQueueProcessor(): void;
5037
+ /**
5038
+ * Add message to queue
5039
+ * All messages go to queue, processor auto-starts if not running
5040
+ * STEER/Command messages are inserted at head of queue for immediate processing
5041
+ */
5042
+ addMessage(queueMessage: QueueMessage, mode?: QueueMode): Promise<{
5043
+ queued: boolean;
5044
+ messageId: string;
5045
+ executed: boolean;
5046
+ }>;
5047
+ /**
5048
+ * Start queue processor if not already running
5049
+ * Private method used internally by addMessage
5050
+ */
5051
+ private startQueueProcessorIfNeeded;
5052
+ /**
5053
+ * Remove pending message
5054
+ */
5055
+ removePendingMessage(messageId: string): Promise<boolean>;
5056
+ /**
5057
+ * Add reminder message for interrupted tasks
5058
+ */
5059
+ private addReminderMessage;
5060
+ getCurrentState(): Promise<_langchain_langgraph.StateSnapshot>;
5061
+ getCurrentMessages(): Promise<{
5062
+ id: string | undefined;
5063
+ role: _langchain_core_messages.MessageType;
5064
+ content: string | (langchain.ContentBlock | langchain.ContentBlock.Text)[];
5065
+ }[]>;
5066
+ get_draw_graph(): Promise<string>;
5067
+ getRunStatus(): Promise<ThreadStatus>;
5068
+ /**
5069
+ * Abort the current agent execution
5070
+ * This will cancel any ongoing invoke or stream operations
5071
+ */
5072
+ abort(): void;
5073
+ /**
5074
+ * Check if the agent is currently being aborted
5075
+ */
5076
+ isAborted(): boolean;
5077
+ /**
5078
+ * Subscribe to lifecycle events for this agent/thread
5079
+ * Events are automatically namespaced by tenantId and threadId
5080
+ */
5081
+ subscribe(eventName: AgentLifecycleEventName, callback: (data: any) => void): void;
5082
+ /**
5083
+ * Unsubscribe from lifecycle events
5084
+ */
5085
+ unsubscribe(eventName: AgentLifecycleEventName, callback: (data: any) => void): void;
5086
+ /**
5087
+ * Subscribe to lifecycle events once (auto-unsubscribe after first event)
5088
+ */
5089
+ subscribeOnce(eventName: AgentLifecycleEventName, callback: (data: any) => void): void;
5090
+ /**
5091
+ * Publish lifecycle event (internal use)
5092
+ */
5093
+ private publish;
5094
+ }
5095
+
5096
+ /**
5097
+ * Agent Instance Manager
5098
+ *
5099
+ * Ensures only one Agent instance per thread exists in memory.
5100
+ * This prevents duplicate queue processors and maintains consistency.
5101
+ */
5102
+
5103
+ declare class AgentInstanceManager {
5104
+ private static _instance;
5105
+ private agents;
5106
+ static getInstance(): AgentInstanceManager;
5107
+ private constructor();
5108
+ private getKey;
5109
+ /**
5110
+ * Get or create Agent instance for a thread
5111
+ * Ensures only one instance per thread exists
5112
+ */
5113
+ getAgent(params: AgentThreadInterface): Agent;
5114
+ /**
5115
+ * Check if an agent instance exists for the thread
5116
+ */
5117
+ hasAgent(params: AgentThreadInterface): boolean;
5118
+ /**
5119
+ * Remove agent instance (for cleanup)
5120
+ */
5121
+ removeAgent(params: AgentThreadInterface): boolean;
5122
+ /**
5123
+ * Get all active agent instances
5124
+ */
5125
+ getAllAgents(): Agent[];
5126
+ /**
5127
+ * Clear all agent instances (use with caution)
5128
+ */
5129
+ clearAll(): void;
5130
+ }
5131
+ declare const agentInstanceManager: AgentInstanceManager;
5132
+
4807
5133
  declare const AGENT_TASK_EVENT = "agent:execute";
4808
5134
 
4809
5135
  /**
@@ -4865,4 +5191,4 @@ declare function clearEncryptionKeyCache(): void;
4865
5191
  */
4866
5192
  declare function createWidgetMiddleware(): AgentMiddleware;
4867
5193
 
4868
- export { AGENT_TASK_EVENT, type AgentClient, type AgentLattice, AgentLatticeManager, AgentManager, type BackendFactory, type BackendProtocol, type BufferStats, type Chunk, ChunkBuffer, ChunkBufferLatticeManager, type ColumnInfo, CompositeBackend, ConsoleLoggerClient, type CronFields, CustomMetricsClient, type DatabaseConfig, type DatabaseType, DefaultScheduleClient, EMPTY_CONTENT_WARNING, type EditResult, type EmbeddingsLatticeInterface, EmbeddingsLatticeManager, type FileData, type FileInfo, FileSystemSkillStore, type FileSystemSkillStoreOptions, FilesystemBackend, type GrepMatch, type IMetricsServerClient, type ISqlDatabase, InMemoryAssistantStore, InMemoryChunkBuffer, InMemoryDatabaseConfigStore, InMemoryMailboxStore, InMemoryTaskListStore, InMemoryTenantStore, InMemoryThreadStore, InMemoryUserStore, InMemoryUserTenantLinkStore, type IsolatedLevel, LINE_NUMBER_WIDTH, type LoggerLattice, LoggerLatticeManager, MAX_LINE_LENGTH, type MailboxMessage, type MailboxStore, type McpLatticeInterface, McpLatticeManager, type McpServerInfo, MemoryBackend, MemoryLatticeManager, MemoryQueueClient, MemoryScheduleStorage, MessageType, MetricsServerManager, type ModelConfig, type ModelLatticeInterface, ModelLatticeManager, PinoLoggerClient, PostgresDatabase, PrometheusClient, type QueryResult, type QueueLattice, QueueLatticeManager, type RunSandboxConfig, SandboxFilesystem, SandboxLatticeManager, type SandboxManagerProtocol, SandboxSkillStore, type SandboxSkillStoreOptions, type ScheduleLattice, ScheduleLatticeManager, SemanticMetricsClient, type SkillLattice, SkillLatticeManager, type SkillResource, SqlDatabaseManager, type StateAndStore, StateBackend, StoreBackend, type StoreLattice, StoreLatticeManager, type StoreType, type StoreTypeMap, TOOL_RESULT_TOKEN_LIMIT, TRUNCATION_GUIDANCE, type TableInfo, type TableSchema, type TaskEvent, type TaskListStore, type TaskSpec, TaskStatus, type TaskUpdatable, TeamAgentGraphBuilder, type TeamConfig, type TeamMiddlewareOptions, type TeamTask, type TeammateSpec, type TeammateToolsOptions, type ThreadBuffer, type ThreadBufferConfig, ThreadStatus, type ToolDefinition, type ToolLattice, ToolLatticeManager, type VectorStoreLatticeInterface, VectorStoreLatticeManager, type WriteResult, agentLatticeManager, buildGrepResultsDict, checkEmptyContent, clearEncryptionKeyCache, createAgentTeam, createExecuteSqlQueryTool, createFileData, createInfoSqlTool, createListMetricsDataSourcesTool, createListMetricsServersTool, createListTablesSqlTool, createQueryCheckerSqlTool, createQueryMetricDefinitionTool, createQueryMetricsListTool, createQuerySemanticMetricDataTool, createQuerySqlTool, createQueryTableDefinitionTool, createQueryTablesListTool, createTeamMiddleware, createTeammateTools, createWidgetMiddleware, decrypt, describeCronExpression, embeddingsLatticeManager, encrypt, eventBus, eventBus as eventBusDefault, fileDataToString, formatContentWithLineNumbers, formatGrepMatches, formatGrepResults, formatReadResponse, getAgentClient, getAgentConfig, getAllAgentConfigs, getAllToolDefinitions, getCheckpointSaver, getChunkBuffer, getEmbeddingsClient, getEmbeddingsLattice, getEncryptionKey, getLoggerLattice, getModelLattice, getNextCronTime, getQueueLattice, getSandBoxManager, getScheduleLattice, getStoreLattice, getToolClient, getToolDefinition, getToolLattice, getVectorStoreClient, getVectorStoreLattice, globSearchFiles, grepMatchesFromFiles, grepSearchFiles, hasChunkBuffer, isUsingDefaultKey, isValidCronExpression, isValidSandboxName, isValidSkillName, loggerLatticeManager, mcpManager, metricsServerManager, modelLatticeManager, normalizeSandboxName, parseCronExpression, performStringReplacement, queueLatticeManager, registerAgentLattice, registerAgentLatticeWithTenant, registerAgentLattices, registerCheckpointSaver, registerChunkBuffer, registerEmbeddingsLattice, registerExistingTool, registerLoggerLattice, registerModelLattice, registerQueueLattice, registerScheduleLattice, registerStoreLattice, registerTeammateAgent, registerToolLattice, registerVectorStoreLattice, sandboxLatticeManager, sanitizeToolCallId, scheduleLatticeManager, skillLatticeManager, sqlDatabaseManager, storeLatticeManager, toolLatticeManager, truncateIfTooLong, unregisterTeammateAgent, updateFileData, validateAgentInput, validateEncryptionKey, validatePath, validateSkillName, validateToolInput, vectorStoreLatticeManager };
5194
+ export { AGENT_TASK_EVENT, type AddMessageParams, Agent, type AgentClient, type AgentExecutor, AgentInstanceManager, type AgentLattice, AgentLatticeManager, type AgentLifecycleEventName, AgentManager, type AgentStreamExecutor, type AgentThreadInterface, type BackendFactory, type BackendProtocol, type BufferStats, type Chunk, ChunkBuffer, ChunkBufferLatticeManager, type ColumnInfo, CompositeBackend, ConsoleLoggerClient, type CronFields, CustomMetricsClient, type DatabaseConfig, type DatabaseType, DefaultScheduleClient, EMPTY_CONTENT_WARNING, type EditResult, type EmbeddingsLatticeInterface, EmbeddingsLatticeManager, type FileData, type FileInfo, FileSystemSkillStore, type FileSystemSkillStoreOptions, FilesystemBackend, type GrepMatch, type IMessageQueueStore, type IMetricsServerClient, type ISqlDatabase, InMemoryAssistantStore, InMemoryChunkBuffer, InMemoryDatabaseConfigStore, InMemoryMailboxStore, InMemoryTaskListStore, InMemoryTenantStore, InMemoryThreadMessageQueueStore, InMemoryThreadStore, InMemoryUserStore, InMemoryUserTenantLinkStore, type IsolatedLevel, LINE_NUMBER_WIDTH, type LangGraphStateChecker, type LoggerLattice, LoggerLatticeManager, MAX_LINE_LENGTH, type MailboxMessage, type MailboxStore, type McpLatticeInterface, McpLatticeManager, type McpServerInfo, MemoryBackend, MemoryLatticeManager, MemoryQueueClient, MemoryScheduleStorage, type MessageCompletedEvent, type MessageFailedEvent, type MessageStartedEvent, MessageType, MetricsServerManager, type ModelConfig, type ModelLatticeInterface, ModelLatticeManager, type PendingMessage, PinoLoggerClient, PostgresDatabase, PrometheusClient, type QueryResult, type QueueLattice, QueueLatticeManager, QueueMode, type QueuePendingEvent, type RunSandboxConfig, SandboxFilesystem, SandboxLatticeManager, type SandboxManagerProtocol, SandboxSkillStore, type SandboxSkillStoreOptions, type ScheduleLattice, ScheduleLatticeManager, SemanticMetricsClient, type SkillLattice, SkillLatticeManager, type SkillResource, SqlDatabaseManager, type StateAndStore, StateBackend, StoreBackend, type StoreLattice, StoreLatticeManager, type StoreType, type StoreTypeMap, TOOL_RESULT_TOKEN_LIMIT, TRUNCATION_GUIDANCE, type TableInfo, type TableSchema, type TaskEvent, type TaskListStore, type TaskSpec, TaskStatus, type TaskUpdatable, TeamAgentGraphBuilder, type TeamConfig, type TeamMiddlewareOptions, type TeamTask, type TeammateSpec, type TeammateToolsOptions, type ThreadBuffer, type ThreadBufferConfig, type ThreadBusyEvent, type ThreadIdleEvent, type ThreadInfo, type ThreadQueueConfig, type ThreadState, ThreadStatus, type ThreadStatusChangedEvent, type ToolDefinition, type ToolLattice, ToolLatticeManager, type VectorStoreLatticeInterface, VectorStoreLatticeManager, type WriteResult, agentInstanceManager, agentLatticeManager, buildGrepResultsDict, checkEmptyContent, clearEncryptionKeyCache, createAgentTeam, createExecuteSqlQueryTool, createFileData, createInfoSqlTool, createListMetricsDataSourcesTool, createListMetricsServersTool, createListTablesSqlTool, createQueryCheckerSqlTool, createQueryMetricDefinitionTool, createQueryMetricsListTool, createQuerySemanticMetricDataTool, createQuerySqlTool, createQueryTableDefinitionTool, createQueryTablesListTool, createTeamMiddleware, createTeammateTools, createWidgetMiddleware, decrypt, describeCronExpression, embeddingsLatticeManager, encrypt, eventBus, eventBus as eventBusDefault, fileDataToString, formatContentWithLineNumbers, formatGrepMatches, formatGrepResults, formatReadResponse, getAgentClient, getAgentConfig, getAllAgentConfigs, getAllToolDefinitions, getCheckpointSaver, getChunkBuffer, getEmbeddingsClient, getEmbeddingsLattice, getEncryptionKey, getLoggerLattice, getModelLattice, getNextCronTime, getQueueLattice, getSandBoxManager, getScheduleLattice, getStoreLattice, getToolClient, getToolDefinition, getToolLattice, getVectorStoreClient, getVectorStoreLattice, globSearchFiles, grepMatchesFromFiles, grepSearchFiles, hasChunkBuffer, isUsingDefaultKey, isValidCronExpression, isValidSandboxName, isValidSkillName, loggerLatticeManager, mcpManager, metricsServerManager, modelLatticeManager, normalizeSandboxName, parseCronExpression, performStringReplacement, queueLatticeManager, registerAgentLattice, registerAgentLatticeWithTenant, registerAgentLattices, registerCheckpointSaver, registerChunkBuffer, registerEmbeddingsLattice, registerExistingTool, registerLoggerLattice, registerModelLattice, registerQueueLattice, registerScheduleLattice, registerStoreLattice, registerTeammateAgent, registerToolLattice, registerVectorStoreLattice, sandboxLatticeManager, sanitizeToolCallId, scheduleLatticeManager, skillLatticeManager, sqlDatabaseManager, storeLatticeManager, toolLatticeManager, truncateIfTooLong, unregisterTeammateAgent, updateFileData, validateAgentInput, validateEncryptionKey, validatePath, validateSkillName, validateToolInput, vectorStoreLatticeManager };