MCP客户端启动器

Spring AI MCP(模型上下文协议)客户端启动器为 Spring Boot 应用程序中的 MCP 客户端功能提供了自动配置。它支持具有各种传输选项的同步和异步客户端实现。

MCP 客户端启动器提供

  • 多个客户端实例的管理

  • 自动客户端初始化(如果启用)

  • 支持多种命名传输(STDIO、Http/SSE 和 Streamable HTTP)

  • 与 Spring AI 的工具执行框架集成

  • 用于选择性工具包含/排除的工具过滤功能

  • 可定制的工具名称前缀生成,以避免命名冲突

  • 适当的生命周期管理,并在应用程序上下文关闭时自动清理资源

  • 通过定制器进行可定制的客户端创建

启动器

标准 MCP 客户端

<dependency>
    <groupId>org.springframework.ai</groupId>
    <artifactId>spring-ai-starter-mcp-client</artifactId>
</dependency>

标准启动器通过 STDIO(进程内)、SSEStreamable-HTTPStateless Streamable-HTTP 传输同时连接到一个或多个 MCP 服务器。SSE 和 Streamable-Http 传输使用基于 JDK HttpClient 的传输实现。每次连接到 MCP 服务器都会创建一个新的 MCP 客户端实例。您可以选择 SYNCASYNC MCP 客户端(注意:您不能混合使用同步和异步客户端)。对于生产部署,我们建议使用基于 WebFlux 的 SSE 和 StreamableHttp 连接,并使用 spring-ai-starter-mcp-client-webflux

WebFlux 客户端

WebFlux 启动器提供与标准启动器类似的功能,但使用基于 WebFlux 的 Streamable-Http、无状态 Streamable-Http 和 SSE 传输实现。

<dependency>
    <groupId>org.springframework.ai</groupId>
    <artifactId>spring-ai-starter-mcp-client-webflux</artifactId>
</dependency>

配置属性

通用属性

通用属性以 spring.ai.mcp.client 为前缀

财产 描述 默认值

enabled

启用/禁用 MCP 客户端

true

name

MCP 客户端实例的名称

spring-ai-mcp-client

version

MCP 客户端实例的版本

1.0.0

initialized

是否在创建时初始化客户端

true

request-timeout

MCP 客户端请求的超时持续时间

20s

类型

客户端类型(SYNC 或 ASYNC)。所有客户端必须是同步或异步;不支持混合

SYNC

root-change-notification

启用/禁用所有客户端的根更改通知

true

toolcallback.enabled

启用/禁用 MCP 工具回调与 Spring AI 工具执行框架的集成

true

MCP注解属性

MCP 客户端注解提供了一种使用 Java 注解实现 MCP 客户端处理程序的声明性方式。客户端 mcp-annotations 属性以 spring.ai.mcp.client.annotation-scanner 为前缀

财产 描述 默认值

enabled

启用/禁用 MCP 客户端注解自动扫描

true

Stdio 传输属性

标准 I/O 传输的属性以 spring.ai.mcp.client.stdio 为前缀

财产 描述 默认值

servers-configuration

包含 JSON 格式的 MCP 服务器配置的资源

-

connections

命名 stdio 连接配置的映射

-

connections.[name].command

要为 MCP 服务器执行的命令

-

connections.[name].args

命令参数列表

-

connections.[name].env

服务器进程的环境变量映射

-

配置示例

spring:
  ai:
    mcp:
      client:
        stdio:
          root-change-notification: true
          connections:
            server1:
              command: /path/to/server
              args:
                - --port=8080
                - --mode=production
              env:
                API_KEY: your-api-key
                DEBUG: "true"

或者,您可以使用 Claude 桌面格式 使用外部 JSON 文件配置 stdio 连接

spring:
  ai:
    mcp:
      client:
        stdio:
          servers-configuration: classpath:mcp-servers.json

Claude 桌面格式如下所示

