Files
n8n-mcp/tests/integration/mcp-protocol/tool-invocation.test.ts
czlonkowski e405346b3e fix: resolve all TypeScript and lint errors in integration tests
- Fixed InMemoryTransport destructuring (object → array)
- Updated all callTool calls to new object syntax
- Changed getServerInfo() to getServerVersion()
- Added type assertions for response objects
- Fixed import paths and missing imports
- Corrected template and performance test type issues
- All 56 TypeScript errors resolved

Both 'npm run lint' and 'npm run typecheck' now pass successfully
2025-07-29 18:09:03 +02:00

545 lines
18 KiB
TypeScript

import { describe, it, expect, beforeEach, afterEach } from 'vitest';
import { InMemoryTransport } from '@modelcontextprotocol/sdk/inMemory.js';
import { Client } from '@modelcontextprotocol/sdk/client/index.js';
import { TestableN8NMCPServer } from './test-helpers';
describe('MCP Tool Invocation', () => {
let mcpServer: TestableN8NMCPServer;
let client: Client;
beforeEach(async () => {
mcpServer = new TestableN8NMCPServer();
await mcpServer.initialize();
const [serverTransport, clientTransport] = InMemoryTransport.createLinkedPair();
await mcpServer.connectToTransport(serverTransport);
client = new Client({
name: 'test-client',
version: '1.0.0'
}, {
capabilities: {}
});
await client.connect(clientTransport);
});
afterEach(async () => {
await client.close();
await mcpServer.close();
});
describe('Node Discovery Tools', () => {
describe('list_nodes', () => {
it('should list nodes with default parameters', async () => {
const response = await client.callTool({ name: 'list_nodes', arguments: {} });
expect(response).toHaveLength(1);
expect((response[0] as any).type).toBe('text');
const nodes = JSON.parse((response[0] as any).text);
expect(Array.isArray(nodes)).toBe(true);
expect(nodes.length).toBeGreaterThan(0);
// Check node structure
const firstNode = nodes[0];
expect(firstNode).toHaveProperty('name');
expect(firstNode).toHaveProperty('displayName');
expect(firstNode).toHaveProperty('type');
});
it('should filter nodes by category', async () => {
const response = await client.callTool({ name: 'list_nodes', arguments: {
category: 'trigger'
}});
const nodes = JSON.parse((response[0] as any).text);
expect(nodes.length).toBeGreaterThan(0);
nodes.forEach((node: any) => {
expect(node.category).toBe('trigger');
});
});
it('should limit results', async () => {
const response = await client.callTool({ name: 'list_nodes', arguments: {
limit: 5
}});
const nodes = JSON.parse((response[0] as any).text);
expect(nodes).toHaveLength(5);
});
it('should filter by package', async () => {
const response = await client.callTool({ name: 'list_nodes', arguments: {
package: 'n8n-nodes-base'
}});
const nodes = JSON.parse((response[0] as any).text);
expect(nodes.length).toBeGreaterThan(0);
nodes.forEach((node: any) => {
expect(node.package).toBe('n8n-nodes-base');
});
});
});
describe('search_nodes', () => {
it('should search nodes by keyword', async () => {
const response = await client.callTool({ name: 'search_nodes', arguments: {
query: 'webhook'
}});
const nodes = JSON.parse((response[0] as any).text);
expect(nodes.length).toBeGreaterThan(0);
// Should find webhook node
const webhookNode = nodes.find((n: any) => n.name === 'webhook');
expect(webhookNode).toBeDefined();
});
it('should support different search modes', async () => {
// OR mode
const orResponse = await client.callTool({ name: 'search_nodes', arguments: {
query: 'http request',
mode: 'OR'
}});
const orNodes = JSON.parse((orResponse[0] as any).text);
expect(orNodes.length).toBeGreaterThan(0);
// AND mode
const andResponse = await client.callTool({ name: 'search_nodes', arguments: {
query: 'http request',
mode: 'AND'
}});
const andNodes = JSON.parse((andResponse[0] as any).text);
expect(andNodes.length).toBeLessThanOrEqual(orNodes.length);
// FUZZY mode
const fuzzyResponse = await client.callTool({ name: 'search_nodes', arguments: {
query: 'htpp requst', // Intentional typos
mode: 'FUZZY'
}});
const fuzzyNodes = JSON.parse((fuzzyResponse[0] as any).text);
expect(fuzzyNodes.length).toBeGreaterThan(0);
});
it('should respect result limit', async () => {
const response = await client.callTool({ name: 'search_nodes', arguments: {
query: 'node',
limit: 3
}});
const nodes = JSON.parse((response[0] as any).text);
expect(nodes).toHaveLength(3);
});
});
describe('get_node_info', () => {
it('should get complete node information', async () => {
const response = await client.callTool({ name: 'get_node_info', arguments: {
nodeType: 'nodes-base.httpRequest'
}});
expect((response[0] as any).type).toBe('text');
const nodeInfo = JSON.parse((response[0] as any).text);
expect(nodeInfo).toHaveProperty('name', 'httpRequest');
expect(nodeInfo).toHaveProperty('displayName');
expect(nodeInfo).toHaveProperty('properties');
expect(Array.isArray(nodeInfo.properties)).toBe(true);
});
it('should handle non-existent nodes', async () => {
try {
await client.callTool({ name: 'get_node_info', arguments: {
nodeType: 'nodes-base.nonExistent'
}});
expect.fail('Should have thrown an error');
} catch (error: any) {
expect(error.message).toContain('not found');
}
});
it('should handle invalid node type format', async () => {
try {
await client.callTool({ name: 'get_node_info', arguments: {
nodeType: 'invalidFormat'
}});
expect.fail('Should have thrown an error');
} catch (error: any) {
expect(error.message).toContain('not found');
}
});
});
describe('get_node_essentials', () => {
it('should return condensed node information', async () => {
const response = await client.callTool({ name: 'get_node_essentials', arguments: {
nodeType: 'nodes-base.httpRequest'
}});
const essentials = JSON.parse((response[0] as any).text);
expect(essentials).toHaveProperty('nodeType');
expect(essentials).toHaveProperty('displayName');
expect(essentials).toHaveProperty('essentialProperties');
expect(essentials).toHaveProperty('examples');
// Should be smaller than full info
const fullResponse = await client.callTool({ name: 'get_node_info', arguments: {
nodeType: 'nodes-base.httpRequest'
}});
expect((response[0] as any).text.length).toBeLessThan((fullResponse[0] as any).text.length);
});
});
});
describe('Validation Tools', () => {
describe('validate_node_operation', () => {
it('should validate valid node configuration', async () => {
const response = await client.callTool({ name: 'validate_node_operation', arguments: {
nodeType: 'nodes-base.httpRequest',
config: {
method: 'GET',
url: 'https://api.example.com/data'
}
}});
const validation = JSON.parse((response[0] as any).text);
expect(validation).toHaveProperty('valid');
expect(validation).toHaveProperty('errors');
expect(validation).toHaveProperty('warnings');
});
it('should detect missing required fields', async () => {
const response = await client.callTool({ name: 'validate_node_operation', arguments: {
nodeType: 'nodes-base.httpRequest',
config: {
method: 'GET'
// Missing required 'url' field
}
}});
const validation = JSON.parse((response[0] as any).text);
expect(validation.valid).toBe(false);
expect(validation.errors.length).toBeGreaterThan(0);
expect(validation.errors[0].message).toContain('url');
});
it('should support different validation profiles', async () => {
const profiles = ['minimal', 'runtime', 'ai-friendly', 'strict'];
for (const profile of profiles) {
const response = await client.callTool({ name: 'validate_node_operation', arguments: {
nodeType: 'nodes-base.httpRequest',
config: { method: 'GET', url: 'https://api.example.com' },
profile
}});
const validation = JSON.parse((response[0] as any).text);
expect(validation).toHaveProperty('profile', profile);
}
});
});
describe('validate_workflow', () => {
it('should validate complete workflow', async () => {
const workflow = {
nodes: [
{
id: '1',
name: 'Start',
type: 'nodes-base.manualTrigger',
typeVersion: 1,
position: [0, 0],
parameters: {}
},
{
id: '2',
name: 'HTTP Request',
type: 'nodes-base.httpRequest',
typeVersion: 3,
position: [250, 0],
parameters: {
method: 'GET',
url: 'https://api.example.com/data'
}
}
],
connections: {
'Start': {
'main': [[{ node: 'HTTP Request', type: 'main', index: 0 }]]
}
}
};
const response = await client.callTool({ name: 'validate_workflow', arguments: {
workflow
}});
const validation = JSON.parse((response[0] as any).text);
expect(validation).toHaveProperty('valid');
expect(validation).toHaveProperty('errors');
expect(validation).toHaveProperty('warnings');
});
it('should detect connection errors', async () => {
const workflow = {
nodes: [
{
id: '1',
name: 'Start',
type: 'nodes-base.manualTrigger',
typeVersion: 1,
position: [0, 0],
parameters: {}
}
],
connections: {
'Start': {
'main': [[{ node: 'NonExistent', type: 'main', index: 0 }]]
}
}
};
const response = await client.callTool({ name: 'validate_workflow', arguments: {
workflow
}});
const validation = JSON.parse((response[0] as any).text);
expect(validation.valid).toBe(false);
expect(validation.errors.length).toBeGreaterThan(0);
});
it('should validate expressions', async () => {
const workflow = {
nodes: [
{
id: '1',
name: 'Start',
type: 'nodes-base.manualTrigger',
typeVersion: 1,
position: [0, 0],
parameters: {}
},
{
id: '2',
name: 'Set',
type: 'nodes-base.set',
typeVersion: 1,
position: [250, 0],
parameters: {
values: {
string: [
{
name: 'test',
value: '={{ $json.invalidExpression }}'
}
]
}
}
}
],
connections: {
'Start': {
'main': [[{ node: 'Set', type: 'main', index: 0 }]]
}
}
};
const response = await client.callTool({ name: 'validate_workflow', arguments: {
workflow,
options: {
validateExpressions: true
}
}});
const validation = JSON.parse((response[0] as any).text);
expect(validation).toHaveProperty('expressionWarnings');
});
});
});
describe('Documentation Tools', () => {
describe('tools_documentation', () => {
it('should get quick start guide', async () => {
const response = await client.callTool({ name: 'tools_documentation', arguments: {} });
expect((response[0] as any).type).toBe('text');
expect((response[0] as any).text).toContain('Quick Reference');
});
it('should get specific tool documentation', async () => {
const response = await client.callTool({ name: 'tools_documentation', arguments: {
topic: 'search_nodes'
}});
expect((response[0] as any).text).toContain('search_nodes');
expect((response[0] as any).text).toContain('Search nodes by keywords');
});
it('should get comprehensive documentation', async () => {
const response = await client.callTool({ name: 'tools_documentation', arguments: {
depth: 'full'
}});
expect((response[0] as any).text.length).toBeGreaterThan(5000);
expect((response[0] as any).text).toContain('Comprehensive');
});
it('should handle invalid topics gracefully', async () => {
const response = await client.callTool({ name: 'tools_documentation', arguments: {
topic: 'nonexistent_tool'
}});
expect((response[0] as any).text).toContain('not found');
});
});
});
describe('AI Tools', () => {
describe('list_ai_tools', () => {
it('should list AI-capable nodes', async () => {
const response = await client.callTool({ name: 'list_ai_tools', arguments: {} });
const aiTools = JSON.parse((response[0] as any).text);
expect(Array.isArray(aiTools)).toBe(true);
expect(aiTools.length).toBeGreaterThan(0);
// All should be AI-capable
aiTools.forEach((tool: any) => {
expect(tool.isAITool).toBe(true);
});
});
});
describe('get_node_as_tool_info', () => {
it('should provide AI tool usage information', async () => {
const response = await client.callTool({ name: 'get_node_as_tool_info', arguments: {
nodeType: 'nodes-base.slack'
}});
const info = JSON.parse((response[0] as any).text);
expect(info).toHaveProperty('nodeType');
expect(info).toHaveProperty('canBeUsedAsTool');
expect(info).toHaveProperty('requirements');
expect(info).toHaveProperty('useCases');
});
});
});
describe('Task Templates', () => {
describe('get_node_for_task', () => {
it('should return pre-configured node for task', async () => {
const response = await client.callTool({ name: 'get_node_for_task', arguments: {
task: 'post_json_request'
}});
const config = JSON.parse((response[0] as any).text);
expect(config).toHaveProperty('nodeType');
expect(config).toHaveProperty('displayName');
expect(config).toHaveProperty('parameters');
expect(config.parameters.method).toBe('POST');
});
it('should handle unknown tasks', async () => {
try {
await client.callTool({ name: 'get_node_for_task', arguments: {
task: 'unknown_task'
}});
expect.fail('Should have thrown an error');
} catch (error: any) {
expect(error.message).toContain('Unknown task');
}
});
});
describe('list_tasks', () => {
it('should list all available tasks', async () => {
const response = await client.callTool({ name: 'list_tasks', arguments: {} });
const tasks = JSON.parse((response[0] as any).text);
expect(Array.isArray(tasks)).toBe(true);
expect(tasks.length).toBeGreaterThan(0);
// Check task structure
tasks.forEach((task: any) => {
expect(task).toHaveProperty('task');
expect(task).toHaveProperty('description');
expect(task).toHaveProperty('category');
});
});
it('should filter by category', async () => {
const response = await client.callTool({ name: 'list_tasks', arguments: {
category: 'HTTP/API'
}});
const tasks = JSON.parse((response[0] as any).text);
tasks.forEach((task: any) => {
expect(task.category).toBe('HTTP/API');
});
});
});
});
describe('Complex Tool Interactions', () => {
it('should handle tool chaining', async () => {
// Search for nodes
const searchResponse = await client.callTool({ name: 'search_nodes', arguments: {
query: 'slack'
}});
const nodes = JSON.parse((searchResponse[0] as any).text);
// Get info for first result
const firstNode = nodes[0];
const infoResponse = await client.callTool({ name: 'get_node_info', arguments: {
nodeType: `${firstNode.package}.${firstNode.name}`
}});
expect((infoResponse[0] as any).text).toContain(firstNode.name);
});
it('should handle parallel tool calls', async () => {
const tools = [
'list_nodes',
'get_database_statistics',
'list_ai_tools',
'list_tasks'
];
const promises = tools.map(tool =>
client.callTool({ name: tool as any, arguments: {} })
);
const responses = await Promise.all(promises);
expect(responses).toHaveLength(tools.length);
responses.forEach(response => {
expect(response).toHaveLength(1);
expect((response[0] as any).type).toBe('text');
});
});
it('should maintain consistency across related tools', async () => {
// Get node via different methods
const nodeType = 'nodes-base.httpRequest';
const [fullInfo, essentials, searchResult] = await Promise.all([
client.callTool({ name: 'get_node_info', arguments: { nodeType } }),
client.callTool({ name: 'get_node_essentials', arguments: { nodeType } }),
client.callTool({ name: 'search_nodes', arguments: { query: 'httpRequest' } })
]);
const full = JSON.parse((fullInfo[0] as any).text);
const essential = JSON.parse((essentials[0] as any).text);
const search = JSON.parse((searchResult[0] as any).text);
// Should all reference the same node
expect(full.name).toBe('httpRequest');
expect(essential.displayName).toBe(full.displayName);
expect(search.find((n: any) => n.name === 'httpRequest')).toBeDefined();
});
});
});