/** * @license * Copyright 2025 Google LLC * SPDX-License-Identifier: Apache-2.0 */ import path from 'path'; import { makeRelative, shortenPath } from '../utils/paths.js'; import { BaseDeclarativeTool, BaseToolInvocation, Kind, ToolInvocation, ToolLocation, ToolResult, } from './tools.js'; import { PartUnion } from '@google/genai'; import { processSingleFileContent, getSpecificMimeType, } from '../utils/fileUtils.js'; import { Config } from '../config/config.js'; import { recordFileOperationMetric, FileOperation, } from '../telemetry/metrics.js'; /** * Parameters for the ReadFile tool */ export interface ReadFileToolParams { /** * The absolute path to the file to read */ absolute_path: string; /** * The line number to start reading from (optional) */ offset?: number; /** * The number of lines to read (optional) */ limit?: number; } class ReadFileToolInvocation extends BaseToolInvocation< ReadFileToolParams, ToolResult > { constructor( private config: Config, params: ReadFileToolParams, ) { super(params); } getDescription(): string { const relativePath = makeRelative( this.params.absolute_path, this.config.getTargetDir(), ); return shortenPath(relativePath); } override toolLocations(): ToolLocation[] { return [{ path: this.params.absolute_path, line: this.params.offset }]; } async execute(): Promise { const result = await processSingleFileContent( this.params.absolute_path, this.config.getTargetDir(), this.config.getFileSystemService(), this.params.offset, this.params.limit, ); if (result.error) { return { llmContent: result.llmContent, returnDisplay: result.returnDisplay || 'Error reading file', error: { message: result.error, type: result.errorType, }, }; } let llmContent: PartUnion; if (result.isTruncated) { const [start, end] = result.linesShown!; const total = result.originalLineCount!; const nextOffset = this.params.offset ? this.params.offset + end - start + 1 : end; llmContent = ` IMPORTANT: The file content has been truncated. Status: Showing lines ${start}-${end} of ${total} total lines. Action: To read more of the file, you can use the 'offset' and 'limit' parameters in a subsequent 'read_file' call. For example, to read the next section of the file, use offset: ${nextOffset}. --- FILE CONTENT (truncated) --- ${result.llmContent}`; } else { llmContent = result.llmContent || ''; } const lines = typeof result.llmContent === 'string' ? result.llmContent.split('\n').length : undefined; const mimetype = getSpecificMimeType(this.params.absolute_path); recordFileOperationMetric( this.config, FileOperation.READ, lines, mimetype, path.extname(this.params.absolute_path), ); return { llmContent, returnDisplay: result.returnDisplay || '', }; } } /** * Implementation of the ReadFile tool logic */ export class ReadFileTool extends BaseDeclarativeTool< ReadFileToolParams, ToolResult > { static readonly Name: string = 'read_file'; constructor(private config: Config) { super( ReadFileTool.Name, 'ReadFile', `Reads and returns the content of a specified file. If the file is large, the content will be truncated. The tool's response will clearly indicate if truncation has occurred and will provide details on how to read more of the file using the 'offset' and 'limit' parameters. Handles text, images (PNG, JPG, GIF, WEBP, SVG, BMP), and PDF files. For text files, it can read specific line ranges.`, Kind.Read, { properties: { absolute_path: { description: "The absolute path to the file to read (e.g., '/home/user/project/file.txt'). Relative paths are not supported. You must provide an absolute path.", type: 'string', }, offset: { description: "Optional: For text files, the 0-based line number to start reading from. Requires 'limit' to be set. Use for paginating through large files.", type: 'number', }, limit: { description: "Optional: For text files, maximum number of lines to read. Use with 'offset' to paginate through large files. If omitted, reads the entire file (if feasible, up to a default limit).", type: 'number', }, }, required: ['absolute_path'], type: 'object', }, ); } protected override validateToolParamValues( params: ReadFileToolParams, ): string | null { const filePath = params.absolute_path; if (params.absolute_path.trim() === '') { return "The 'absolute_path' parameter must be non-empty."; } if (!path.isAbsolute(filePath)) { return `File path must be absolute, but was relative: ${filePath}. You must provide an absolute path.`; } const workspaceContext = this.config.getWorkspaceContext(); if (!workspaceContext.isPathWithinWorkspace(filePath)) { const directories = workspaceContext.getDirectories(); return `File path must be within one of the workspace directories: ${directories.join(', ')}`; } if (params.offset !== undefined && params.offset < 0) { return 'Offset must be a non-negative number'; } if (params.limit !== undefined && params.limit <= 0) { return 'Limit must be a positive number'; } const fileService = this.config.getFileService(); if (fileService.shouldGeminiIgnoreFile(params.absolute_path)) { return `File path '${filePath}' is ignored by .geminiignore pattern(s).`; } return null; } protected createInvocation( params: ReadFileToolParams, ): ToolInvocation { return new ReadFileToolInvocation(this.config, params); } }