{
  "mcpServers": {
    "filesystem": {
      "command": "npx",
      "args": [
        "-y",
        "@modelcontextprotocol/server-filesystem",
        "/Users/username/Desktop",
        "/Users/username/Downloads"
      ]
    }
  }
}

Windows STDIO 配置

在 Windows 上,npxnpmnode 等命令是作为批处理文件 (.cmd) 实现的,而不是原生可执行文件。Java 的 ProcessBuilder 无法直接执行批处理文件,需要 cmd.exe /c 包装器。

为什么 Windows 需要特殊处理

当 Java 的 ProcessBuilder(由 StdioClientTransport 内部使用)尝试在 Windows 上生成进程时,它只能执行

  • 原生可执行文件 (.exe 文件)

  • cmd.exe 可用的系统命令

npx.cmdnpm.cmd 甚至 python.cmd(来自 Microsoft Store)等 Windows 批处理文件需要 cmd.exe shell 来执行它们。

解决方案:cmd.exe 包装器

使用 cmd.exe /c 包装批处理文件命令

Windows 配置

{
  "mcpServers": {
    "filesystem": {
      "command": "cmd.exe",
      "args": [
        "/c",
        "npx",
        "-y",
        "@modelcontextprotocol/server-filesystem",
        "C:\\Users\\username\\Desktop"
      ]
    }
  }
}

Linux/macOS 配置

{
  "mcpServers": {
    "filesystem": {
      "command": "npx",
      "args": [
        "-y",
        "@modelcontextprotocol/server-filesystem",
        "/Users/username/Desktop"
      ]
    }
  }
}

跨平台编程配置

对于需要跨平台工作而无需单独配置文件的应用程序,请在 Spring Boot 应用程序中使用操作系统检测

@Bean(destroyMethod = "close")
@ConditionalOnMissingBean(McpSyncClient.class)
public McpSyncClient mcpClient() {
    ServerParameters stdioParams;

    if (isWindows()) {
        // Windows: cmd.exe /c npx approach
        var winArgs = new ArrayList<>(Arrays.asList(
            "/c", "npx", "-y", "@modelcontextprotocol/server-filesystem", "target"));
        stdioParams = ServerParameters.builder("cmd.exe")
                .args(winArgs)
                .build();
    } else {
        // Linux/Mac: direct npx approach
        stdioParams = ServerParameters.builder("npx")
                .args("-y", "@modelcontextprotocol/server-filesystem", "target")
                .build();
    }

    return McpClient.sync(new StdioClientTransport(stdioParams, McpJsonMapper.createDefault()))
            .requestTimeout(Duration.ofSeconds(10))
            .build()
            .initialize();
}

private static boolean isWindows() {
    return System.getProperty("os.name").toLowerCase().contains("win");
}
使用 @Bean 进行编程配置时,添加 @ConditionalOnMissingBean(McpSyncClient.class) 以避免与 JSON 文件中的自动配置冲突。

路径注意事项

相对路径(建议用于可移植性)

{
  "command": "cmd.exe",
  "args": ["/c", "npx", "-y", "@modelcontextprotocol/server-filesystem", "target"]
}

MCP 服务器根据应用程序的工作目录解析相对路径。

绝对路径(Windows 需要反斜杠或转义的正斜杠)

{
  "command": "cmd.exe",
  "args": ["/c", "npx", "-y", "@modelcontextprotocol/server-filesystem", "C:\\Users\\username\\project\\target"]
}

需要 cmd.exe 的常见 Windows 批处理文件

  • npx.cmd, npm.cmd - Node 包管理器

  • python.cmd - Python(Microsoft Store 安装)

  • pip.cmd - Python 包管理器

  • mvn.cmd - Maven 包装器

  • gradle.cmd - Gradle 包装器

  • 自定义 .cmd.bat 脚本

参考实现

请参阅 Spring AI 示例 - 文件系统,了解一个完整的跨平台 MCP 客户端实现,它会自动检测操作系统并相应地配置客户端。

可流式 HTTP 传输属性

