Skip to content

dalehurley/php-mcp-sdk

Repository files navigation

PHP MCP SDK

Latest Version PHP Version Total Downloads License Documentation

PHP implementation of the Model Context Protocol (MCP), enabling seamless integration between LLM applications and external data sources and tools.

✨ Features

  • πŸš€ Complete MCP Protocol Support - Full implementation of the MCP specification
  • πŸ”§ Type-Safe - Leverages PHP 8.1+ type system with enums, union types, and strict typing
  • ⚑ Async First - Built on Amphp for non-blocking I/O operations
  • πŸ”Œ Multiple Transports - STDIO, HTTP Streaming, and WebSocket
  • πŸ” OAuth 2.0 Ready - Built-in authentication with PKCE support
  • πŸ—οΈ Framework Integration - Laravel, Symfony, and PSR-compatible design
  • πŸ“¦ PSR Compliant - Follows PSR-4, PSR-7, PSR-12, and PSR-15 standards
  • πŸ›‘οΈ Production Ready - Comprehensive error handling, logging, and monitoring
  • πŸ€– Agentic AI Support - Build intelligent AI agents with MCP tool orchestration
  • 🏭 Real-World Examples - Complete applications (Blog CMS, Task Manager, API Gateway)
  • πŸ“š Comprehensive Documentation - Best-in-class documentation with tested examples
  • πŸ§ͺ Automated Testing - All documentation examples are automatically tested

πŸ“‹ Requirements

  • PHP 8.1+ - Leverages modern PHP features
  • Composer - For dependency management
  • ext-json - JSON processing
  • ext-mbstring - String handling

πŸš€ Installation

Via Composer

composer require dalehurley/php-mcp-sdk

Development Version

composer require dalehurley/php-mcp-sdk:dev-main

⚑ Quick Start

Creating an MCP Server

#!/usr/bin/env php
<?php
require_once __DIR__ . '/vendor/autoload.php';

use MCP\Server\McpServer;
use MCP\Server\Transport\StdioServerTransport;
use MCP\Types\Implementation;
use function Amp\async;

// Create the simplest possible MCP server
$server = new McpServer(
    new Implementation(
        'hello-world-server',
        '1.0.0'
    )
);

// Add a simple "say_hello" tool
$server->tool(
    'say_hello',
    'Says hello to someone',
    [
        'type' => 'object',
        'properties' => [
            'name' => [
                'type' => 'string',
                'description' => 'Name of the person to greet'
            ]
        ],
        'required' => ['name']
    ],
    function (array $args): array {
        $name = $args['name'] ?? 'World';

        return [
            'content' => [
                [
                    'type' => 'text',
                    'text' => "Hello, {$name}! πŸ‘‹ Welcome to MCP!"
                ]
            ]
        ];
    }
);

// Start the server
async(function () use ($server) {
    echo "πŸš€ Hello World MCP Server starting...\n";

    $transport = new StdioServerTransport();
    $server->connect($transport)->await();
})->await();

Creating an MCP Client

#!/usr/bin/env php
<?php
require_once __DIR__ . '/vendor/autoload.php';

use MCP\Client\Client;
use MCP\Client\Transport\StdioClientTransport;
use MCP\Types\Implementation;
use Amp\Loop;

// Create client
$client = new Client(
    new Implementation('weather-client', '1.0.0')
);

// Connect to weather server
$transport = new StdioClientTransport([
    'command' => 'php',
    'args' => [__DIR__ . '/weather-server.php']
]);

Amp\async(function() use ($client, $transport) {
    try {
        // Connect to server
        yield $client->connect($transport);
        echo "βœ… Connected to weather server\n";

        // List available tools
        $result = yield $client->listTools();
        echo "πŸ“‹ Available tools:\n";
        foreach ($result['tools'] as $tool) {
            echo "  - {$tool['name']}: {$tool['description']}\n";
        }

        // Call the weather tool
        $result = yield $client->callTool('get-weather', [
            'location' => 'London, UK'
        ]);

        echo "\n🌀️  Weather result:\n";
        echo $result['content'][0]['text'] . "\n";

        yield $client->close();

    } catch (\Exception $error) {
        echo "❌ Error: " . $error->getMessage() . "\n";
    } finally {
        Loop::stop();
    }
});

