Skip to main content
Glama
abushadab

Self-Hosted Supabase MCP Server

by abushadab

apply_migration

Execute SQL migration scripts securely within a transaction and track them in the supabase_migrations.schema_migrations table for self-hosted Supabase databases.

Instructions

Applies a SQL migration script and records it in the supabase_migrations.schema_migrations table within a transaction.

Input Schema

TableJSON Schema
NameRequiredDescriptionDefault
nameNoAn optional descriptive name for the migration.
sqlYesThe SQL DDL content of the migration.
versionYesThe migration version string (e.g., '20240101120000').

Implementation Reference

  • The main handler function that applies the provided SQL migration within a database transaction and records the migration version in the supabase_migrations.schema_migrations table.
    execute: async (input: ApplyMigrationInput, context: ToolContext) => {
        const client = context.selfhostedClient;
    
        try {
            // Ensure pg is configured and available
            if (!client.isPgAvailable()) {
                 throw new Error('Direct database connection (DATABASE_URL) is required for applying migrations but is not configured or available.');
            }
    
            await client.executeTransactionWithPg(async (pgClient: PoolClient) => {
                // 1. Execute the provided migration SQL
                console.error(`Executing migration SQL for version ${input.version}...`);
                await pgClient.query(input.sql);
                console.error('Migration SQL executed successfully.');
    
                // 2. Insert the record into the migrations table
                console.error(`Recording migration version ${input.version} in schema_migrations...`);
                await pgClient.query(
                    'INSERT INTO supabase_migrations.schema_migrations (version, name) ' +
                    'VALUES ($1, $2);',
                     [input.version, input.name ?? '']
                 );
                console.error(`Migration version ${input.version} recorded.`);
            });
    
            return {
                success: true,
                version: input.version,
                message: `Migration ${input.version} applied successfully.`,
            };
        } catch (error: unknown) {
            const errorMessage = error instanceof Error ? error.message : String(error);
            console.error(`Failed to apply migration ${input.version}:`, errorMessage);
            // Return a structured error response recognized by handleSqlResponse if needed,
            // or let the SDK handle the thrown error.
            // Here, we'll just rethrow to let SDK handle it.
            // Alternatively, return { success: false, version: input.version, message: 'Failed: ' + errorMessage };
            throw new Error(`Failed to apply migration ${input.version}: ${errorMessage}`);
        }
    },
  • Zod schemas for input and output validation, type inference, and static JSON schema for MCP tool capabilities.
    // Input schema
    const ApplyMigrationInputSchema = z.object({
        version: z.string().describe("The migration version string (e.g., '20240101120000')."),
        name: z.string().optional().describe("An optional descriptive name for the migration."),
        sql: z.string().describe("The SQL DDL content of the migration."),
    });
    type ApplyMigrationInput = z.infer<typeof ApplyMigrationInputSchema>;
    
    // Output schema
    const ApplyMigrationOutputSchema = z.object({
        success: z.boolean(),
        version: z.string(),
        message: z.string().optional(),
    });
    
    // Static JSON Schema for MCP capabilities
    const mcpInputSchema = {
        type: 'object',
        properties: {
            version: { type: 'string', description: "The migration version string (e.g., '20240101120000')." },
            name: { type: 'string', description: 'An optional descriptive name for the migration.' },
            sql: { type: 'string', description: 'The SQL DDL content of the migration.' },
        },
        required: ['version', 'sql'],
    };
  • src/index.ts:103-103 (registration)
    Registers the `applyMigrationTool` in the `availableTools` map, which is filtered and used to expose tools to the MCP server.
    [applyMigrationTool.name]: applyMigrationTool as AppTool,
  • src/index.ts:14-14 (registration)
    Imports the `applyMigrationTool` for use in the MCP server.
    import { applyMigrationTool } from './tools/apply_migration.js';
Behavior3/5

Does the description disclose side effects, auth requirements, rate limits, or destructive behavior?

With no annotations provided, the description carries the full burden. It discloses key behavioral traits: the tool applies SQL within a transaction and records the migration, indicating it's a write operation with atomicity. However, it lacks details on permissions, error handling, or side effects beyond the transaction.

Agents need to know what a tool does to the world before calling it. Descriptions should go beyond structured annotations to explain consequences.

Conciseness5/5

Is the description appropriately sized, front-loaded, and free of redundancy?

The description is a single, efficient sentence that front-loads the core action and includes essential details (transactional recording). Every word contributes value with zero waste, making it highly concise and well-structured.

Shorter descriptions cost fewer tokens and are easier for agents to parse. Every sentence should earn its place.

Completeness3/5

Given the tool's complexity, does the description cover enough for an agent to succeed on first attempt?

Given the tool's complexity (applies SQL migrations with versioning) and lack of annotations or output schema, the description is adequate but incomplete. It covers the purpose and transactional behavior but omits details on return values, error cases, or integration with sibling tools like list_migrations.

Complex tools with many parameters or behaviors need more documentation. Simple tools need less. This dimension scales expectations accordingly.

Parameters3/5

Does the description clarify parameter syntax, constraints, interactions, or defaults beyond what the schema provides?

Schema description coverage is 100%, so the schema fully documents the parameters (name, sql, version). The description adds no additional meaning beyond what the schema provides, such as explaining parameter interactions or constraints, resulting in a baseline score of 3.

Input schemas describe structure but not intent. Descriptions should explain non-obvious parameter relationships and valid value ranges.

Purpose5/5

Does the description clearly state what the tool does and how it differs from similar tools?

The description clearly states the specific action ('Applies a SQL migration script') and the resource ('records it in the supabase_migrations.schema_migrations table'), distinguishing it from sibling tools like execute_sql or list_migrations by specifying the transactional recording aspect.

Agents choose between tools based on descriptions. A clear purpose with a specific verb and resource helps agents select the right tool.

Usage Guidelines3/5

Does the description explain when to use this tool, when not to, or what alternatives exist?

The description implies usage for applying SQL migrations with versioning, but does not explicitly state when to use this tool versus alternatives like execute_sql (for general SQL) or list_migrations (for viewing). It provides context but lacks explicit guidance on exclusions or prerequisites.

Agents often have multiple tools that could apply. Explicit usage guidance like "use X instead of Y when Z" prevents misuse.

Install Server

Other Tools

Related Tools

Latest Blog Posts

MCP directory API

We provide all the information about MCP servers via our MCP API.

curl -X GET 'https://glama.ai/api/mcp/v1/servers/abushadab/selfhosted-supabase-mcp-basic-auth'

If you have feedback or need assistance with the MCP directory API, please join our Discord server