用于连接到可流式 HTTP 和无状态可流式 HTTP MCP 服务器。

可流式 HTTP 传输的属性以 spring.ai.mcp.client.streamable-http 为前缀

财产 描述 默认值

connections

命名可流式 HTTP 连接配置的映射

-

connections.[name].url

与 MCP 服务器进行可流式 HTTP 通信的基 URL 端点

-

connections.[name].endpoint

用于连接的可流式 HTTP 端点(作为 URL 后缀)

/mcp

配置示例

spring:
  ai:
    mcp:
      client:
        streamable-http:
          connections:
            server1:
              url: https://:8080
            server2:
              url: http://otherserver:8081
              endpoint: /custom-sse

SSE 传输属性

服务器发送事件 (SSE) 传输的属性以 spring.ai.mcp.client.sse 为前缀

财产 描述 默认值

connections

命名 SSE 连接配置的映射

-

connections.[name].url

与 MCP 服务器进行 SSE 通信的基 URL 端点

-

connections.[name].sse-endpoint

用于连接的 SSE 端点(作为 URL 后缀)

/sse

示例配置

spring:
  ai:
    mcp:
      client:
        sse:
          connections:
            # Simple configuration using default /sse endpoint
            server1:
              url: https://:8080
            # Custom SSE endpoint
            server2:
              url: http://otherserver:8081
              sse-endpoint: /custom-sse
            # Complex URL with path and token (like MCP Hub)
            mcp-hub:
              url: https://:3000
              sse-endpoint: /mcp-hub/sse/cf9ec4527e3c4a2cbb149a85ea45ab01
            # SSE endpoint with query parameters
            api-server:
              url: https://api.example.com
              sse-endpoint: /v1/mcp/events?token=abc123&format=json

URL 分割指南

当您有一个完整的 SSE URL 时,将其拆分为基本 URL 和端点路径

完整 URL 配置

https://:3000/mcp-hub/sse/token123

url: localhost:3000
sse-endpoint: /mcp-hub/sse/token123

https://api.service.com/v2/events?key=secret

url: api.service.com
sse-endpoint: /v2/events?key=secret

https://:8080/sse

url: localhost:8080
sse-endpoint: /sse(或省略使用默认值)

SSE 连接故障排除

404 未找到错误

  • 验证 URL 分割:确保基 url 仅包含方案、主机和端口

  • 检查 sse-endpoint 是否以 / 开头,并包含完整路径和查询参数

  • 直接在浏览器或 curl 中测试完整 URL,确认其可访问

可流式 HTTP 传输属性

可流式 HTTP 传输的属性以 spring.ai.mcp.client.streamable-http 为前缀

财产 描述 默认值

connections

命名可流式 HTTP 连接配置的映射

-

connections.[name].url

与 MCP 服务器进行可流式 HTTP 通信的基 URL 端点

-

connections.[name].endpoint

用于连接的可流式 HTTP 端点(作为 URL 后缀)

/mcp

配置示例

spring:
  ai:
    mcp:
      client:
        streamable-http:
          connections:
            server1:
              url: https://:8080
            server2:
              url: http://otherserver:8081
              endpoint: /custom-sse

功能

同步/异步客户端类型

启动器支持两种类型的客户端

  • 同步 - 默认客户端类型(spring.ai.mcp.client.type=SYNC),适用于具有阻塞操作的传统请求-响应模式

注意: SYNC 客户端将只注册同步 MCP 注解方法。异步方法将被忽略。

  • 异步 - 适用于具有非阻塞操作的反应式应用程序,使用 spring.ai.mcp.client.type=ASYNC 进行配置

注意: ASYNC 客户端将只注册异步 MCP 注解方法。同步方法将被忽略。

客户端定制

自动配置通过回调接口提供广泛的客户端规范定制功能。这些定制器允许您配置 MCP 客户端行为的各个方面,从请求超时到事件处理和消息处理。

定制类型

