MCP SDK for Rustで作成したMCP ServerをCursorから実行してみる

MCP SDK for Rustで作成したMCP ServerをCursorから実行してみる

Clock Icon2025.03.28

Introduction

OpenAIがMCPをサポートしたことでますますデファクトになりそうなMCPですが、Rust用のSDKが公式からでてました。

SDK自体の解説についてはここをみれば詳細にわかるので確認しておきましょう。

ここではRust SDKで簡単なMCPサーバーをビルドしてCursorから呼び出してみます。

Environment

  • MacBook Pro (14-inch, M3, 2023)
  • OS : MacOS 14.5
  • Rust : 1.85.0

Try

Githubにexampleも含め、そのまま動くものがいっぱいあるのですが、
とりあえず簡単なMCPサーバを作成しましょう。

% cargo new rust-mcp

Cargo.tomlは以下。
rmcpにfeatures指定してあるけど全部はたぶんいらない。

[dependencies]
rmcp = { git = "https://github.com/modelcontextprotocol/rust-sdk", branch = "main", features = ["server", "client", "transport-child-process", "transport-async-rw", "transport-io"] }
tokio = { version = "1", features = ["full"] }
serde = { version = "1.0", features = ["derive"] }
serde_json = "1.0"
anyhow = "1.0"
tracing = "0.1"
tracing-subscriber = { version = "0.3", features = ["env-filter"] }
schemars = "0.8"

[[bin]]
name = "book_server"
path = "src/book_server.rs"

ここでは架空の書籍を検索してくれるBookサーバを作成します。
(コード全文は記事の最後)

検索機能ツールの実装

架空書籍の検索機能を提供するMCPサーバー用構造体を定義し、
検索機能を実装します。

#[derive(Debug, Clone)]
pub struct BookSearch;

#[tool(tool_box)]
impl BookSearch {
    pub fn new() -> Self {
        Self
    }

    #[tool(description = "Search for books in our fictional database")]
    fn search(&self, #[tool(aggr)] SearchQuery { keyword, limit }: SearchQuery) -> Result<CallToolResult, McpError> {

        ・・・・

        Ok(CallToolResult::success(vec![Content::text(output)]))
    }
}

MCPサーバーの機能であるtool(アクションを実行可能にする機能)では、
以下のようにしています。

  • #[tool(description = "...")]属性でツールの説明を提供
  • #[tool(aggr)]属性で引数の集約方法を指定

これをアノテーションで定義しておくことで、
MCPクライアントがどのようにツールを使えばよいかわかります。
なお、tool_boxは複数のツールをグループ化して提供する機能です。

ServerHandlerの実装

ServerHandlerトレイトの実装がMCPの仕様に準拠するために必要です。
実装しなくてもビルドは通るみたいですが、ドキュメントでも推奨されているので実装しておきましょう。

#[tool(tool_box)]
impl ServerHandler for BookSearch {
    fn get_info(&self) -> ServerInfo {
        ServerInfo {
            protocol_version: ProtocolVersion::V_2024_11_05,
            capabilities: ServerCapabilities::builder()
                .enable_prompts()
                .enable_resources()
                .enable_tools()
                .build(),
            server_info: Implementation::from_build_env(),
            instructions: Some("架空の本のデータベースを検索するサーバーです。タイトル、著者、説明文で検索できます。".into()),
        }
    }

