How to integrate Repairshopr MCP with Autogen

Framework Integration Gradient
Repairshopr Logo
AutoGen Logo
divider

Introduction

This guide walks you through connecting Repairshopr to AutoGen using the Composio tool router. By the end, you'll have a working Repairshopr agent that can list all upcoming appointments for today, fetch all assets linked to a customer, show attachments for a specific service case, delete an invoice by its unique id through natural language commands.

This guide will help you understand how to give your AutoGen agent real control over a Repairshopr account through Composio's Repairshopr MCP server.

Before we dive in, let's take a quick look at the key ideas and tools involved.

TL;DR

Here's what you'll learn:
  • Get and set up your OpenAI and Composio API keys
  • Install the required dependencies for Autogen and Composio
  • Initialize Composio and create a Tool Router session for Repairshopr
  • Wire that MCP URL into Autogen using McpWorkbench and StreamableHttpServerParams
  • Configure an Autogen AssistantAgent that can call Repairshopr tools
  • Run a live chat loop where you ask the agent to perform Repairshopr operations

What is AutoGen?

Autogen is a framework for building multi-agent conversational AI systems from Microsoft. It enables you to create agents that can collaborate, use tools, and maintain complex workflows.

Key features include:

  • Multi-Agent Systems: Build collaborative agent workflows
  • MCP Workbench: Native support for Model Context Protocol tools
  • Streaming HTTP: Connect to external services through streamable HTTP
  • AssistantAgent: Pre-built agent class for tool-using assistants

What is the Repairshopr MCP server, and what's possible with it?

The Repairshopr MCP server is an implementation of the Model Context Protocol that connects your AI agent and assistants like Claude, Cursor, etc directly to your Repairshopr account. It provides structured and secure access to your repair shop management system, so your agent can perform actions like managing customer records, handling appointments, viewing assets, retrieving attachments, and organizing contacts on your behalf.

  • Effortless appointment management: Instantly retrieve details of specific appointments, get upcoming schedules, or delete canceled slots directly through your agent.
  • Comprehensive customer and contact handling: Let your agent fetch lists of customers or contacts, update records, or permanently remove outdated customer information for streamlined CRM workflows.
  • Asset tracking and lookup: Quickly search for assets, confirm asset details, or filter assets by customer or status, making it easy to keep tabs on all equipment under management.
  • Service case and attachment retrieval: Have your agent pull all attachments linked to a specific service case, ensuring quick access to important files and documentation.
  • Estimate and invoice cleanup: Empower your agent to delete estimates or invoices that are no longer needed, helping you maintain a tidy, organized business record system.

Supported Tools & Triggers

Tools
Delete AppointmentTool to delete a specific appointment by its id.
Delete CustomerTool to delete a specific customer by id.
Delete EstimateTool to delete a specific estimate by id.
Delete InvoiceTool to delete a specific invoice by id.
Get AppointmentTool to retrieve details of a specific appointment by its id.
Get AppointmentsTool to retrieve a list of appointments.
Get AssetTool to retrieve details of a specific asset by its id.
Get AssetsTool to retrieve a paginated list of assets.
Get Case AttachmentsTool to retrieve attachments for a specific service case.
Get ContactsTool to retrieve a paginated list of contacts.
Get CustomerTool to retrieve details of a specific customer by id.
Get CustomersTool to retrieve a list of customers.
Get Employee Time ClockTool to retrieve the last time clock entry for a specific user.
Get EstimateTool to retrieve details of a specific estimate by id.
Get EstimatesTool to retrieve a list of estimates.
Get InvoiceTool to retrieve details of a specific invoice by id.
Get InvoicesTool to retrieve a paginated list of invoices.
Get LeadTool to retrieve details of a specific lead by its id.
Get LeadsTool to retrieve a paginated list of leads.
Get PaymentTool to retrieve details of a specific payment by id.
Get PaymentsTool to retrieve a paginated list of payments.
Get ProductTool to retrieve details of a specific product by id.
Get ProductsTool to retrieve a list of products.
Get Products By CategoryTool to retrieve products filtered by category id.
Get Product CategoriesTool to retrieve product categories.
Get Product SerialsTool to retrieve all serial numbers for a specific product.
Get TicketTool to retrieve details of a specific ticket by its id.
Get UserTool to retrieve details of a specific user by id.
Get UsersTool to retrieve a list of all users.
Create AppointmentTool to create a new appointment.
Create AssetTool to create a new asset.
Create CustomerTool to create a new customer.
Create EstimateTool to create a new estimate.
Create InvoiceTool to create a new invoice.
Create LeadTool to create a new lead.
Create PaymentTool to create a new payment.
Create ProductTool to create a new product in inventory.
Add Product PhotoTool to add photo(s) to a specific product.

What is the Composio tool router, and how does it fit here?

What is Tool Router?

Composio's Tool Router helps agents find the right tools for a task at runtime. You can plug in multiple toolkits (like Gmail, HubSpot, and GitHub), and the agent will identify the relevant app and action to complete multi-step workflows. This can reduce token usage and improve the reliability of tool calls. Read more here: Getting started with Tool Router