以下定制选项可用

  • 请求配置 - 设置自定义请求超时

  • 自定义采样处理程序 - 服务器通过客户端向 LLM 请求 LLM 采样(completionsgenerations)的标准化方式。此流程允许客户端保持对模型访问、选择和权限的控制,同时使服务器能够利用 AI 功能——无需服务器 API 密钥。

  • 文件系统(根)访问 - 客户端向服务器公开文件系统 roots 的标准化方式。根定义了服务器在文件系统中可以操作的边界,允许它们了解它们有权访问哪些目录和文件。服务器可以向支持的客户端请求根列表,并在该列表更改时接收通知。

  • 启发式处理程序 - 服务器在交互过程中通过客户端向用户请求额外信息的标准化方式。

  • 事件处理程序 - 客户端的处理程序,用于在发生特定服务器事件时收到通知

    • 工具更改通知 - 当可用服务器工具列表更改时

    • 资源更改通知 - 当可用服务器资源列表更改时。

    • 提示更改通知 - 当可用服务器提示列表更改时。

    • 日志处理程序 - 服务器向客户端发送结构化日志消息的标准化方式。

    • 进度处理程序 - 服务器向客户端发送结构化进度消息的标准化方式。

客户端可以通过设置最小日志级别来控制日志详细程度

客户端定制示例

您可以根据应用程序的需求,为同步客户端实现 McpSyncClientCustomizer,或为异步客户端实现 McpAsyncClientCustomizer

  • 同步

  • 异步

@Component
public class CustomMcpSyncClientCustomizer implements McpSyncClientCustomizer {
    @Override
    public void customize(String serverConfigurationName, McpClient.SyncSpec spec) {

        // Customize the request timeout configuration
        spec.requestTimeout(Duration.ofSeconds(30));

        // Sets the root URIs that this client can access.
        spec.roots(roots);

        // Sets a custom sampling handler for processing message creation requests.
        spec.sampling((CreateMessageRequest messageRequest) -> {
            // Handle sampling
            CreateMessageResult result = ...
            return result;
        });

        // Sets a custom elicitation handler for processing elicitation requests.
        spec.elicitation((ElicitRequest request) -> {
          // handle elicitation
          return new ElicitResult(ElicitResult.Action.ACCEPT, Map.of("message", request.message()));
        });

        // Adds a consumer to be notified when progress notifications are received.
        spec.progressConsumer((ProgressNotification progress) -> {
         // Handle progress notifications
        });

        // Adds a consumer to be notified when the available tools change, such as tools
        // being added or removed.
        spec.toolsChangeConsumer((List<McpSchema.Tool> tools) -> {
            // Handle tools change
        });

        // Adds a consumer to be notified when the available resources change, such as resources
        // being added or removed.
        spec.resourcesChangeConsumer((List<McpSchema.Resource> resources) -> {
            // Handle resources change
        });

        // Adds a consumer to be notified when the available prompts change, such as prompts
        // being added or removed.
        spec.promptsChangeConsumer((List<McpSchema.Prompt> prompts) -> {
            // Handle prompts change
        });

        // Adds a consumer to be notified when logging messages are received from the server.
        spec.loggingConsumer((McpSchema.LoggingMessageNotification log) -> {
            // Handle log messages
        });
    }
}
@Component
public class CustomMcpAsyncClientCustomizer implements McpAsyncClientCustomizer {
    @Override
    public void customize(String serverConfigurationName, McpClient.AsyncSpec spec) {
        // Customize the async client configuration
        spec.requestTimeout(Duration.ofSeconds(30));
    }
}

serverConfigurationName 参数是应用定制器并为此创建 MCP 客户端的服务器配置名称。

MCP 客户端自动配置会自动检测并应用应用程序上下文中找到的任何定制器。

传输支持

自动配置支持多种传输类型

  • 标准 I/O (Stdio)(由 spring-ai-starter-mcp-clientspring-ai-starter-mcp-client-webflux 激活)

  • (HttpClient) HTTP/SSE 和可流式 HTTP(由 spring-ai-starter-mcp-client 激活)

  • (WebFlux) HTTP/SSE 和可流式 HTTP(由 spring-ai-starter-mcp-client-webflux 激活)