    ・・・・

エントリーポイント

最後にmain関数を作成します。この例はstdioですが
sseのサンプルもあったので実装できるようです。

#[tokio::main]
async fn main() -> Result<()> {
    // Initialize the tracing subscriber with file and stdout logging
    tracing_subscriber::fmt()
        .with_env_filter(EnvFilter::from_default_env().add_directive(tracing::Level::DEBUG.into()))
        .with_writer(std::io::stderr)
        .with_ansi(false)
        .init();

    tracing::info!("Starting MCP book search server");

    // Create an instance of our book search service
    let service = BookSearch::new().serve(stdio()).await.inspect_err(|e| {
        tracing::error!("serving error: {:?}", e);
    })?;

    service.waiting().await?;
    Ok(())
}

ビルド&権限付与

ビルドしたあとに実行権限を付与。

% cargo build --release

% chmod 775 target/release/book_server

CursorでMCPサーバの設定

Cursorを起動して設定画面からMCPを選択します。
mcp.jsonに以下のようにMCPサーバを設定します。

{
  "mcpServers": {
    "book-server": {
      "command": "/path/your/rust-mcp/target/release/book_server",
      "args": [
      ],
      "cwd": "/path/your/rust-mcp"
    }
  }
}

Enabledにして↓のようになればOK。

vscode-drop-1743153930286-du4uzsglwn6.png

Cursorで聞いてみるとMCPサーバを使って検索してくれているのがわかります。

vscode-drop-1743154117863-dwvcrogtd54.png

Summary

今回はRust用のMCP SDKをつかってみました。
今後さらに機能拡張もされていきそうですし、
MCPについてはしっかり理解しておきたいところです。

Source Code

//book_server.rs
use anyhow::Result;
use rmcp::{ServiceExt, transport::stdio};
use serde_json::json;

use tracing_subscriber::{self, EnvFilter};
use std::sync::OnceLock;

use rmcp::{
    Error as McpError, RoleServer, ServerHandler, model::*,
    service::RequestContext, tool,
};
use schemars::JsonSchema;
use serde::{Deserialize, Serialize};

/// 架空の本のデータを表す構造体
#[derive(Debug, Clone, Serialize, Deserialize, JsonSchema)]
pub struct Book {
    #[schemars(description = "本のタイトル")]
    pub title: String,
    #[schemars(description = "著者名")]
    pub author: String,
    #[schemars(description = "出版年(架空)")]
    pub year: i32,
    #[schemars(description = "本の説明")]
    pub description: String,
    #[schemars(description = "架空のISBN")]
    pub isbn: String,
}

/// 検索クエリを表す構造体
#[derive(Debug, Deserialize, JsonSchema)]
pub struct SearchQuery {
    #[schemars(description = "検索キーワード")]
    pub keyword: String,
    #[schemars(description = "最大結果数")]
    pub limit: Option<i32>,
}

/// 架空の本の検索機能を提供するサーバーの主要な構造体
#[derive(Debug, Clone)]
pub struct BookSearch;

// 架空の本のデータベース
static FAKE_BOOKS: OnceLock<Vec<Book>> = OnceLock::new();

fn get_fake_books() -> &'static [Book] {
    FAKE_BOOKS.get_or_init(|| {
        vec![
            Book {
                title: "量子コンピュータで料理する方法".to_string(),
                author: "Dr. スーパーサイエンティスト".to_string(),
                year: 2157,
                description: "量子コンピュータを使用して、分子レベルで料理を再構築する革新的な方法を解説。".to_string(),
                isbn: "978-0-123456-47-11".to_string(),
            },
            Book {
                title: "タイムトラベルと税金対策".to_string(),
                author: "未来の会計士".to_string(),
                year: 3000,
                description: "タイムトラベルを活用した効率的な税金対策の方法を解説。".to_string(),
                isbn: "978-0-123456-47-12".to_string(),
            },
            Book {
                title: "火星での園芸入門".to_string(),
                author: "火星の園芸家".to_string(),
                year: 2250,
                description: "火星の特殊な環境で植物を育てる方法を解説。".to_string(),
                isbn: "978-0-123456-47-13".to_string(),
            },
            Book {
                title: "AIと恋愛の心理学".to_string(),
                author: "ロボット心理学者".to_string(),
                year: 2200,
                description: "AIとの恋愛関係における心理学的な考察と実践的なアドバイス。".to_string(),
                isbn: "978-0-123456-47-14".to_string(),
            },
            Book {
                title: "テレパシーでプログラミング".to_string(),
                author: "サイキックエンジニア".to_string(),
                year: 2300,
                description: "テレパシー能力を使用してコードを書く方法を解説。".to_string(),
                isbn: "978-0-123456-47-15".to_string(),
            },
        ]
    })
}

// ツールの実装
#[tool(tool_box)]
impl BookSearch {
    pub fn new() -> Self {
        Self
    }