The tool router generates a secure MCP URL that your agents can access to perform actions.

How the Tool Router works

The Tool Router follows a three-phase workflow:

  1. Discovery: Searches for tools matching your task and returns relevant toolkits with their details.
  2. Authentication: Checks for active connections. If missing, creates an auth config and returns a connection URL via Auth Link.
  3. Execution: Executes the action using the authenticated connection.

Step-by-step Guide

Prerequisites

You will need:

  • A Composio API key
  • An OpenAI API key (used by Autogen's OpenAIChatCompletionClient)
  • A Repairshopr account you can connect to Composio
  • Some basic familiarity with Autogen and Python async

Getting API Keys for OpenAI and Composio

OpenAI API Key
  • Go to the OpenAI dashboard and create an API key. You'll need credits to use the models, or you can connect to another model provider.
  • Keep the API key safe.
Composio API Key
  • Log in to the Composio dashboard.
  • Navigate to your API settings and generate a new API key.
  • Store this key securely as you'll need it for authentication.

Install dependencies

bash
pip install composio python-dotenv
pip install autogen-agentchat autogen-ext-openai autogen-ext-tools

Install Composio, Autogen extensions, and dotenv.

What's happening:

  • composio connects your agent to Repairshopr via MCP
  • autogen-agentchat provides the AssistantAgent class
  • autogen-ext-openai provides the OpenAI model client
  • autogen-ext-tools provides MCP workbench support

Set up environment variables

bash
COMPOSIO_API_KEY=your-composio-api-key
OPENAI_API_KEY=your-openai-api-key
USER_ID=your-user-identifier@example.com

Create a .env file in your project folder.

What's happening:

  • COMPOSIO_API_KEY is required to talk to Composio
  • OPENAI_API_KEY is used by Autogen's OpenAI client
  • USER_ID is how Composio identifies which user's Repairshopr connections to use

Import dependencies and create Tool Router session

python
import asyncio
import os
from dotenv import load_dotenv
from composio import Composio

from autogen_agentchat.agents import AssistantAgent
from autogen_ext.models.openai import OpenAIChatCompletionClient
from autogen_ext.tools.mcp import McpWorkbench, StreamableHttpServerParams

load_dotenv()

async def main():
    # Initialize Composio and create a Repairshopr session
    composio = Composio(api_key=os.getenv("COMPOSIO_API_KEY"))
    session = composio.create(
        user_id=os.getenv("USER_ID"),
        toolkits=["repairshopr"]
    )
    url = session.mcp.url
What's happening:
  • load_dotenv() reads your .env file
  • Composio(api_key=...) initializes the SDK
  • create(...) creates a Tool Router session that exposes Repairshopr tools
  • session.mcp.url is the MCP endpoint that Autogen will connect to

Configure MCP parameters for Autogen

python
# Configure MCP server parameters for Streamable HTTP
server_params = StreamableHttpServerParams(
    url=url,
    timeout=30.0,
    sse_read_timeout=300.0,
    terminate_on_close=True,
    headers={"x-api-key": os.getenv("COMPOSIO_API_KEY")}
)

Autogen expects parameters describing how to talk to the MCP server. That is what StreamableHttpServerParams is for.

What's happening:

  • url points to the Tool Router MCP endpoint from Composio
  • timeout is the HTTP timeout for requests
  • sse_read_timeout controls how long to wait when streaming responses
  • terminate_on_close=True cleans up the MCP server process when the workbench is closed

Create the model client and agent

python
# Create model client
model_client = OpenAIChatCompletionClient(
    model="gpt-5",
    api_key=os.getenv("OPENAI_API_KEY")
)

# Use McpWorkbench as context manager
async with McpWorkbench(server_params) as workbench:
    # Create Repairshopr assistant agent with MCP tools
    agent = AssistantAgent(
        name="repairshopr_assistant",
        description="An AI assistant that helps with Repairshopr operations.",
        model_client=model_client,
        workbench=workbench,
        model_client_stream=True,
        max_tool_iterations=10
    )

What's happening:

  • OpenAIChatCompletionClient wraps the OpenAI model for Autogen
  • McpWorkbench connects the agent to the MCP tools
  • AssistantAgent is configured with the Repairshopr tools from the workbench

Run the interactive chat loop

python
print("Chat started! Type 'exit' or 'quit' to end the conversation.\n")
print("Ask any Repairshopr related question or task to the agent.\n")

# Conversation loop
while True:
    user_input = input("You: ").strip()

    if user_input.lower() in ["exit", "quit", "bye"]:
        print("\nGoodbye!")
        break

    if not user_input:
        continue

    print("\nAgent is thinking...\n")

    # Run the agent with streaming
    try:
        response_text = ""
        async for message in agent.run_stream(task=user_input):
            if hasattr(message, "content") and message.content:
                response_text = message.content

        # Print the final response
        if response_text:
            print(f"Agent: {response_text}\n")
        else:
            print("Agent: I encountered an issue processing your request.\n")

    except Exception as e:
        print(f"Agent: Sorry, I encountered an error: {str(e)}\n")
What's happening:
  • The script prompts you in a loop with You:
  • Autogen passes your input to the model, which decides which Repairshopr tools to call via MCP
  • agent.run_stream(...) yields streaming messages as the agent thinks and calls tools
  • Typing exit, quit, or bye ends the loop

Complete Code

Here's the complete code to get you started with Repairshopr and AutoGen:

python
import asyncio
import os
from dotenv import load_dotenv
from composio import Composio

from autogen_agentchat.agents import AssistantAgent
from autogen_ext.models.openai import OpenAIChatCompletionClient
from autogen_ext.tools.mcp import McpWorkbench, StreamableHttpServerParams

load_dotenv()

async def main():
    # Initialize Composio and create a Repairshopr session
    composio = Composio(api_key=os.getenv("COMPOSIO_API_KEY"))
    session = composio.create(
        user_id=os.getenv("USER_ID"),
        toolkits=["repairshopr"]
    )
    url = session.mcp.url

    # Configure MCP server parameters for Streamable HTTP
    server_params = StreamableHttpServerParams(
        url=url,
        timeout=30.0,
        sse_read_timeout=300.0,
        terminate_on_close=True,
        headers={"x-api-key": os.getenv("COMPOSIO_API_KEY")}
    )

    # Create model client
    model_client = OpenAIChatCompletionClient(
        model="gpt-5",
        api_key=os.getenv("OPENAI_API_KEY")
    )

    # Use McpWorkbench as context manager
    async with McpWorkbench(server_params) as workbench:
        # Create Repairshopr assistant agent with MCP tools
        agent = AssistantAgent(
            name="repairshopr_assistant",
            description="An AI assistant that helps with Repairshopr operations.",
            model_client=model_client,
            workbench=workbench,
            model_client_stream=True,
            max_tool_iterations=10
        )

        print("Chat started! Type 'exit' or 'quit' to end the conversation.\n")
        print("Ask any Repairshopr related question or task to the agent.\n")

        # Conversation loop
        while True:
            user_input = input("You: ").strip()

            if user_input.lower() in ['exit', 'quit', 'bye']:
                print("\nGoodbye!")
                break

            if not user_input:
                continue

            print("\nAgent is thinking...\n")

            # Run the agent with streaming
            try:
                response_text = ""
                async for message in agent.run_stream(task=user_input):
                    if hasattr(message, 'content') and message.content:
                        response_text = message.content

                # Print the final response
                if response_text:
                    print(f"Agent: {response_text}\n")
                else:
                    print("Agent: I encountered an issue processing your request.\n")

            except Exception as e:
                print(f"Agent: Sorry, I encountered an error: {str(e)}\n")

if __name__ == "__main__":
    asyncio.run(main())

Conclusion

You now have an Autogen assistant wired into Repairshopr through Composio's Tool Router and MCP. From here you can:
  • Add more toolkits to the toolkits list, for example notion or hubspot
  • Refine the agent description to point it at specific workflows
  • Wrap this script behind a UI, Slack bot, or internal tool
Once the pattern is clear for Repairshopr, you can reuse the same structure for other MCP-enabled apps with minimal code changes.

How to build Repairshopr MCP Agent with another framework

FAQ

What are the differences in Tool Router MCP and Repairshopr MCP?

With a standalone Repairshopr MCP server, the agents and LLMs can only access a fixed set of Repairshopr tools tied to that server. However, with the Composio Tool Router, agents can dynamically load tools from Repairshopr and many other apps based on the task at hand, all through a single MCP endpoint.

Can I use Tool Router MCP with Autogen?

Yes, you can. Autogen fully supports MCP integration. You get structured tool calling, message history handling, and model orchestration while Tool Router takes care of discovering and serving the right Repairshopr tools.

Can I manage the permissions and scopes for Repairshopr while using Tool Router?

Yes, absolutely. You can configure which Repairshopr scopes and actions are allowed when connecting your account to Composio. You can also bring your own OAuth credentials or API configuration so you keep full control over what the agent can do.

How safe is my data with Composio Tool Router?

All sensitive data such as tokens, keys, and configuration is fully encrypted at rest and in transit. Composio is SOC 2 Type 2 compliant and follows strict security practices so your Repairshopr data and credentials are handled as safely as possible.

Used by agents from

Context
ASU
Letta
glean
HubSpot
Agent.ai
Altera
DataStax
Entelligence
Rolai
Context
ASU
Letta
glean
HubSpot
Agent.ai
Altera
DataStax
Entelligence
Rolai
Context
ASU
Letta
glean
HubSpot
Agent.ai
Altera
DataStax
Entelligence
Rolai

Never worry about agent reliability

We handle tool reliability, observability, and security so you never have to second-guess an agent action.