工具过滤

MCP 客户端启动器通过 McpToolFilter 接口支持对发现的工具进行过滤。这允许您根据 MCP 连接信息或工具属性等自定义条件选择性地包含或排除工具。

要实现工具过滤,请创建一个实现 McpToolFilter 接口的 bean

@Component
public class CustomMcpToolFilter implements McpToolFilter {

    @Override
    public boolean test(McpConnectionInfo connectionInfo, McpSchema.Tool tool) {
        // Filter logic based on connection information and tool properties
        // Return true to include the tool, false to exclude it

        // Example: Exclude tools from a specific client
        if (connectionInfo.clientInfo().name().equals("restricted-client")) {
            return false;
        }

        // Example: Only include tools with specific names
        if (tool.name().startsWith("allowed_")) {
            return true;
        }

        // Example: Filter based on tool description or other properties
        if (tool.description() != null &&
            tool.description().contains("experimental")) {
            return false;
        }

        return true; // Include all other tools by default
    }
}

McpConnectionInfo 记录提供对以下内容的访问

  • clientCapabilities - MCP 客户端的功能

  • clientInfo - 有关 MCP 客户端的信息(名称和版本)

  • initializeResult - MCP 服务器的初始化结果

过滤器会自动检测并应用于同步和异步 MCP 工具回调提供程序。如果未提供自定义过滤器,则默认情况下包含所有发现的工具。

注意:应用程序上下文中只能定义一个 McpToolFilter bean。如果需要多个过滤器,请将它们组合成一个复合过滤器实现。

工具名称前缀生成

MCP 客户端启动器通过 McpToolNamePrefixGenerator 接口支持可定制的工具名称前缀生成。此功能通过为工具名称添加唯一前缀来帮助避免集成来自多个 MCP 服务器的工具时的命名冲突。