    /// 架空の本を検索するツール
    /// 
    /// # 引数
    /// * `SearchQuery` - 検索クエリを含むリクエスト構造体
    /// 
    /// # 戻り値
    /// * `Result<CallToolResult, McpError>` - 検索結果
    #[tool(description = "Search for books in our fictional database")]
    fn search(&self, #[tool(aggr)] SearchQuery { keyword, limit }: SearchQuery) -> Result<CallToolResult, McpError> {
        let limit = limit.unwrap_or(5) as usize;
        let results: Vec<_> = get_fake_books()
            .iter()
            .filter(|book| {
                book.title.to_lowercase().contains(&keyword.to_lowercase()) ||
                book.author.to_lowercase().contains(&keyword.to_lowercase()) ||
                book.description.to_lowercase().contains(&keyword.to_lowercase())
            })
            .take(limit)
            .collect();

        let output = if results.is_empty() {
            format!("キーワード '{}' に一致する本が見つかりませんでした。", keyword)
        } else {
            let mut output = format!("キーワード '{}' の検索結果:\n\n", keyword);
            for book in results {
                output.push_str(&format!(
                    "タイトル: {}\n著者: {}\n出版年: {}\nISBN: {}\n説明: {}\n\n",
                    book.title, book.author, book.year, book.isbn, book.description
                ));
            }
            output
        };

        Ok(CallToolResult::success(vec![Content::text(output)]))
    }
}

#[tool(tool_box)]
impl ServerHandler for BookSearch {
    fn get_info(&self) -> ServerInfo {
        ServerInfo {
            protocol_version: ProtocolVersion::V_2024_11_05,
            capabilities: ServerCapabilities::builder()
                .enable_prompts()
                .enable_resources()
                .enable_tools()
                .build(),
            server_info: Implementation::from_build_env(),
            instructions: Some("架空の本のデータベースを検索するサーバーです。タイトル、著者、説明文で検索できます。".into()),
        }
    }

    async fn list_resources(
        &self,
        _request: PaginatedRequestParam,
        _: RequestContext<RoleServer>,
    ) -> Result<ListResourcesResult, McpError> {
        Ok(ListResourcesResult {
            resources: vec![],
            next_cursor: None,
        })
    }

    async fn read_resource(
        &self,
        ReadResourceRequestParam { uri }: ReadResourceRequestParam,
        _: RequestContext<RoleServer>,
    ) -> Result<ReadResourceResult, McpError> {
        Err(McpError::resource_not_found(
            "resource_not_found",
            Some(json!({
                "uri": uri
            })),
        ))
    }

    async fn list_prompts(
        &self,
        _request: PaginatedRequestParam,
        _: RequestContext<RoleServer>,
    ) -> Result<ListPromptsResult, McpError> {
        Ok(ListPromptsResult {
            next_cursor: None,
            prompts: vec![],
        })
    }

    async fn get_prompt(
        &self,
        GetPromptRequestParam { name, arguments: _ }: GetPromptRequestParam,
        _: RequestContext<RoleServer>,
    ) -> Result<GetPromptResult, McpError> {
        Err(McpError::invalid_params("prompt not found", None))
    }

    async fn list_resource_templates(
        &self,
        _request: PaginatedRequestParam,
        _: RequestContext<RoleServer>,
    ) -> Result<ListResourceTemplatesResult, McpError> {
        Ok(ListResourceTemplatesResult {
            next_cursor: None,
            resource_templates: Vec::new(),
        })
    }
}

#[tokio::main]
async fn main() -> Result<()> {
    // Initialize the tracing subscriber with file and stdout logging
    tracing_subscriber::fmt()
        .with_env_filter(EnvFilter::from_default_env().add_directive(tracing::Level::DEBUG.into()))
        .with_writer(std::io::stderr)
        .with_ansi(false)
        .init();

    tracing::info!("Starting MCP book search server");

    // Create an instance of our book search service
    let service = BookSearch::new().serve(stdio()).await.inspect_err(|e| {
        tracing::error!("serving error: {:?}", e);
    })?;

    service.waiting().await?;
    Ok(())
}

References

Share this article

facebook logohatena logotwitter logo

© Classmethod, Inc. All rights reserved.