Loading...
    • Developer Guide
    • API Reference
    • MCP
    • Resources
    • Release Notes
    Search...
    ⌘K
    First steps
    Intro to ClaudeQuickstart
    Models & pricing
    Models overviewChoosing a modelWhat's new in Claude 4.6Migration guideModel deprecationsPricing
    Build with Claude
    Features overviewUsing the Messages APIHandling stop reasonsPrompting best practices
    Model capabilities
    Extended thinkingAdaptive thinkingEffortFast mode (beta: research preview)Structured outputsCitationsStreaming MessagesBatch processingPDF supportSearch resultsMultilingual supportEmbeddingsVision
    Tools
    OverviewHow tool use worksTutorial: Build a tool-using agentDefine toolsHandle tool callsParallel tool useTool Runner (SDK)Strict tool useTool use with prompt cachingServer toolsTroubleshootingTool referenceWeb search toolWeb fetch toolCode execution toolMemory toolBash toolComputer use toolText editor tool
    Tool infrastructure
    Manage tool contextTool combinationsTool searchProgrammatic tool callingFine-grained tool streaming
    Context management
    Context windowsCompactionContext editingPrompt cachingToken counting
    Files & assets
    Files API
    Agent Skills
    OverviewQuickstartBest practicesSkills for enterpriseClaude API skillUsing Skills with the API
    Agent SDK
    OverviewQuickstartHow the agent loop works
    Streaming InputStream responses in real-timeConnect MCP serversDefine custom toolsTool searchHandling PermissionsUser approvals and inputControl execution with hooksFile checkpointingStructured outputs in the SDKHosting the Agent SDKSecurely deploying AI agentsModifying system promptsSubagents in the SDKSlash Commands in the SDKAgent Skills in the SDKTrack cost and usageTodo ListsPlugins in the SDK
    MCP in the API
    MCP connectorRemote MCP servers
    Claude on 3rd-party platforms
    Amazon BedrockMicrosoft FoundryVertex AI
    Prompt engineering
    OverviewConsole prompting tools
    Test & evaluate
    Define success and build evaluationsUsing the Evaluation ToolReducing latency
    Strengthen guardrails
    Reduce hallucinationsIncrease output consistencyMitigate jailbreaksStreaming refusalsReduce prompt leak
    Administration and monitoring
    Admin API overviewData residencyWorkspacesUsage and Cost APIClaude Code Analytics APIAPI and data retention
    Console
    Log in
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...
    Loading...

    Solutions

    • AI agents
    • Code modernization
    • Coding
    • Customer support
    • Education
    • Financial services
    • Government
    • Life sciences

    Partners

    • Amazon Bedrock
    • Google Cloud's Vertex AI

    Learn

    • Blog
    • Catalog
    • Courses
    • Use cases
    • Connectors
    • Customer stories
    • Engineering at Anthropic
    • Events
    • Powered by Claude
    • Service partners
    • Startups program

    Company

    • Anthropic
    • Careers
    • Economic Futures
    • Research
    • News
    • Responsible Scaling Policy
    • Security and compliance
    • Transparency

    Learn

    • Blog
    • Catalog
    • Courses
    • Use cases
    • Connectors
    • Customer stories
    • Engineering at Anthropic
    • Events
    • Powered by Claude
    • Service partners
    • Startups program

    Help and security

    • Availability
    • Status
    • Support
    • Discord

    Terms and policies

    • Privacy policy
    • Responsible disclosure policy
    • Terms of service: Commercial
    • Terms of service: Consumer
    • Usage policy
    Guides

    Plugins in the SDK

    Load custom plugins to extend Claude Code with commands, agents, skills, and hooks through the Agent SDK

    Plugins allow you to extend Claude Code with custom functionality that can be shared across projects. Through the Agent SDK, you can programmatically load plugins from local directories to add custom slash commands, agents, skills, hooks, and MCP servers to your agent sessions.

    What are plugins?

    Plugins are packages of Claude Code extensions that can include:

    • Skills: Model-invoked capabilities that Claude uses autonomously (can also be invoked with /skill-name)
    • Agents: Specialized subagents for specific tasks
    • Hooks: Event handlers that respond to tool use and other events
    • MCP servers: External tool integrations via Model Context Protocol

    The commands/ directory is a legacy format. Use skills/ for new plugins. Claude Code continues to support both formats for backward compatibility.

    For complete information on plugin structure and how to create plugins, see Plugins.

    Loading plugins

    Load plugins by providing their local file system paths in your options configuration. The SDK supports loading multiple plugins from different locations.

    import { query } from "@anthropic-ai/claude-agent-sdk";
    
    for await (const message of query({
      prompt: "Hello",
      options: {
        plugins: [
          { type: "local", path: "./my-plugin" },
          { type: "local", path: "/absolute/path/to/another-plugin" }
        ]
      }
    })) {
      // Plugin commands, agents, and other features are now available
    }

    Path specifications

    Plugin paths can be:

    • Relative paths: Resolved relative to your current working directory (for example, "./plugins/my-plugin")
    • Absolute paths: Full file system paths (for example, "/home/user/plugins/my-plugin")

    The path should point to the plugin's root directory (the directory containing .claude-plugin/plugin.json).

    Verifying plugin installation

    When plugins load successfully, they appear in the system initialization message. You can verify that your plugins are available:

    import { query } from "@anthropic-ai/claude-agent-sdk";
    
    for await (const message of query({
      prompt: "Hello",
      options: {
        plugins: [{ type: "local", path: "./my-plugin" }]
      }
    })) {
      if (message.type === "system" && message.subtype === "init") {
        // Check loaded plugins
        console.log("Plugins:", message.plugins);
        // Example: [{ name: "my-plugin", path: "./my-plugin" }]
    
        // Check available commands from plugins
        console.log("Commands:", message.slash_commands);
        // Example: ["/help", "/compact", "my-plugin:custom-command"]
      }
    }

    Using plugin skills

    Skills from plugins are automatically namespaced with the plugin name to avoid conflicts. When invoked as slash commands, the format is plugin-name:skill-name.

    import { query } from "@anthropic-ai/claude-agent-sdk";
    
    // Load a plugin with a custom /greet skill
    for await (const message of query({
      prompt: "/my-plugin:greet", // Use plugin skill with namespace
      options: {
        plugins: [{ type: "local", path: "./my-plugin" }]
      }
    })) {
      // Claude executes the custom greeting skill from the plugin
      if (message.type === "assistant") {
        console.log(message.content);
      }
    }

    If you installed a plugin via the CLI (for example, /plugin install my-plugin@marketplace), you can still use it in the SDK by providing its installation path. Check ~/.claude/plugins/ for CLI-installed plugins.

    Complete example

    Here's a full example demonstrating plugin loading and usage:

    import { query } from "@anthropic-ai/claude-agent-sdk";
    import * as path from "path";
    
    async function runWithPlugin() {
      const pluginPath = path.join(__dirname, "plugins", "my-plugin");
    
      console.log("Loading plugin from:", pluginPath);
    
      for await (const message of query({
        prompt: "What custom commands do you have available?",
        options: {
          plugins: [{ type: "local", path: pluginPath }],
          maxTurns: 3
        }
      })) {
        if (message.type === "system" && message.subtype === "init") {
          console.log("Loaded plugins:", message.plugins);
          console.log("Available commands:", message.slash_commands);
        }
    
        if (message.type === "assistant") {
          console.log("Assistant:", message.content);
        }
      }
    }
    
    runWithPlugin().catch(console.error);

    Plugin structure reference

    A plugin directory must contain a .claude-plugin/plugin.json manifest file. It can optionally include:

    my-plugin/
    ├── .claude-plugin/
    │   └── plugin.json          # Required: plugin manifest
    ├── skills/                   # Agent Skills (invoked autonomously or via /skill-name)
    │   └── my-skill/
    │       └── SKILL.md
    ├── commands/                 # Legacy: use skills/ instead
    │   └── custom-cmd.md
    ├── agents/                   # Custom agents
    │   └── specialist.md
    ├── hooks/                    # Event handlers
    │   └── hooks.json
    └── .mcp.json                # MCP server definitions

    For detailed information on creating plugins, see:

    • Plugins - Complete plugin development guide
    • Plugins reference - Technical specifications and schemas

    Common use cases

    Development and testing

    Load plugins during development without installing them globally:

    plugins: [{ type: "local", path: "./dev-plugins/my-plugin" }];

    Project-specific extensions

    Include plugins in your project repository for team-wide consistency:

    plugins: [{ type: "local", path: "./project-plugins/team-workflows" }];

    Multiple plugin sources

    Combine plugins from different locations:

    plugins: [
      { type: "local", path: "./local-plugin" },
      { type: "local", path: "~/.claude/custom-plugins/shared-plugin" }
    ];

    Troubleshooting

    Plugin not loading

    If your plugin doesn't appear in the init message:

    1. Check the path: Ensure the path points to the plugin root directory (containing .claude-plugin/)
    2. Validate plugin.json: Ensure your manifest file has valid JSON syntax
    3. Check file permissions: Ensure the plugin directory is readable

    Skills not appearing

    If plugin skills don't work:

    1. Use the namespace: Plugin skills require the plugin-name:skill-name format when invoked as slash commands
    2. Check init message: Verify the skill appears in slash_commands with the correct namespace
    3. Validate skill files: Ensure each skill has a SKILL.md file in its own subdirectory under skills/ (for example, skills/my-skill/SKILL.md)

    Path resolution issues

    If relative paths don't work:

    1. Check working directory: Relative paths are resolved from your current working directory
    2. Use absolute paths: For reliability, consider using absolute paths
    3. Normalize paths: Use path utilities to construct paths correctly

    See also

    • Plugins - Complete plugin development guide
    • Plugins reference - Technical specifications
    • Slash Commands - Using slash commands in the SDK
    • Subagents - Working with specialized agents
    • Skills - Using Agent Skills

    Was this page helpful?

    • What are plugins?
    • Loading plugins
    • Path specifications
    • Verifying plugin installation
    • Using plugin skills
    • Complete example
    • Plugin structure reference
    • Common use cases
    • Development and testing
    • Project-specific extensions
    • Multiple plugin sources
    • Troubleshooting
    • Plugin not loading
    • Skills not appearing
    • Path resolution issues
    • See also