默认情况下,如果未提供自定义 McpToolNamePrefixGenerator bean,启动器将使用 DefaultMcpToolNamePrefixGenerator,它可确保所有 MCP 客户端连接的工具名称唯一。默认生成器

  • 跟踪所有现有连接和工具名称以确保唯一性

  • 通过将非字母数字字符替换为下划线来格式化工具名称(例如,my-tool 变为 my_tool

  • 当在不同连接中检测到重复的工具名称时,添加计数器前缀(例如,alt_1_toolName, alt_2_toolName

  • 是线程安全的并保持幂等性 - 相同的(客户端、服务器、工具)组合总是获得相同的唯一名称

  • 确保最终名称不超过 64 个字符(如有必要,从开头截断)

例如:* 工具 search 的首次出现 → search * 来自不同连接的工具 search 的第二次出现 → alt_1_search * 带有特殊字符的工具 my-special-toolmy_special_tool

您可以通过提供自己的实现来定制此行为

@Component
public class CustomToolNamePrefixGenerator implements McpToolNamePrefixGenerator {

    @Override
    public String prefixedToolName(McpConnectionInfo connectionInfo, Tool tool) {
        // Custom logic to generate prefixed tool names

        // Example: Use server name and version as prefix
        String serverName = connectionInfo.initializeResult().serverInfo().name();
        String serverVersion = connectionInfo.initializeResult().serverInfo().version();
        return serverName + "_v" + serverVersion.replace(".", "_") + "_" + tool.name();
    }
}

McpConnectionInfo 记录提供了有关 MCP 连接的全面信息

  • clientCapabilities - MCP 客户端的功能

  • clientInfo - 有关 MCP 客户端的信息(名称、标题和版本)

  • initializeResult - MCP 服务器的初始化结果,包括服务器信息

内置前缀生成器

该框架提供了几个内置前缀生成器

  • DefaultMcpToolNamePrefixGenerator - 通过跟踪重复项并在需要时添加计数器前缀来确保唯一的工具名称(如果未提供自定义 bean,则默认使用)

  • McpToolNamePrefixGenerator.noPrefix() - 返回不带任何前缀的工具名称(如果多个服务器提供同名工具,可能会导致冲突)

要完全禁用前缀并使用原始工具名称(不建议在多个 MCP 服务器中使用),请将无前缀生成器注册为 bean

@Configuration
public class McpConfiguration {

    @Bean
    public McpToolNamePrefixGenerator mcpToolNamePrefixGenerator() {
        return McpToolNamePrefixGenerator.noPrefix();
    }
}

前缀生成器通过 Spring 的 ObjectProvider 机制自动检测并应用于同步和异步 MCP 工具回调提供程序。如果未提供自定义生成器 bean,则自动使用 DefaultMcpToolNamePrefixGenerator

当使用 McpToolNamePrefixGenerator.noPrefix() 和多个 MCP 服务器时,重复的工具名称将导致 IllegalStateException。默认的 DefaultMcpToolNamePrefixGenerator 通过自动为重复工具名称添加唯一前缀来防止这种情况。

工具上下文到 MCP 元转换器

MCP 客户端启动器支持将 Spring AI 的 ToolContext 可定制地转换为 MCP 工具调用元数据,通过 ToolContextToMcpMetaConverter 接口。此功能允许您将附加上下文信息(例如用户 ID、密钥令牌)作为元数据与 LLM 生成的调用参数一起传递。

例如,您可以在工具上下文中将 MCP progressToken 传递给 MCP 进度流,以跟踪长时间运行操作的进度

ChatModel chatModel = ...

String response = ChatClient.create(chatModel)
        .prompt("Tell me more about the customer with ID 42")
        .toolContext(Map.of("progressToken", "my-progress-token"))
        .call()
        .content();

默认情况下,如果未提供自定义转换器 bean,启动器将使用 ToolContextToMcpMetaConverter.defaultConverter(),它

  • 过滤掉 MCP 交换密钥(McpToolUtils.TOOL_CONTEXT_MCP_EXCHANGE_KEY

  • 过滤掉空值的条目

  • 将所有其他上下文条目作为元数据传递

您可以通过提供自己的实现来定制此行为

@Component
public class CustomToolContextToMcpMetaConverter implements ToolContextToMcpMetaConverter {

    @Override
    public Map<String, Object> convert(ToolContext toolContext) {
        if (toolContext == null || toolContext.getContext() == null) {
            return Map.of();
        }

        // Custom logic to convert tool context to MCP metadata
        Map<String, Object> metadata = new HashMap<>();

        // Example: Add custom prefix to all keys
        for (Map.Entry<String, Object> entry : toolContext.getContext().entrySet()) {
            if (entry.getValue() != null) {
                metadata.put("app_" + entry.getKey(), entry.getValue());
            }
        }

        // Example: Add additional metadata
        metadata.put("timestamp", System.currentTimeMillis());
        metadata.put("source", "spring-ai");

        return metadata;
    }
}

内置转换器

该框架提供了内置转换器

  • ToolContextToMcpMetaConverter.defaultConverter() - 过滤掉 MCP 交换密钥和空值(如果未提供自定义 bean,则默认使用)

  • ToolContextToMcpMetaConverter.noOp() - 返回一个空映射,有效地禁用上下文到元数据的转换

要完全禁用上下文到元数据的转换

@Configuration
public class McpConfiguration {

    @Bean
    public ToolContextToMcpMetaConverter toolContextToMcpMetaConverter() {
        return ToolContextToMcpMetaConverter.noOp();
    }
}

转换器通过 Spring 的 ObjectProvider 机制自动检测并应用于同步和异步 MCP 工具回调。如果未提供自定义转换器 bean,则自动使用默认转换器。

禁用 MCP ToolCallback 自动配置

MCP ToolCallback 自动配置默认启用,但可以使用 spring.ai.mcp.client.toolcallback.enabled=false 属性禁用。

禁用时,不会从可用的 MCP 工具创建 ToolCallbackProvider bean。

MCP 客户端注解

MCP 客户端启动器会自动检测并注册注解方法,用于处理各种 MCP 客户端操作

  • @McpLogging - 处理来自 MCP 服务器的日志消息通知

  • @McpSampling - 处理来自 MCP 服务器的 LLM 完成采样请求

  • @McpElicitation - 处理启发式请求以从用户那里收集附加信息

  • @McpProgress - 处理长时间运行操作的进度通知

  • @McpToolListChanged - 处理服务器工具列表更改时的通知

  • @McpResourceListChanged - 处理服务器资源列表更改时的通知

  • @McpPromptListChanged - 处理服务器提示列表更改时的通知

示例用法

@Component
public class McpClientHandlers {

    @McpLogging(clients = "server1")
    public void handleLoggingMessage(LoggingMessageNotification notification) {
        System.out.println("Received log: " + notification.level() +
                          " - " + notification.data());
    }

    @McpSampling(clients = "server1")
    public CreateMessageResult handleSamplingRequest(CreateMessageRequest request) {
        // Process the request and generate a response
        String response = generateLLMResponse(request);

        return CreateMessageResult.builder()
            .role(Role.ASSISTANT)
            .content(new TextContent(response))
            .model("gpt-4")
            .build();
    }

    @McpProgress(clients = "server1")
    public void handleProgressNotification(ProgressNotification notification) {
        double percentage = notification.progress() * 100;
        System.out.println(String.format("Progress: %.2f%% - %s",
            percentage, notification.message()));
    }

    @McpToolListChanged(clients = "server1")
    public void handleToolListChanged(List<McpSchema.Tool> updatedTools) {
        System.out.println("Tool list updated: " + updatedTools.size() + " tools available");
        // Update local tool registry
        toolRegistry.updateTools(updatedTools);
    }
}

这些注解支持同步和异步实现,并且可以使用 clients 参数为特定客户端配置

@McpLogging(clients = "server1")
public void handleServer1Logs(LoggingMessageNotification notification) {
    // Handle logs from specific server
    logToFile("server1.log", notification);
}

@McpSampling(clients = "server1")
public Mono<CreateMessageResult> handleAsyncSampling(CreateMessageRequest request) {
    return Mono.fromCallable(() -> {
        String response = generateLLMResponse(request);
        return CreateMessageResult.builder()
            .role(Role.ASSISTANT)
            .content(new TextContent(response))
            .model("gpt-4")
            .build();
    }).subscribeOn(Schedulers.boundedElastic());
}

有关所有可用注解及其用法模式的详细信息,请参阅 MCP 客户端注解 文档。

使用示例

将适当的启动器依赖项添加到您的项目并在 application.propertiesapplication.yml 中配置客户端

spring:
  ai:
    mcp:
      client:
        enabled: true
        name: my-mcp-client
        version: 1.0.0
        request-timeout: 30s
        type: SYNC  # or ASYNC for reactive applications
        sse:
          connections:
            server1:
              url: https://:8080
            server2:
              url: http://otherserver:8081
        streamable-http:
          connections:
            server3:
              url: https://:8083
              endpoint: /mcp
        stdio:
          root-change-notification: false
          connections:
            server1:
              command: /path/to/server
              args:
                - --port=8080
                - --mode=production
              env:
                API_KEY: your-api-key
                DEBUG: "true"

MCP 客户端 bean 将自动配置并可用于注入

@Autowired
private List<McpSyncClient> mcpSyncClients;  // For sync client

// OR

@Autowired
private List<McpAsyncClient> mcpAsyncClients;  // For async client

当启用工具回调(默认行为)时,所有 MCP 客户端注册的 MCP 工具都作为 ToolCallbackProvider 实例提供

@Autowired
private SyncMcpToolCallbackProvider toolCallbackProvider;
ToolCallback[] toolCallbacks = toolCallbackProvider.getToolCallbacks();

示例应用程序

© . This site is unofficial and not affiliated with VMware.