mirror of
https://github.com/catlog22/Claude-Code-Workflow.git
synced 2026-03-12 17:21:19 +08:00
- Enhance smart-search with advanced MCP integration - Add GEMINI_API_KEY configuration support in codexlens - Update MCP server with new tool handlers - Add tests for smart-search MCP usage - Update documentation
322 lines
12 KiB
JavaScript
322 lines
12 KiB
JavaScript
import { afterEach, before, describe, it } from 'node:test';
|
|
import assert from 'node:assert/strict';
|
|
import { mkdirSync, mkdtempSync, rmSync, writeFileSync } from 'node:fs';
|
|
import { tmpdir } from 'node:os';
|
|
import { join } from 'node:path';
|
|
|
|
const smartSearchPath = new URL('../dist/tools/smart-search.js', import.meta.url).href;
|
|
|
|
describe('Smart Search MCP usage defaults and path handling', async () => {
|
|
let smartSearchModule;
|
|
const tempDirs = [];
|
|
|
|
before(async () => {
|
|
try {
|
|
smartSearchModule = await import(smartSearchPath);
|
|
} catch (err) {
|
|
console.log('Note: smart-search module import skipped:', err?.message ?? String(err));
|
|
}
|
|
});
|
|
|
|
afterEach(() => {
|
|
while (tempDirs.length > 0) {
|
|
rmSync(tempDirs.pop(), { recursive: true, force: true });
|
|
}
|
|
});
|
|
|
|
function createWorkspace() {
|
|
const dir = mkdtempSync(join(tmpdir(), 'ccw-smart-search-'));
|
|
tempDirs.push(dir);
|
|
return dir;
|
|
}
|
|
|
|
it('keeps schema defaults aligned with runtime docs', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const { schema } = smartSearchModule;
|
|
const props = schema.inputSchema.properties;
|
|
|
|
assert.equal(props.maxResults.default, 5);
|
|
assert.equal(props.limit.default, 5);
|
|
assert.match(schema.description, /static FTS index/i);
|
|
assert.match(schema.description, /semantic\/vector embeddings/i);
|
|
assert.ok(props.action.enum.includes('embed'));
|
|
assert.match(props.embeddingBackend.description, /litellm\/api/i);
|
|
assert.match(props.apiMaxWorkers.description, /endpoint pool/i);
|
|
assert.match(schema.description, /apiMaxWorkers=8/i);
|
|
assert.match(props.path.description, /single file path/i);
|
|
assert.ok(props.output_mode.enum.includes('ace'));
|
|
assert.match(props.output_mode.description, /ACE-style/i);
|
|
assert.equal(props.output_mode.default, 'ace');
|
|
});
|
|
|
|
it('defaults auto embedding warmup to enabled unless explicitly disabled', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const { __testables } = smartSearchModule;
|
|
assert.equal(__testables.isAutoEmbedMissingEnabled(undefined), true);
|
|
assert.equal(__testables.isAutoEmbedMissingEnabled({}), true);
|
|
assert.equal(__testables.isAutoEmbedMissingEnabled({ embedding_auto_embed_missing: true }), true);
|
|
assert.equal(__testables.isAutoEmbedMissingEnabled({ embedding_auto_embed_missing: false }), false);
|
|
});
|
|
|
|
it('honors explicit small limit values', async () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
const file = join(dir, 'many.ts');
|
|
writeFileSync(file, ['const hit = 1;', 'const hit = 2;', 'const hit = 3;'].join('\n'));
|
|
|
|
const toolResult = await smartSearchModule.handler({
|
|
action: 'search',
|
|
query: 'hit',
|
|
path: dir,
|
|
output_mode: 'full',
|
|
limit: 1,
|
|
regex: false,
|
|
tokenize: false,
|
|
});
|
|
|
|
assert.equal(toolResult.success, true, toolResult.error);
|
|
assert.equal(toolResult.result.success, true);
|
|
assert.equal(toolResult.result.results.length, 1);
|
|
assert.equal(toolResult.result.metadata.pagination.limit, 1);
|
|
});
|
|
|
|
it('scopes search results to a single file path', async () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
const target = join(dir, 'target.ts');
|
|
const other = join(dir, 'other.ts');
|
|
writeFileSync(target, 'const TARGET_TOKEN = 1;\n');
|
|
writeFileSync(other, 'const TARGET_TOKEN = 2;\n');
|
|
|
|
const toolResult = await smartSearchModule.handler({
|
|
action: 'search',
|
|
query: 'TARGET_TOKEN',
|
|
path: target,
|
|
output_mode: 'full',
|
|
regex: false,
|
|
tokenize: false,
|
|
});
|
|
|
|
assert.equal(toolResult.success, true, toolResult.error);
|
|
assert.equal(toolResult.result.success, true);
|
|
assert.ok(Array.isArray(toolResult.result.results));
|
|
assert.ok(toolResult.result.results.length >= 1);
|
|
|
|
const normalizedFiles = toolResult.result.results.map((item) => String(item.file).replace(/\\/g, '/'));
|
|
assert.ok(normalizedFiles.every((file) => file.endsWith('/target.ts') || file === 'target.ts'));
|
|
assert.ok(normalizedFiles.every((file) => !file.endsWith('/other.ts')));
|
|
});
|
|
|
|
it('normalizes wrapped multiline query and file path inputs', async () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
const nestedDir = join(dir, 'hydro_generator_module', 'builders');
|
|
mkdirSync(nestedDir, { recursive: true });
|
|
const target = join(nestedDir, 'full_machine_builders.py');
|
|
writeFileSync(target, 'def _resolve_rotor_inner():\n return rotor_main_seg\n');
|
|
|
|
const wrappedPath = target.replace(/([\\/])builders([\\/])/, '$1\n builders$2');
|
|
const wrappedQuery = '_resolve_rotor_inner OR\n rotor_main_seg';
|
|
|
|
const toolResult = await smartSearchModule.handler({
|
|
action: 'search',
|
|
query: wrappedQuery,
|
|
path: wrappedPath,
|
|
output_mode: 'full',
|
|
regex: false,
|
|
caseSensitive: false,
|
|
});
|
|
|
|
assert.equal(toolResult.success, true, toolResult.error);
|
|
assert.equal(toolResult.result.success, true);
|
|
assert.ok(toolResult.result.results.length >= 1);
|
|
});
|
|
|
|
it('falls back to literal ripgrep matching for invalid regex-like code queries', async () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
const target = join(dir, 'component.ts');
|
|
writeFileSync(target, 'defineExpose({ handleResize });\n');
|
|
|
|
const toolResult = await smartSearchModule.handler({
|
|
action: 'search',
|
|
query: 'defineExpose({ handleResize',
|
|
path: dir,
|
|
output_mode: 'full',
|
|
limit: 5,
|
|
});
|
|
|
|
assert.equal(toolResult.success, true, toolResult.error);
|
|
assert.equal(toolResult.result.success, true);
|
|
assert.ok(toolResult.result.results.length >= 1);
|
|
assert.match(toolResult.result.metadata.warning, /literal ripgrep matching/i);
|
|
});
|
|
|
|
it('renders grouped ace-style output by default with multi-line chunks', async () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
const target = join(dir, 'ace-target.ts');
|
|
writeFileSync(target, [
|
|
'const before = 1;',
|
|
'const TARGET_TOKEN = 1;',
|
|
'const after = 2;',
|
|
'',
|
|
'function useToken() {',
|
|
' return TARGET_TOKEN;',
|
|
'}',
|
|
].join('\n'));
|
|
|
|
const toolResult = await smartSearchModule.handler({
|
|
action: 'search',
|
|
query: 'TARGET_TOKEN',
|
|
path: dir,
|
|
contextLines: 1,
|
|
regex: false,
|
|
tokenize: false,
|
|
});
|
|
|
|
assert.equal(toolResult.success, true, toolResult.error);
|
|
assert.equal(toolResult.result.success, true);
|
|
assert.equal(toolResult.result.results.format, 'ace');
|
|
assert.equal(Array.isArray(toolResult.result.results.groups), true);
|
|
assert.equal(Array.isArray(toolResult.result.results.sections), true);
|
|
assert.equal(toolResult.result.results.groups.length, 1);
|
|
assert.equal(toolResult.result.results.groups[0].sections.length, 2);
|
|
assert.match(toolResult.result.results.text, /The following code sections were retrieved:/);
|
|
assert.match(toolResult.result.results.text, /Path: .*ace-target\.ts/);
|
|
assert.match(toolResult.result.results.text, /Chunk 1: lines 1-3/);
|
|
assert.match(toolResult.result.results.text, />\s+2 \| const TARGET_TOKEN = 1;/);
|
|
assert.match(toolResult.result.results.text, /Chunk 2: lines 5-7/);
|
|
assert.equal(toolResult.result.metadata.pagination.total >= 1, true);
|
|
});
|
|
|
|
it('defaults embed selection to local-fast for bulk indexing', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const selection = smartSearchModule.__testables.resolveEmbeddingSelection(undefined, undefined, {
|
|
embedding_backend: 'litellm',
|
|
embedding_model: 'qwen3-embedding-sf',
|
|
});
|
|
|
|
assert.equal(selection.backend, 'fastembed');
|
|
assert.equal(selection.model, 'fast');
|
|
assert.equal(selection.preset, 'bulk-local-fast');
|
|
assert.match(selection.note, /local-fast/i);
|
|
});
|
|
|
|
it('keeps explicit api embedding selection when requested', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const selection = smartSearchModule.__testables.resolveEmbeddingSelection('api', 'qwen3-embedding-sf', {
|
|
embedding_backend: 'fastembed',
|
|
embedding_model: 'fast',
|
|
});
|
|
|
|
assert.equal(selection.backend, 'litellm');
|
|
assert.equal(selection.model, 'qwen3-embedding-sf');
|
|
assert.equal(selection.preset, 'explicit');
|
|
});
|
|
|
|
it('parses warning-prefixed JSON and plain-text file lists for semantic fallback', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
const target = join(dir, 'target.ts');
|
|
writeFileSync(target, 'export const target = 1;\n');
|
|
|
|
const parsed = smartSearchModule.__testables.parseCodexLensJsonOutput([
|
|
'RuntimeWarning: compatibility shim',
|
|
JSON.stringify({ results: [{ file: 'target.ts', score: 0.25, excerpt: 'target' }] }),
|
|
].join('\n'));
|
|
assert.equal(Array.isArray(parsed.results), true);
|
|
assert.equal(parsed.results[0].file, 'target.ts');
|
|
|
|
const matches = smartSearchModule.__testables.parsePlainTextFileMatches(target, {
|
|
workingDirectory: dir,
|
|
searchPaths: ['.'],
|
|
});
|
|
assert.equal(matches.length, 1);
|
|
assert.match(String(matches[0].file).replace(/\\/g, '/'), /target\.ts$/);
|
|
});
|
|
|
|
it('detects centralized vector artifacts as full embedding coverage evidence', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const dir = createWorkspace();
|
|
writeFileSync(join(dir, '_vectors.hnsw'), 'hnsw');
|
|
writeFileSync(join(dir, '_vectors_meta.db'), 'meta');
|
|
writeFileSync(join(dir, '_binary_vectors.mmap'), 'mmap');
|
|
|
|
assert.equal(smartSearchModule.__testables.hasCentralizedVectorArtifacts(dir), true);
|
|
});
|
|
|
|
it('recognizes CodexLens CLI compatibility failures and invalid regex fallback', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const compatibilityError = [
|
|
'UsageError: Got unexpected extra arguments (20 0 fts)',
|
|
'TypeError: TyperArgument.make_metavar() takes 1 positional argument but 2 were given',
|
|
].join('\n');
|
|
|
|
assert.equal(
|
|
smartSearchModule.__testables.isCodexLensCliCompatibilityError(compatibilityError),
|
|
true,
|
|
);
|
|
|
|
const resolution = smartSearchModule.__testables.resolveRipgrepQueryMode(
|
|
'defineExpose({ handleResize',
|
|
true,
|
|
true,
|
|
);
|
|
|
|
assert.equal(resolution.regex, false);
|
|
assert.equal(resolution.literalFallback, true);
|
|
assert.match(resolution.warning, /literal ripgrep matching/i);
|
|
});
|
|
|
|
it('builds actionable index suggestions for unhealthy index states', () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const suggestions = smartSearchModule.__testables.buildIndexSuggestions(
|
|
{
|
|
indexed: true,
|
|
has_embeddings: false,
|
|
embeddings_coverage_percent: 0,
|
|
warning: 'Index exists but no embeddings generated. Run smart_search(action="embed") to build the vector index.',
|
|
},
|
|
{
|
|
workingDirectory: 'D:/tmp/demo',
|
|
searchPaths: ['.'],
|
|
},
|
|
);
|
|
|
|
assert.equal(Array.isArray(suggestions), true);
|
|
assert.match(suggestions[0].command, /smart_search\(action="embed"/);
|
|
});
|
|
|
|
it('surfaces backend failure details when fuzzy search fully fails', async () => {
|
|
if (!smartSearchModule) return;
|
|
|
|
const missingPath = join(createWorkspace(), 'missing-folder', 'missing.ts');
|
|
const toolResult = await smartSearchModule.handler({
|
|
action: 'search',
|
|
query: 'TARGET_TOKEN',
|
|
path: missingPath,
|
|
output_mode: 'full',
|
|
regex: false,
|
|
tokenize: false,
|
|
});
|
|
|
|
assert.equal(toolResult.success, false);
|
|
assert.match(toolResult.error, /Both search backends failed:/);
|
|
assert.match(toolResult.error, /(FTS|Ripgrep)/);
|
|
});
|
|
});
|