Loop::run();

Test Your Implementation

# Run the hello-world server
php examples/getting-started/hello-world-server.php

# Test with Claude Desktop by adding to your configuration:
{
  "mcpServers": {
    "hello-world": {
      "command": "php",
      "args": ["/path/to/examples/getting-started/hello-world-server.php"]
    }
  }
}

# Or test with the MCP Inspector (Node.js required)
npx @modelcontextprotocol/inspector examples/getting-started/hello-world-server.php

🎯 Examples Overview

The PHP MCP SDK includes 20+ comprehensive examples across all skill levels:

πŸŽ“ Getting Started (4 examples)

  • Hello World - Simplest possible server and client
  • Calculator - Multi-tool server with math operations
  • File Reader - Secure file system integration
  • Weather Client - External API integration patterns

πŸ—οΈ Framework Integration (2 examples)

  • Laravel Integration - Complete Laravel patterns with service container
  • Symfony Integration - Full Symfony integration with DI container

πŸ€– Agentic AI (4 examples)

  • Working Agentic Demo - Rule-based agent reasoning
  • Personal Assistant - Multi-MCP server coordination
  • Multi-Agent Orchestrator - Specialized agent coordination
  • OpenAI Integration - LLM-powered intelligent agents

🏭 Real-World Applications (5 examples)

  • Blog CMS - Complete content management system
  • Task Manager - Project management with analytics
  • API Gateway - Enterprise API orchestration
  • Code Analyzer - Development quality tools
  • Data Pipeline - ETL and data processing

🏒 Enterprise & Production (3 examples)

  • Docker Deployment - Production containerization
  • Microservices Architecture - Distributed systems patterns
  • Monitoring & Observability - Production monitoring

All examples are tested and working! πŸŽ‰

Framework Integration

The PHP MCP SDK is designed to work with any PHP framework through its PSR-compliant architecture.

Laravel Integration

You can use the core PHP MCP SDK directly in Laravel applications:

composer require dalehurley/php-mcp-sdk
// In a Laravel controller or service
use MCP\Server\McpServer;
use MCP\Types\Implementation;

class McpController extends Controller
{
    public function createServer()
    {
        $server = new McpServer(
            new Implementation('my-laravel-app', '1.0.0')
        );

        // Register your tools, resources, and prompts
        $server->tool('search-users', 'Search for users', [
            'type' => 'object',
            'properties' => [
                'query' => ['type' => 'string', 'description' => 'Search query']
            ]
        ], function($params) {
            return [
                'content' => [
                    [
                        'type' => 'text',
                        'text' => json_encode(User::where('name', 'like', "%{$params['query']}%")->get())
                    ]
                ]
            ];
        });

        return $server;
    }
}

For a complete Laravel package with service providers, Artisan commands, and Laravel-specific features, see the separate laravel-mcp-sdk package.

πŸ“š Documentation

The most comprehensive MCP SDK documentation in the ecosystem is available in the docs/ directory:

πŸŽ“ Getting Started (Beginner-Friendly)

πŸ—οΈ Implementation Guides

πŸ€– Agentic AI Development

🏭 Real-World Applications

🏒 Enterprise & Production

πŸ“– API Reference

πŸ”„ Migration & Examples

Testing

# Run tests
composer test

# Run tests with coverage
composer test-coverage

# Run static analysis
composer phpstan
composer psalm

# Fix code style
composer cs-fix

# Run all checks
composer check

Contributing

Contributions are welcome! Please read our Contributing Guide for details.

Changelog

All notable changes to this project are documented in the CHANGELOG.md. Please update it when making changes.

License

This project is licensed under the MIT License - see the LICENSE file for details.

Acknowledgments

About

No description, website, or topics provided.

Resources

License

Contributing

Stars

Watchers

Forks

Packages

No packages published

Languages