| | |
| | |
| | |
| | |
| | |
| |
|
| | import { |
| | CoreToolScheduler, |
| | GeminiClient, |
| | GeminiEventType, |
| | ToolConfirmationOutcome, |
| | ApprovalMode, |
| | getAllMCPServerStatuses, |
| | MCPServerStatus, |
| | isNodeError, |
| | parseAndFormatApiError, |
| | } from '@google/gemini-cli-core'; |
| | import type { |
| | ToolConfirmationPayload, |
| | CompletedToolCall, |
| | ToolCall, |
| | ToolCallRequestInfo, |
| | ServerGeminiErrorEvent, |
| | ServerGeminiStreamEvent, |
| | ToolCallConfirmationDetails, |
| | Config, |
| | UserTierId, |
| | } from '@google/gemini-cli-core'; |
| | import type { RequestContext } from '@a2a-js/sdk/server'; |
| | import { type ExecutionEventBus } from '@a2a-js/sdk/server'; |
| | import type { |
| | TaskStatusUpdateEvent, |
| | TaskArtifactUpdateEvent, |
| | TaskState, |
| | Message, |
| | Part, |
| | Artifact, |
| | } from '@a2a-js/sdk'; |
| | import { v4 as uuidv4 } from 'uuid'; |
| | import { logger } from './logger.js'; |
| | import * as fs from 'node:fs'; |
| |
|
| | import { CoderAgentEvent } from './types.js'; |
| | import type { |
| | CoderAgentMessage, |
| | StateChange, |
| | ToolCallUpdate, |
| | TextContent, |
| | TaskMetadata, |
| | Thought, |
| | ThoughtSummary, |
| | } from './types.js'; |
| | import type { PartUnion, Part as genAiPart } from '@google/genai'; |
| |
|
| | export class Task { |
| | id: string; |
| | contextId: string; |
| | scheduler: CoreToolScheduler; |
| | config: Config; |
| | geminiClient: GeminiClient; |
| | pendingToolConfirmationDetails: Map<string, ToolCallConfirmationDetails>; |
| | taskState: TaskState; |
| | eventBus?: ExecutionEventBus; |
| | completedToolCalls: CompletedToolCall[]; |
| | skipFinalTrueAfterInlineEdit = false; |
| |
|
| | |
| | private pendingToolCalls: Map<string, string> = new Map(); |
| | private toolCompletionPromise?: Promise<void>; |
| | private toolCompletionNotifier?: { |
| | resolve: () => void; |
| | reject: (reason?: Error) => void; |
| | }; |
| |
|
| | private constructor( |
| | id: string, |
| | contextId: string, |
| | config: Config, |
| | eventBus?: ExecutionEventBus, |
| | ) { |
| | this.id = id; |
| | this.contextId = contextId; |
| | this.config = config; |
| | this.scheduler = this.createScheduler(); |
| | this.geminiClient = new GeminiClient(this.config); |
| | this.pendingToolConfirmationDetails = new Map(); |
| | this.taskState = 'submitted'; |
| | this.eventBus = eventBus; |
| | this.completedToolCalls = []; |
| | this._resetToolCompletionPromise(); |
| | this.config.setFlashFallbackHandler( |
| | async (currentModel: string, fallbackModel: string): Promise<boolean> => { |
| | config.setModel(fallbackModel); |
| | |
| | return false; |
| | }, |
| | ); |
| | } |
| |
|
| | static async create( |
| | id: string, |
| | contextId: string, |
| | config: Config, |
| | eventBus?: ExecutionEventBus, |
| | ): Promise<Task> { |
| | return new Task(id, contextId, config, eventBus); |
| | } |
| |
|
| | |
| | |
| | |
| | async getMetadata(): Promise<TaskMetadata> { |
| | const toolRegistry = await this.config.getToolRegistry(); |
| | const mcpServers = this.config.getMcpServers() || {}; |
| | const serverStatuses = getAllMCPServerStatuses(); |
| | const servers = Object.keys(mcpServers).map((serverName) => ({ |
| | name: serverName, |
| | status: serverStatuses.get(serverName) || MCPServerStatus.DISCONNECTED, |
| | tools: toolRegistry.getToolsByServer(serverName).map((tool) => ({ |
| | name: tool.name, |
| | description: tool.description, |
| | parameterSchema: tool.schema.parameters, |
| | })), |
| | })); |
| |
|
| | const availableTools = toolRegistry.getAllTools().map((tool) => ({ |
| | name: tool.name, |
| | description: tool.description, |
| | parameterSchema: tool.schema.parameters, |
| | })); |
| |
|
| | const metadata: TaskMetadata = { |
| | id: this.id, |
| | contextId: this.contextId, |
| | taskState: this.taskState, |
| | model: this.config.getContentGeneratorConfig().model, |
| | mcpServers: servers, |
| | availableTools, |
| | }; |
| | return metadata; |
| | } |
| |
|
| | private _resetToolCompletionPromise(): void { |
| | this.toolCompletionPromise = new Promise((resolve, reject) => { |
| | this.toolCompletionNotifier = { resolve, reject }; |
| | }); |
| | |
| | if (this.pendingToolCalls.size === 0 && this.toolCompletionNotifier) { |
| | this.toolCompletionNotifier.resolve(); |
| | } |
| | } |
| |
|
| | private _registerToolCall(toolCallId: string, status: string): void { |
| | const wasEmpty = this.pendingToolCalls.size === 0; |
| | this.pendingToolCalls.set(toolCallId, status); |
| | if (wasEmpty) { |
| | this._resetToolCompletionPromise(); |
| | } |
| | logger.info( |
| | `[Task] Registered tool call: ${toolCallId}. Pending: ${this.pendingToolCalls.size}`, |
| | ); |
| | } |
| |
|
| | private _resolveToolCall(toolCallId: string): void { |
| | if (this.pendingToolCalls.has(toolCallId)) { |
| | this.pendingToolCalls.delete(toolCallId); |
| | logger.info( |
| | `[Task] Resolved tool call: ${toolCallId}. Pending: ${this.pendingToolCalls.size}`, |
| | ); |
| | if (this.pendingToolCalls.size === 0 && this.toolCompletionNotifier) { |
| | this.toolCompletionNotifier.resolve(); |
| | } |
| | } |
| | } |
| |
|
| | async waitForPendingTools(): Promise<void> { |
| | if (this.pendingToolCalls.size === 0) { |
| | return Promise.resolve(); |
| | } |
| | logger.info( |
| | `[Task] Waiting for ${this.pendingToolCalls.size} pending tool(s)...`, |
| | ); |
| | return this.toolCompletionPromise; |
| | } |
| |
|
| | cancelPendingTools(reason: string): void { |
| | if (this.pendingToolCalls.size > 0) { |
| | logger.info( |
| | `[Task] Cancelling all ${this.pendingToolCalls.size} pending tool calls. Reason: ${reason}`, |
| | ); |
| | } |
| | if (this.toolCompletionNotifier) { |
| | this.toolCompletionNotifier.reject(new Error(reason)); |
| | } |
| | this.pendingToolCalls.clear(); |
| | |
| | this._resetToolCompletionPromise(); |
| | } |
| |
|
| | private _createTextMessage( |
| | text: string, |
| | role: 'agent' | 'user' = 'agent', |
| | ): Message { |
| | return { |
| | kind: 'message', |
| | role, |
| | parts: [{ kind: 'text', text }], |
| | messageId: uuidv4(), |
| | taskId: this.id, |
| | contextId: this.contextId, |
| | }; |
| | } |
| |
|
| | private _createStatusUpdateEvent( |
| | stateToReport: TaskState, |
| | coderAgentMessage: CoderAgentMessage, |
| | message?: Message, |
| | final = false, |
| | timestamp?: string, |
| | metadataError?: string, |
| | ): TaskStatusUpdateEvent { |
| | const metadata: { |
| | coderAgent: CoderAgentMessage; |
| | model: string; |
| | userTier?: UserTierId; |
| | error?: string; |
| | } = { |
| | coderAgent: coderAgentMessage, |
| | model: this.config.getModel(), |
| | userTier: this.geminiClient.getUserTier(), |
| | }; |
| |
|
| | if (metadataError) { |
| | metadata.error = metadataError; |
| | } |
| |
|
| | return { |
| | kind: 'status-update', |
| | taskId: this.id, |
| | contextId: this.contextId, |
| | status: { |
| | state: stateToReport, |
| | message, |
| | timestamp: timestamp || new Date().toISOString(), |
| | }, |
| | final, |
| | metadata, |
| | }; |
| | } |
| |
|
| | setTaskStateAndPublishUpdate( |
| | newState: TaskState, |
| | coderAgentMessage: CoderAgentMessage, |
| | messageText?: string, |
| | messageParts?: Part[], |
| | final = false, |
| | metadataError?: string, |
| | ): void { |
| | this.taskState = newState; |
| | let message: Message | undefined; |
| |
|
| | if (messageText) { |
| | message = this._createTextMessage(messageText); |
| | } else if (messageParts) { |
| | message = { |
| | kind: 'message', |
| | role: 'agent', |
| | parts: messageParts, |
| | messageId: uuidv4(), |
| | taskId: this.id, |
| | contextId: this.contextId, |
| | }; |
| | } |
| |
|
| | const event = this._createStatusUpdateEvent( |
| | this.taskState, |
| | coderAgentMessage, |
| | message, |
| | final, |
| | undefined, |
| | metadataError, |
| | ); |
| | this.eventBus?.publish(event); |
| | } |
| |
|
| | private _schedulerOutputUpdate( |
| | toolCallId: string, |
| | outputChunk: string, |
| | ): void { |
| | logger.info( |
| | '[Task] Scheduler output update for tool call ' + |
| | toolCallId + |
| | ': ' + |
| | outputChunk, |
| | ); |
| | const artifact: Artifact = { |
| | artifactId: `tool-${toolCallId}-output`, |
| | parts: [ |
| | { |
| | kind: 'text', |
| | text: outputChunk, |
| | } as Part, |
| | ], |
| | }; |
| | const artifactEvent: TaskArtifactUpdateEvent = { |
| | kind: 'artifact-update', |
| | taskId: this.id, |
| | contextId: this.contextId, |
| | artifact, |
| | append: true, |
| | lastChunk: false, |
| | }; |
| | this.eventBus?.publish(artifactEvent); |
| | } |
| |
|
| | private async _schedulerAllToolCallsComplete( |
| | completedToolCalls: CompletedToolCall[], |
| | ): Promise<void> { |
| | logger.info( |
| | '[Task] All tool calls completed by scheduler (batch):', |
| | completedToolCalls.map((tc) => tc.request.callId), |
| | ); |
| | this.completedToolCalls.push(...completedToolCalls); |
| | completedToolCalls.forEach((tc) => { |
| | this._resolveToolCall(tc.request.callId); |
| | }); |
| | } |
| |
|
| | private _schedulerToolCallsUpdate(toolCalls: ToolCall[]): void { |
| | logger.info( |
| | '[Task] Scheduler tool calls updated:', |
| | toolCalls.map((tc) => `${tc.request.callId} (${tc.status})`), |
| | ); |
| |
|
| | |
| | toolCalls.forEach((tc) => { |
| | const previousStatus = this.pendingToolCalls.get(tc.request.callId); |
| | const hasChanged = previousStatus !== tc.status; |
| |
|
| | |
| | if (['success', 'error', 'cancelled'].includes(tc.status)) { |
| | this._resolveToolCall(tc.request.callId); |
| | } else { |
| | |
| | this._registerToolCall(tc.request.callId, tc.status); |
| | } |
| |
|
| | if (tc.status === 'awaiting_approval' && tc.confirmationDetails) { |
| | this.pendingToolConfirmationDetails.set( |
| | tc.request.callId, |
| | tc.confirmationDetails, |
| | ); |
| | } |
| |
|
| | |
| | if (hasChanged) { |
| | const message = this.toolStatusMessage(tc, this.id, this.contextId); |
| | const coderAgentMessage: CoderAgentMessage = |
| | tc.status === 'awaiting_approval' |
| | ? { kind: CoderAgentEvent.ToolCallConfirmationEvent } |
| | : { kind: CoderAgentEvent.ToolCallUpdateEvent }; |
| |
|
| | const event = this._createStatusUpdateEvent( |
| | this.taskState, |
| | coderAgentMessage, |
| | message, |
| | false, |
| | ); |
| | this.eventBus?.publish(event); |
| | } |
| | }); |
| |
|
| | if (this.config.getApprovalMode() === ApprovalMode.YOLO) { |
| | logger.info('[Task] YOLO mode enabled. Auto-approving all tool calls.'); |
| | toolCalls.forEach((tc: ToolCall) => { |
| | if (tc.status === 'awaiting_approval' && tc.confirmationDetails) { |
| | tc.confirmationDetails.onConfirm(ToolConfirmationOutcome.ProceedOnce); |
| | this.pendingToolConfirmationDetails.delete(tc.request.callId); |
| | } |
| | }); |
| | return; |
| | } |
| |
|
| | const allPendingStatuses = Array.from(this.pendingToolCalls.values()); |
| | const isAwaitingApproval = allPendingStatuses.some( |
| | (status) => status === 'awaiting_approval', |
| | ); |
| | const allPendingAreStable = allPendingStatuses.every( |
| | (status) => |
| | status === 'awaiting_approval' || |
| | status === 'success' || |
| | status === 'error' || |
| | status === 'cancelled', |
| | ); |
| |
|
| | |
| | |
| | |
| | if ( |
| | isAwaitingApproval && |
| | allPendingAreStable && |
| | !this.skipFinalTrueAfterInlineEdit |
| | ) { |
| | this.skipFinalTrueAfterInlineEdit = false; |
| |
|
| | |
| | this.setTaskStateAndPublishUpdate( |
| | 'input-required', |
| | { kind: CoderAgentEvent.StateChangeEvent }, |
| | undefined, |
| | undefined, |
| | true, |
| | ); |
| | } |
| | } |
| |
|
| | private createScheduler(): CoreToolScheduler { |
| | const scheduler = new CoreToolScheduler({ |
| | outputUpdateHandler: this._schedulerOutputUpdate.bind(this), |
| | onAllToolCallsComplete: this._schedulerAllToolCallsComplete.bind(this), |
| | onToolCallsUpdate: this._schedulerToolCallsUpdate.bind(this), |
| | getPreferredEditor: () => 'vscode', |
| | config: this.config, |
| | onEditorClose: () => {}, |
| | }); |
| | return scheduler; |
| | } |
| |
|
| | private toolStatusMessage( |
| | tc: ToolCall, |
| | taskId: string, |
| | contextId: string, |
| | ): Message { |
| | const messageParts: Part[] = []; |
| |
|
| | |
| | |
| | const serializableToolCall: { [key: string]: unknown } = { |
| | request: tc.request, |
| | status: tc.status, |
| | }; |
| |
|
| | |
| | if ('confirmationDetails' in tc) { |
| | serializableToolCall['confirmationDetails'] = tc.confirmationDetails; |
| | } |
| |
|
| | if (tc.tool) { |
| | serializableToolCall['tool'] = { |
| | name: tc.tool.name, |
| | displayName: tc.tool.displayName, |
| | description: tc.tool.description, |
| | kind: tc.tool.kind, |
| | isOutputMarkdown: tc.tool.isOutputMarkdown, |
| | canUpdateOutput: tc.tool.canUpdateOutput, |
| | schema: tc.tool.schema, |
| | parameterSchema: tc.tool.parameterSchema, |
| | }; |
| | } |
| |
|
| | messageParts.push({ |
| | kind: 'data', |
| | data: serializableToolCall as ToolCall, |
| | } as Part); |
| |
|
| | return { |
| | kind: 'message', |
| | role: 'agent', |
| | parts: messageParts, |
| | messageId: uuidv4(), |
| | taskId, |
| | contextId, |
| | }; |
| | } |
| |
|
| | private async getProposedContent( |
| | file_path: string, |
| | old_string: string, |
| | new_string: string, |
| | ): Promise<string> { |
| | try { |
| | const currentContent = fs.readFileSync(file_path, 'utf8'); |
| | return this._applyReplacement( |
| | currentContent, |
| | old_string, |
| | new_string, |
| | old_string === '' && currentContent === '', |
| | ); |
| | } catch (err) { |
| | if (!isNodeError(err) || err.code !== 'ENOENT') throw err; |
| | return ''; |
| | } |
| | } |
| |
|
| | private _applyReplacement( |
| | currentContent: string | null, |
| | oldString: string, |
| | newString: string, |
| | isNewFile: boolean, |
| | ): string { |
| | if (isNewFile) { |
| | return newString; |
| | } |
| | if (currentContent === null) { |
| | |
| | return oldString === '' ? newString : ''; |
| | } |
| | |
| | if (oldString === '' && !isNewFile) { |
| | return currentContent; |
| | } |
| | return currentContent.replaceAll(oldString, newString); |
| | } |
| |
|
| | async scheduleToolCalls( |
| | requests: ToolCallRequestInfo[], |
| | abortSignal: AbortSignal, |
| | ): Promise<void> { |
| | if (requests.length === 0) { |
| | return; |
| | } |
| |
|
| | const updatedRequests = await Promise.all( |
| | requests.map(async (request) => { |
| | if ( |
| | request.name === 'replace' && |
| | request.args && |
| | !request.args['newContent'] && |
| | request.args['file_path'] && |
| | request.args['old_string'] && |
| | request.args['new_string'] |
| | ) { |
| | const newContent = await this.getProposedContent( |
| | request.args['file_path'] as string, |
| | request.args['old_string'] as string, |
| | request.args['new_string'] as string, |
| | ); |
| | return { ...request, args: { ...request.args, newContent } }; |
| | } |
| | return request; |
| | }), |
| | ); |
| |
|
| | logger.info( |
| | `[Task] Scheduling batch of ${updatedRequests.length} tool calls.`, |
| | ); |
| | const stateChange: StateChange = { |
| | kind: CoderAgentEvent.StateChangeEvent, |
| | }; |
| | this.setTaskStateAndPublishUpdate('working', stateChange); |
| |
|
| | await this.scheduler.schedule(updatedRequests, abortSignal); |
| | } |
| |
|
| | async acceptAgentMessage(event: ServerGeminiStreamEvent): Promise<void> { |
| | const stateChange: StateChange = { |
| | kind: CoderAgentEvent.StateChangeEvent, |
| | }; |
| | switch (event.type) { |
| | case GeminiEventType.Content: |
| | logger.info('[Task] Sending agent message content...'); |
| | this._sendTextContent(event.value); |
| | break; |
| | case GeminiEventType.ToolCallRequest: |
| | |
| | |
| | logger.warn( |
| | '[Task] A single tool call request was passed to acceptAgentMessage. This should be handled in a batch by the agent. Ignoring.', |
| | ); |
| | break; |
| | case GeminiEventType.ToolCallResponse: |
| | |
| | |
| | logger.info( |
| | '[Task] Received tool call response from LLM (part of generation):', |
| | event.value, |
| | ); |
| | break; |
| | case GeminiEventType.ToolCallConfirmation: |
| | |
| | logger.info( |
| | '[Task] Received tool call confirmation request from LLM:', |
| | event.value.request.callId, |
| | ); |
| | this.pendingToolConfirmationDetails.set( |
| | event.value.request.callId, |
| | event.value.details, |
| | ); |
| | |
| | |
| | break; |
| | case GeminiEventType.UserCancelled: |
| | logger.info('[Task] Received user cancelled event from LLM stream.'); |
| | this.cancelPendingTools('User cancelled via LLM stream event'); |
| | this.setTaskStateAndPublishUpdate( |
| | 'input-required', |
| | stateChange, |
| | 'Task cancelled by user', |
| | undefined, |
| | true, |
| | ); |
| | break; |
| | case GeminiEventType.Thought: |
| | logger.info('[Task] Sending agent thought...'); |
| | this._sendThought(event.value); |
| | break; |
| | case GeminiEventType.ChatCompressed: |
| | break; |
| | case GeminiEventType.Finished: |
| | logger.info(`[Task ${this.id}] Agent finished its turn.`); |
| | break; |
| | case GeminiEventType.Error: |
| | default: { |
| | |
| | const errorEvent = event as ServerGeminiErrorEvent; |
| | const errorMessage = |
| | errorEvent.value?.error.message ?? 'Unknown error from LLM stream'; |
| | logger.error( |
| | '[Task] Received error event from LLM stream:', |
| | errorMessage, |
| | ); |
| |
|
| | let errMessage = 'Unknown error from LLM stream'; |
| | if (errorEvent.value) { |
| | errMessage = parseAndFormatApiError(errorEvent.value); |
| | } |
| | this.cancelPendingTools(`LLM stream error: ${errorMessage}`); |
| | this.setTaskStateAndPublishUpdate( |
| | this.taskState, |
| | stateChange, |
| | `Agent Error, unknown agent message: ${errorMessage}`, |
| | undefined, |
| | false, |
| | errMessage, |
| | ); |
| | break; |
| | } |
| | } |
| | } |
| |
|
| | private async _handleToolConfirmationPart(part: Part): Promise<boolean> { |
| | if ( |
| | part.kind !== 'data' || |
| | !part.data || |
| | typeof part.data['callId'] !== 'string' || |
| | typeof part.data['outcome'] !== 'string' |
| | ) { |
| | return false; |
| | } |
| |
|
| | const callId = part.data['callId'] as string; |
| | const outcomeString = part.data['outcome'] as string; |
| | let confirmationOutcome: ToolConfirmationOutcome | undefined; |
| |
|
| | if (outcomeString === 'proceed_once') { |
| | confirmationOutcome = ToolConfirmationOutcome.ProceedOnce; |
| | } else if (outcomeString === 'cancel') { |
| | confirmationOutcome = ToolConfirmationOutcome.Cancel; |
| | } else if (outcomeString === 'proceed_always') { |
| | confirmationOutcome = ToolConfirmationOutcome.ProceedAlways; |
| | } else if (outcomeString === 'proceed_always_server') { |
| | confirmationOutcome = ToolConfirmationOutcome.ProceedAlwaysServer; |
| | } else if (outcomeString === 'proceed_always_tool') { |
| | confirmationOutcome = ToolConfirmationOutcome.ProceedAlwaysTool; |
| | } else if (outcomeString === 'modify_with_editor') { |
| | confirmationOutcome = ToolConfirmationOutcome.ModifyWithEditor; |
| | } else { |
| | logger.warn( |
| | `[Task] Unknown tool confirmation outcome: "${outcomeString}" for callId: ${callId}`, |
| | ); |
| | return false; |
| | } |
| |
|
| | const confirmationDetails = this.pendingToolConfirmationDetails.get(callId); |
| |
|
| | if (!confirmationDetails) { |
| | logger.warn( |
| | `[Task] Received tool confirmation for unknown or already processed callId: ${callId}`, |
| | ); |
| | return false; |
| | } |
| |
|
| | logger.info( |
| | `[Task] Handling tool confirmation for callId: ${callId} with outcome: ${outcomeString}`, |
| | ); |
| | try { |
| | |
| | |
| | const gcpProject = process.env['GOOGLE_CLOUD_PROJECT']; |
| | const gcpCreds = process.env['GOOGLE_APPLICATION_CREDENTIALS']; |
| | try { |
| | delete process.env['GOOGLE_CLOUD_PROJECT']; |
| | delete process.env['GOOGLE_APPLICATION_CREDENTIALS']; |
| |
|
| | |
| | |
| |
|
| | |
| | if (confirmationDetails.type === 'edit') { |
| | const payload = part.data['newContent'] |
| | ? ({ |
| | newContent: part.data['newContent'] as string, |
| | } as ToolConfirmationPayload) |
| | : undefined; |
| | this.skipFinalTrueAfterInlineEdit = !!payload; |
| | await confirmationDetails.onConfirm(confirmationOutcome, payload); |
| | } else { |
| | await confirmationDetails.onConfirm(confirmationOutcome); |
| | } |
| | } finally { |
| | if (gcpProject) { |
| | process.env['GOOGLE_CLOUD_PROJECT'] = gcpProject; |
| | } |
| | if (gcpCreds) { |
| | process.env['GOOGLE_APPLICATION_CREDENTIALS'] = gcpCreds; |
| | } |
| | } |
| |
|
| | |
| | |
| | |
| | if (confirmationOutcome !== 'modify_with_editor') { |
| | this.pendingToolConfirmationDetails.delete(callId); |
| | } |
| |
|
| | |
| | |
| | return true; |
| | } catch (error) { |
| | logger.error( |
| | `[Task] Error during tool confirmation for callId ${callId}:`, |
| | error, |
| | ); |
| | |
| | this._resolveToolCall(callId); |
| | const errorMessageText = |
| | error instanceof Error |
| | ? error.message |
| | : `Error processing tool confirmation for ${callId}`; |
| | const message = this._createTextMessage(errorMessageText); |
| | const toolCallUpdate: ToolCallUpdate = { |
| | kind: CoderAgentEvent.ToolCallUpdateEvent, |
| | }; |
| | const event = this._createStatusUpdateEvent( |
| | this.taskState, |
| | toolCallUpdate, |
| | message, |
| | false, |
| | ); |
| | this.eventBus?.publish(event); |
| | return false; |
| | } |
| | } |
| |
|
| | getAndClearCompletedTools(): CompletedToolCall[] { |
| | const tools = [...this.completedToolCalls]; |
| | this.completedToolCalls = []; |
| | return tools; |
| | } |
| |
|
| | addToolResponsesToHistory(completedTools: CompletedToolCall[]): void { |
| | logger.info( |
| | `[Task] Adding ${completedTools.length} tool responses to history without generating a new response.`, |
| | ); |
| | const responsesToAdd = completedTools.flatMap( |
| | (toolCall) => toolCall.response.responseParts, |
| | ); |
| |
|
| | for (const response of responsesToAdd) { |
| | let parts: genAiPart[]; |
| | if (Array.isArray(response)) { |
| | parts = response; |
| | } else if (typeof response === 'string') { |
| | parts = [{ text: response }]; |
| | } else { |
| | parts = [response]; |
| | } |
| | this.geminiClient.addHistory({ |
| | role: 'user', |
| | parts, |
| | }); |
| | } |
| | } |
| |
|
| | async *sendCompletedToolsToLlm( |
| | completedToolCalls: CompletedToolCall[], |
| | aborted: AbortSignal, |
| | ): AsyncGenerator<ServerGeminiStreamEvent> { |
| | if (completedToolCalls.length === 0) { |
| | yield* (async function* () {})(); |
| | return; |
| | } |
| |
|
| | const llmParts: PartUnion[] = []; |
| | logger.info( |
| | `[Task] Feeding ${completedToolCalls.length} tool responses to LLM.`, |
| | ); |
| | for (const completedToolCall of completedToolCalls) { |
| | logger.info( |
| | `[Task] Adding tool response for "${completedToolCall.request.name}" (callId: ${completedToolCall.request.callId}) to LLM input.`, |
| | ); |
| | const responseParts = completedToolCall.response.responseParts; |
| | if (Array.isArray(responseParts)) { |
| | llmParts.push(...responseParts); |
| | } else { |
| | llmParts.push(responseParts); |
| | } |
| | } |
| |
|
| | logger.info('[Task] Sending new parts to agent.'); |
| | const stateChange: StateChange = { |
| | kind: CoderAgentEvent.StateChangeEvent, |
| | }; |
| | |
| | this.setTaskStateAndPublishUpdate('working', stateChange); |
| | |
| | yield* this.geminiClient.sendMessageStream( |
| | llmParts, |
| | aborted, |
| | '', |
| | ); |
| | } |
| |
|
| | async *acceptUserMessage( |
| | requestContext: RequestContext, |
| | aborted: AbortSignal, |
| | ): AsyncGenerator<ServerGeminiStreamEvent> { |
| | const userMessage = requestContext.userMessage; |
| | const llmParts: PartUnion[] = []; |
| | let anyConfirmationHandled = false; |
| | let hasContentForLlm = false; |
| |
|
| | for (const part of userMessage.parts) { |
| | const confirmationHandled = await this._handleToolConfirmationPart(part); |
| | if (confirmationHandled) { |
| | anyConfirmationHandled = true; |
| | |
| | |
| | |
| | continue; |
| | } |
| |
|
| | if (part.kind === 'text') { |
| | llmParts.push({ text: part.text }); |
| | hasContentForLlm = true; |
| | } |
| | } |
| |
|
| | if (hasContentForLlm) { |
| | logger.info('[Task] Sending new parts to LLM.'); |
| | const stateChange: StateChange = { |
| | kind: CoderAgentEvent.StateChangeEvent, |
| | }; |
| | |
| | this.setTaskStateAndPublishUpdate('working', stateChange); |
| | |
| | yield* this.geminiClient.sendMessageStream( |
| | llmParts, |
| | aborted, |
| | '', |
| | ); |
| | } else if (anyConfirmationHandled) { |
| | logger.info( |
| | '[Task] User message only contained tool confirmations. Scheduler is active. No new input for LLM this turn.', |
| | ); |
| | |
| | |
| | |
| | |
| | |
| | if ( |
| | this.pendingToolCalls.size > 0 && |
| | this.taskState !== 'input-required' |
| | ) { |
| | const stateChange: StateChange = { |
| | kind: CoderAgentEvent.StateChangeEvent, |
| | }; |
| | this.setTaskStateAndPublishUpdate('working', stateChange); |
| | } |
| | yield* (async function* () {})(); |
| | } else { |
| | logger.info( |
| | '[Task] No relevant parts in user message for LLM interaction or tool confirmation.', |
| | ); |
| | |
| | |
| | |
| | yield* (async function* () {})(); |
| | } |
| | } |
| |
|
| | _sendTextContent(content: string): void { |
| | if (content === '') { |
| | return; |
| | } |
| | logger.info('[Task] Sending text content to event bus.'); |
| | const message = this._createTextMessage(content); |
| | const textContent: TextContent = { |
| | kind: CoderAgentEvent.TextContentEvent, |
| | }; |
| | this.eventBus?.publish( |
| | this._createStatusUpdateEvent( |
| | this.taskState, |
| | textContent, |
| | message, |
| | false, |
| | ), |
| | ); |
| | } |
| |
|
| | _sendThought(content: ThoughtSummary): void { |
| | if (!content.subject && !content.description) { |
| | return; |
| | } |
| | logger.info('[Task] Sending thought to event bus.'); |
| | const message: Message = { |
| | kind: 'message', |
| | role: 'agent', |
| | parts: [ |
| | { |
| | kind: 'data', |
| | data: content, |
| | } as Part, |
| | ], |
| | messageId: uuidv4(), |
| | taskId: this.id, |
| | contextId: this.contextId, |
| | }; |
| | const thought: Thought = { |
| | kind: CoderAgentEvent.ThoughtEvent, |
| | }; |
| | this.eventBus?.publish( |
| | this._createStatusUpdateEvent(this.taskState, thought, message, false), |
| | ); |
| | } |
| | } |
| |
|