mirror of
https://github.com/google-gemini/gemini-cli.git
synced 2026-03-13 23:51:16 -07:00
Establishes core data contracts and state management for enhanced tool outputs. - Introduces GrepResult, ListDirectoryResult, and ReadManyFilesResult types. - Updates tools to return structured data instead of flat strings. - Preserves confirmation details and diff stats in terminal tool states. - Ensures backward compatibility in standard CLI views via safe type guards.
676 lines
21 KiB
TypeScript
676 lines
21 KiB
TypeScript
/**
|
|
* @license
|
|
* Copyright 2025 Google LLC
|
|
* SPDX-License-Identifier: Apache-2.0
|
|
*/
|
|
|
|
import type { MessageBus } from '../confirmation-bus/message-bus.js';
|
|
import fs from 'node:fs';
|
|
import fsPromises from 'node:fs/promises';
|
|
import path from 'node:path';
|
|
import { spawn } from 'node:child_process';
|
|
import { globStream } from 'glob';
|
|
import type { ToolInvocation, ToolResult } from './tools.js';
|
|
import { execStreaming } from '../utils/shell-utils.js';
|
|
import {
|
|
DEFAULT_TOTAL_MAX_MATCHES,
|
|
DEFAULT_SEARCH_TIMEOUT_MS,
|
|
} from './constants.js';
|
|
import { BaseDeclarativeTool, BaseToolInvocation, Kind } from './tools.js';
|
|
import { makeRelative, shortenPath } from '../utils/paths.js';
|
|
import { getErrorMessage, isNodeError } from '../utils/errors.js';
|
|
import { isGitRepository } from '../utils/gitUtils.js';
|
|
import type { Config } from '../config/config.js';
|
|
import type { FileExclusions } from '../utils/ignorePatterns.js';
|
|
import { ToolErrorType } from './tool-error.js';
|
|
import { GREP_TOOL_NAME } from './tool-names.js';
|
|
import { debugLogger } from '../utils/debugLogger.js';
|
|
|
|
// --- Interfaces ---
|
|
|
|
/**
|
|
* Parameters for the GrepTool
|
|
*/
|
|
export interface GrepToolParams {
|
|
/**
|
|
* The regular expression pattern to search for in file contents
|
|
*/
|
|
pattern: string;
|
|
|
|
/**
|
|
* The directory to search in (optional, defaults to current directory relative to root)
|
|
*/
|
|
dir_path?: string;
|
|
|
|
/**
|
|
* File pattern to include in the search (e.g. "*.js", "*.{ts,tsx}")
|
|
*/
|
|
include?: string;
|
|
}
|
|
|
|
/**
|
|
* Result object for a single grep match
|
|
*/
|
|
interface GrepMatch {
|
|
filePath: string;
|
|
lineNumber: number;
|
|
line: string;
|
|
}
|
|
|
|
class GrepToolInvocation extends BaseToolInvocation<
|
|
GrepToolParams,
|
|
ToolResult
|
|
> {
|
|
private readonly fileExclusions: FileExclusions;
|
|
|
|
constructor(
|
|
private readonly config: Config,
|
|
params: GrepToolParams,
|
|
messageBus: MessageBus,
|
|
_toolName?: string,
|
|
_toolDisplayName?: string,
|
|
) {
|
|
super(params, messageBus, _toolName, _toolDisplayName);
|
|
this.fileExclusions = config.getFileExclusions();
|
|
}
|
|
|
|
/**
|
|
* Parses a single line of grep-like output (git grep, system grep).
|
|
* Expects format: filePath:lineNumber:lineContent
|
|
* @param {string} line The line to parse.
|
|
* @param {string} basePath The absolute directory for path resolution.
|
|
* @returns {GrepMatch | null} Parsed match or null if malformed.
|
|
*/
|
|
private parseGrepLine(line: string, basePath: string): GrepMatch | null {
|
|
if (!line.trim()) return null;
|
|
|
|
// Use regex to locate the first occurrence of :<digits>:
|
|
// This allows filenames to contain colons, as long as they don't look like :<digits>:
|
|
// Note: This regex assumes filenames do not contain colons, or at least not followed by digits.
|
|
const match = line.match(/^(.+?):(\d+):(.*)$/);
|
|
if (!match) return null;
|
|
|
|
const [, filePathRaw, lineNumberStr, lineContent] = match;
|
|
const lineNumber = parseInt(lineNumberStr, 10);
|
|
|
|
if (!isNaN(lineNumber)) {
|
|
const absoluteFilePath = path.resolve(basePath, filePathRaw);
|
|
const relativeCheck = path.relative(basePath, absoluteFilePath);
|
|
if (
|
|
relativeCheck === '..' ||
|
|
relativeCheck.startsWith(`..${path.sep}`) ||
|
|
path.isAbsolute(relativeCheck)
|
|
) {
|
|
return null;
|
|
}
|
|
|
|
const relativeFilePath = path.relative(basePath, absoluteFilePath);
|
|
|
|
return {
|
|
filePath: relativeFilePath || path.basename(absoluteFilePath),
|
|
lineNumber,
|
|
line: lineContent,
|
|
};
|
|
}
|
|
return null;
|
|
}
|
|
|
|
async execute(signal: AbortSignal): Promise<ToolResult> {
|
|
try {
|
|
const workspaceContext = this.config.getWorkspaceContext();
|
|
const pathParam = this.params.dir_path;
|
|
|
|
let searchDirAbs: string | null = null;
|
|
if (pathParam) {
|
|
searchDirAbs = path.resolve(this.config.getTargetDir(), pathParam);
|
|
const validationError = this.config.validatePathAccess(
|
|
searchDirAbs,
|
|
'read',
|
|
);
|
|
if (validationError) {
|
|
return {
|
|
llmContent: validationError,
|
|
returnDisplay: 'Error: Path not in workspace.',
|
|
error: {
|
|
message: validationError,
|
|
type: ToolErrorType.PATH_NOT_IN_WORKSPACE,
|
|
},
|
|
};
|
|
}
|
|
|
|
try {
|
|
const stats = await fsPromises.stat(searchDirAbs);
|
|
if (!stats.isDirectory()) {
|
|
return {
|
|
llmContent: `Path is not a directory: ${searchDirAbs}`,
|
|
returnDisplay: 'Error: Path is not a directory.',
|
|
error: {
|
|
message: `Path is not a directory: ${searchDirAbs}`,
|
|
type: ToolErrorType.PATH_IS_NOT_A_DIRECTORY,
|
|
},
|
|
};
|
|
}
|
|
} catch (error: unknown) {
|
|
if (isNodeError(error) && error.code === 'ENOENT') {
|
|
return {
|
|
llmContent: `Path does not exist: ${searchDirAbs}`,
|
|
returnDisplay: 'Error: Path does not exist.',
|
|
error: {
|
|
message: `Path does not exist: ${searchDirAbs}`,
|
|
type: ToolErrorType.FILE_NOT_FOUND,
|
|
},
|
|
};
|
|
}
|
|
const errorMessage = getErrorMessage(error);
|
|
return {
|
|
llmContent: `Failed to access path stats for ${searchDirAbs}: ${errorMessage}`,
|
|
returnDisplay: 'Error: Failed to access path.',
|
|
error: {
|
|
message: `Failed to access path stats for ${searchDirAbs}: ${errorMessage}`,
|
|
type: ToolErrorType.GREP_EXECUTION_ERROR,
|
|
},
|
|
};
|
|
}
|
|
}
|
|
|
|
const searchDirDisplay = pathParam || '.';
|
|
|
|
// Determine which directories to search
|
|
let searchDirectories: readonly string[];
|
|
if (searchDirAbs === null) {
|
|
// No path specified - search all workspace directories
|
|
searchDirectories = workspaceContext.getDirectories();
|
|
} else {
|
|
// Specific path provided - search only that directory
|
|
searchDirectories = [searchDirAbs];
|
|
}
|
|
|
|
// Collect matches from all search directories
|
|
let allMatches: GrepMatch[] = [];
|
|
const totalMaxMatches = DEFAULT_TOTAL_MAX_MATCHES;
|
|
|
|
// Create a timeout controller to prevent indefinitely hanging searches
|
|
const timeoutController = new AbortController();
|
|
const timeoutId = setTimeout(() => {
|
|
timeoutController.abort();
|
|
}, DEFAULT_SEARCH_TIMEOUT_MS);
|
|
|
|
// Link the passed signal to our timeout controller
|
|
const onAbort = () => timeoutController.abort();
|
|
if (signal.aborted) {
|
|
onAbort();
|
|
} else {
|
|
signal.addEventListener('abort', onAbort, { once: true });
|
|
}
|
|
|
|
try {
|
|
for (const searchDir of searchDirectories) {
|
|
const remainingLimit = totalMaxMatches - allMatches.length;
|
|
if (remainingLimit <= 0) break;
|
|
|
|
const matches = await this.performGrepSearch({
|
|
pattern: this.params.pattern,
|
|
path: searchDir,
|
|
include: this.params.include,
|
|
maxMatches: remainingLimit,
|
|
signal: timeoutController.signal,
|
|
});
|
|
|
|
// Add directory prefix if searching multiple directories
|
|
if (searchDirectories.length > 1) {
|
|
const dirName = path.basename(searchDir);
|
|
matches.forEach((match) => {
|
|
match.filePath = path.join(dirName, match.filePath);
|
|
});
|
|
}
|
|
|
|
allMatches = allMatches.concat(matches);
|
|
}
|
|
} finally {
|
|
clearTimeout(timeoutId);
|
|
signal.removeEventListener('abort', onAbort);
|
|
}
|
|
|
|
let searchLocationDescription: string;
|
|
if (searchDirAbs === null) {
|
|
const numDirs = workspaceContext.getDirectories().length;
|
|
searchLocationDescription =
|
|
numDirs > 1
|
|
? `across ${numDirs} workspace directories`
|
|
: `in the workspace directory`;
|
|
} else {
|
|
searchLocationDescription = `in path "${searchDirDisplay}"`;
|
|
}
|
|
|
|
if (allMatches.length === 0) {
|
|
const noMatchMsg = `No matches found for pattern "${this.params.pattern}" ${searchLocationDescription}${this.params.include ? ` (filter: "${this.params.include}")` : ''}.`;
|
|
return { llmContent: noMatchMsg, returnDisplay: `No matches found` };
|
|
}
|
|
|
|
const wasTruncated = allMatches.length >= totalMaxMatches;
|
|
|
|
// Group matches by file
|
|
const matchesByFile = allMatches.reduce(
|
|
(acc, match) => {
|
|
const fileKey = match.filePath;
|
|
if (!acc[fileKey]) {
|
|
acc[fileKey] = [];
|
|
}
|
|
acc[fileKey].push(match);
|
|
acc[fileKey].sort((a, b) => a.lineNumber - b.lineNumber);
|
|
return acc;
|
|
},
|
|
{} as Record<string, GrepMatch[]>,
|
|
);
|
|
|
|
const matchCount = allMatches.length;
|
|
const matchTerm = matchCount === 1 ? 'match' : 'matches';
|
|
|
|
let llmContent = `Found ${matchCount} ${matchTerm} for pattern "${this.params.pattern}" ${searchLocationDescription}${this.params.include ? ` (filter: "${this.params.include}")` : ''}`;
|
|
|
|
if (wasTruncated) {
|
|
llmContent += ` (results limited to ${totalMaxMatches} matches for performance)`;
|
|
}
|
|
|
|
llmContent += `:\n---\n`;
|
|
|
|
for (const filePath in matchesByFile) {
|
|
llmContent += `File: ${filePath}
|
|
`;
|
|
matchesByFile[filePath].forEach((match) => {
|
|
const trimmedLine = match.line.trim();
|
|
llmContent += `L${match.lineNumber}: ${trimmedLine}\n`;
|
|
});
|
|
llmContent += '---\n';
|
|
}
|
|
|
|
return {
|
|
llmContent: llmContent.trim(),
|
|
returnDisplay: {
|
|
summary: `Found ${matchCount} ${matchTerm}${wasTruncated ? ' (limited)' : ''}`,
|
|
matches: allMatches.map((m) => ({
|
|
filePath: m.filePath,
|
|
lineNumber: m.lineNumber,
|
|
line: m.line,
|
|
})),
|
|
},
|
|
};
|
|
} catch (error) {
|
|
debugLogger.warn(`Error during GrepLogic execution: ${error}`);
|
|
const errorMessage = getErrorMessage(error);
|
|
return {
|
|
llmContent: `Error during grep search operation: ${errorMessage}`,
|
|
returnDisplay: `Error: ${errorMessage}`,
|
|
error: {
|
|
message: errorMessage,
|
|
type: ToolErrorType.GREP_EXECUTION_ERROR,
|
|
},
|
|
};
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Checks if a command is available in the system's PATH.
|
|
* @param {string} command The command name (e.g., 'git', 'grep').
|
|
* @returns {Promise<boolean>} True if the command is available, false otherwise.
|
|
*/
|
|
private isCommandAvailable(command: string): Promise<boolean> {
|
|
return new Promise((resolve) => {
|
|
const checkCommand = process.platform === 'win32' ? 'where' : 'command';
|
|
const checkArgs =
|
|
process.platform === 'win32' ? [command] : ['-v', command];
|
|
try {
|
|
const child = spawn(checkCommand, checkArgs, {
|
|
stdio: 'ignore',
|
|
shell: true,
|
|
});
|
|
child.on('close', (code) => resolve(code === 0));
|
|
child.on('error', (err) => {
|
|
debugLogger.debug(
|
|
`[GrepTool] Failed to start process for '${command}':`,
|
|
err.message,
|
|
);
|
|
resolve(false);
|
|
});
|
|
} catch {
|
|
resolve(false);
|
|
}
|
|
});
|
|
}
|
|
|
|
/**
|
|
* Performs the actual search using the prioritized strategies.
|
|
* @param options Search options including pattern, absolute path, and include glob.
|
|
* @returns A promise resolving to an array of match objects.
|
|
*/
|
|
private async performGrepSearch(options: {
|
|
pattern: string;
|
|
path: string; // Expects absolute path
|
|
include?: string;
|
|
maxMatches: number;
|
|
signal: AbortSignal;
|
|
}): Promise<GrepMatch[]> {
|
|
const { pattern, path: absolutePath, include, maxMatches } = options;
|
|
let strategyUsed = 'none';
|
|
|
|
try {
|
|
// --- Strategy 1: git grep ---
|
|
const isGit = isGitRepository(absolutePath);
|
|
const gitAvailable = isGit && (await this.isCommandAvailable('git'));
|
|
|
|
if (gitAvailable) {
|
|
strategyUsed = 'git grep';
|
|
const gitArgs = [
|
|
'grep',
|
|
'--untracked',
|
|
'-n',
|
|
'-E',
|
|
'--ignore-case',
|
|
pattern,
|
|
];
|
|
if (include) {
|
|
gitArgs.push('--', include);
|
|
}
|
|
|
|
try {
|
|
const generator = execStreaming('git', gitArgs, {
|
|
cwd: absolutePath,
|
|
signal: options.signal,
|
|
allowedExitCodes: [0, 1],
|
|
});
|
|
|
|
const results: GrepMatch[] = [];
|
|
for await (const line of generator) {
|
|
const match = this.parseGrepLine(line, absolutePath);
|
|
if (match) {
|
|
results.push(match);
|
|
if (results.length >= maxMatches) {
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
return results;
|
|
} catch (gitError: unknown) {
|
|
debugLogger.debug(
|
|
`GrepLogic: git grep failed: ${getErrorMessage(
|
|
gitError,
|
|
)}. Falling back...`,
|
|
);
|
|
}
|
|
}
|
|
|
|
// --- Strategy 2: System grep ---
|
|
debugLogger.debug(
|
|
'GrepLogic: System grep is being considered as fallback strategy.',
|
|
);
|
|
|
|
const grepAvailable = await this.isCommandAvailable('grep');
|
|
if (grepAvailable) {
|
|
strategyUsed = 'system grep';
|
|
const grepArgs = ['-r', '-n', '-H', '-E', '-I'];
|
|
// Extract directory names from exclusion patterns for grep --exclude-dir
|
|
const globExcludes = this.fileExclusions.getGlobExcludes();
|
|
const commonExcludes = globExcludes
|
|
.map((pattern) => {
|
|
let dir = pattern;
|
|
if (dir.startsWith('**/')) {
|
|
dir = dir.substring(3);
|
|
}
|
|
if (dir.endsWith('/**')) {
|
|
dir = dir.slice(0, -3);
|
|
} else if (dir.endsWith('/')) {
|
|
dir = dir.slice(0, -1);
|
|
}
|
|
|
|
// Only consider patterns that are likely directories. This filters out file patterns.
|
|
if (dir && !dir.includes('/') && !dir.includes('*')) {
|
|
return dir;
|
|
}
|
|
return null;
|
|
})
|
|
.filter((dir): dir is string => !!dir);
|
|
commonExcludes.forEach((dir) => grepArgs.push(`--exclude-dir=${dir}`));
|
|
if (include) {
|
|
grepArgs.push(`--include=${include}`);
|
|
}
|
|
grepArgs.push(pattern);
|
|
grepArgs.push('.');
|
|
|
|
const results: GrepMatch[] = [];
|
|
try {
|
|
const generator = execStreaming('grep', grepArgs, {
|
|
cwd: absolutePath,
|
|
signal: options.signal,
|
|
allowedExitCodes: [0, 1],
|
|
});
|
|
|
|
for await (const line of generator) {
|
|
const match = this.parseGrepLine(line, absolutePath);
|
|
if (match) {
|
|
results.push(match);
|
|
if (results.length >= maxMatches) {
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
return results;
|
|
} catch (grepError: unknown) {
|
|
if (
|
|
grepError instanceof Error &&
|
|
/Permission denied|Is a directory/i.test(grepError.message)
|
|
) {
|
|
return results;
|
|
}
|
|
debugLogger.debug(
|
|
`GrepLogic: System grep failed: ${getErrorMessage(
|
|
grepError,
|
|
)}. Falling back...`,
|
|
);
|
|
}
|
|
}
|
|
|
|
// --- Strategy 3: Pure JavaScript Fallback ---
|
|
debugLogger.debug(
|
|
'GrepLogic: Falling back to JavaScript grep implementation.',
|
|
);
|
|
strategyUsed = 'javascript fallback';
|
|
const globPattern = include ? include : '**/*';
|
|
const ignorePatterns = this.fileExclusions.getGlobExcludes();
|
|
|
|
const filesStream = globStream(globPattern, {
|
|
cwd: absolutePath,
|
|
dot: true,
|
|
ignore: ignorePatterns,
|
|
absolute: true,
|
|
nodir: true,
|
|
signal: options.signal,
|
|
});
|
|
|
|
const regex = new RegExp(pattern, 'i');
|
|
const allMatches: GrepMatch[] = [];
|
|
|
|
for await (const filePath of filesStream) {
|
|
if (allMatches.length >= maxMatches) break;
|
|
const fileAbsolutePath = filePath;
|
|
// security check
|
|
const relativePath = path.relative(absolutePath, fileAbsolutePath);
|
|
if (
|
|
relativePath === '..' ||
|
|
relativePath.startsWith(`..${path.sep}`) ||
|
|
path.isAbsolute(relativePath)
|
|
)
|
|
continue;
|
|
|
|
try {
|
|
const content = await fsPromises.readFile(fileAbsolutePath, 'utf8');
|
|
const lines = content.split(/\r?\n/);
|
|
for (let index = 0; index < lines.length; index++) {
|
|
const line = lines[index];
|
|
if (regex.test(line)) {
|
|
allMatches.push({
|
|
filePath:
|
|
path.relative(absolutePath, fileAbsolutePath) ||
|
|
path.basename(fileAbsolutePath),
|
|
lineNumber: index + 1,
|
|
line,
|
|
});
|
|
if (allMatches.length >= maxMatches) break;
|
|
}
|
|
}
|
|
} catch (readError: unknown) {
|
|
// Ignore errors like permission denied or file gone during read
|
|
if (!isNodeError(readError) || readError.code !== 'ENOENT') {
|
|
debugLogger.debug(
|
|
`GrepLogic: Could not read/process ${fileAbsolutePath}: ${getErrorMessage(
|
|
readError,
|
|
)}`,
|
|
);
|
|
}
|
|
}
|
|
}
|
|
|
|
return allMatches;
|
|
} catch (error: unknown) {
|
|
debugLogger.warn(
|
|
`GrepLogic: Error in performGrepSearch (Strategy: ${strategyUsed}): ${getErrorMessage(
|
|
error,
|
|
)}`,
|
|
);
|
|
throw error; // Re-throw
|
|
}
|
|
}
|
|
|
|
getDescription(): string {
|
|
let description = `'${this.params.pattern}'`;
|
|
if (this.params.include) {
|
|
description += ` in ${this.params.include}`;
|
|
}
|
|
if (this.params.dir_path) {
|
|
const resolvedPath = path.resolve(
|
|
this.config.getTargetDir(),
|
|
this.params.dir_path,
|
|
);
|
|
if (
|
|
resolvedPath === this.config.getTargetDir() ||
|
|
this.params.dir_path === '.'
|
|
) {
|
|
description += ` within ./`;
|
|
} else {
|
|
const relativePath = makeRelative(
|
|
resolvedPath,
|
|
this.config.getTargetDir(),
|
|
);
|
|
description += ` within ${shortenPath(relativePath)}`;
|
|
}
|
|
} else {
|
|
// When no path is specified, indicate searching all workspace directories
|
|
const workspaceContext = this.config.getWorkspaceContext();
|
|
const directories = workspaceContext.getDirectories();
|
|
if (directories.length > 1) {
|
|
description += ` across all workspace directories`;
|
|
}
|
|
}
|
|
return description;
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Implementation of the Grep tool logic (moved from CLI)
|
|
*/
|
|
export class GrepTool extends BaseDeclarativeTool<GrepToolParams, ToolResult> {
|
|
static readonly Name = GREP_TOOL_NAME;
|
|
constructor(
|
|
private readonly config: Config,
|
|
messageBus: MessageBus,
|
|
) {
|
|
super(
|
|
GrepTool.Name,
|
|
'SearchText',
|
|
'Searches for a regular expression pattern within file contents. Max 100 matches.',
|
|
Kind.Search,
|
|
{
|
|
properties: {
|
|
pattern: {
|
|
description: `The regular expression (regex) pattern to search for within file contents (e.g., 'function\\s+myFunction', 'import\\s+\\{.*\\}\\s+from\\s+.*').`,
|
|
type: 'string',
|
|
},
|
|
dir_path: {
|
|
description:
|
|
'Optional: The absolute path to the directory to search within. If omitted, searches the current working directory.',
|
|
type: 'string',
|
|
},
|
|
include: {
|
|
description: `Optional: A glob pattern to filter which files are searched (e.g., '*.js', '*.{ts,tsx}', 'src/**'). If omitted, searches all files (respecting potential global ignores).`,
|
|
type: 'string',
|
|
},
|
|
},
|
|
required: ['pattern'],
|
|
type: 'object',
|
|
},
|
|
messageBus,
|
|
true,
|
|
false,
|
|
);
|
|
}
|
|
|
|
/**
|
|
* Validates the parameters for the tool
|
|
* @param params Parameters to validate
|
|
* @returns An error message string if invalid, null otherwise
|
|
*/
|
|
protected override validateToolParamValues(
|
|
params: GrepToolParams,
|
|
): string | null {
|
|
try {
|
|
new RegExp(params.pattern);
|
|
} catch (error) {
|
|
return `Invalid regular expression pattern provided: ${params.pattern}. Error: ${getErrorMessage(error)}`;
|
|
}
|
|
|
|
// Only validate dir_path if one is provided
|
|
if (params.dir_path) {
|
|
const resolvedPath = path.resolve(
|
|
this.config.getTargetDir(),
|
|
params.dir_path,
|
|
);
|
|
const validationError = this.config.validatePathAccess(
|
|
resolvedPath,
|
|
'read',
|
|
);
|
|
if (validationError) {
|
|
return validationError;
|
|
}
|
|
|
|
// We still want to check if it's a directory
|
|
try {
|
|
const stats = fs.statSync(resolvedPath);
|
|
if (!stats.isDirectory()) {
|
|
return `Path is not a directory: ${resolvedPath}`;
|
|
}
|
|
} catch (error: unknown) {
|
|
if (isNodeError(error) && error.code === 'ENOENT') {
|
|
return `Path does not exist: ${resolvedPath}`;
|
|
}
|
|
return `Failed to access path stats for ${resolvedPath}: ${getErrorMessage(error)}`;
|
|
}
|
|
}
|
|
|
|
return null; // Parameters are valid
|
|
}
|
|
|
|
protected createInvocation(
|
|
params: GrepToolParams,
|
|
messageBus: MessageBus,
|
|
_toolName?: string,
|
|
_toolDisplayName?: string,
|
|
): ToolInvocation<GrepToolParams, ToolResult> {
|
|
return new GrepToolInvocation(
|
|
this.config,
|
|
params,
|
|
messageBus,
|
|
_toolName,
|
|
_toolDisplayName,
|
|
);
|
|
}
|
|
}
|