Advanced Topics

Middleware

Intercept MCP requests to add authentication, logging, analytics, and more.

What is Middleware?

Middleware allows you to run code before (and optionally after) MCP requests are processed. This is useful for:

  • Authentication - Validate tokens and set user context
  • Logging - Track request timing and analytics
  • Context - Pass data to your tools via event.context
  • Rate limiting - Control request frequency
  • Error handling - Wrap handlers with try/catch

Basic Usage

Add middleware to your handler using the middleware option:

server/mcp/index.ts
export default defineMcpHandler({
  middleware: async (event) => {
    // Set context that tools can access
    event.context.userId = 'user-123'
    event.context.startTime = Date.now()
  },
})
If you don't call next(), the handler is called automatically after your middleware runs. This makes simple use cases straightforward.

Simple Middleware

For most cases, you just need to set context or validate something before the handler runs:

server/mcp/index.ts
export default defineMcpHandler({
  middleware: async (event) => {
    // Validate API key
    const apiKey = getHeader(event, 'x-api-key')
    if (!apiKey) {
      throw createError({ statusCode: 401, message: 'API key required' })
    }

    // Set user context for tools to access
    event.context.apiKey = apiKey
    event.context.user = await validateApiKey(apiKey)
  },
})

Your tools can then access this context:

server/mcp/tools/my-tool.ts
export default defineMcpTool({
  name: 'my-tool',
  description: 'A tool that uses middleware context',
  inputSchema: {},
  handler: async () => {
    const event = useEvent()
    const user = event.context.user

    return {
      content: [{
        type: 'text',
        text: `Hello, ${user.name}!`,
      }],
    }
  },
})
To use useEvent() in your tools, enable asyncContext in your Nuxt config:
nuxt.config.ts
export default defineNuxtConfig({
  nitro: {
    experimental: {
      asyncContext: true,
    },
  },
})

Advanced Middleware with next()

For more control, call next() explicitly to run code before and after the handler:

server/mcp/index.ts
export default defineMcpHandler({
  middleware: async (event, next) => {
    const startTime = Date.now()
    console.log('[MCP] Request started:', event.path)

    // Call the handler
    const response = await next()

    // Code after the handler
    const duration = Date.now() - startTime
    console.log(`[MCP] Request completed in ${duration}ms`)

    return response
  },
})

When to use next()

Use CaseNeed next()?
Set context before handlerNo
Validate auth before handlerNo
Log request timingYes
Modify responseYes
Catch errorsYes

Authentication Example

server/mcp/index.ts
import { getHeader, createError } from 'h3'

export default defineMcpHandler({
  middleware: async (event) => {
    const authHeader = getHeader(event, 'authorization')

    if (!authHeader?.startsWith('Bearer ')) {
      throw createError({
        statusCode: 401,
        message: 'Missing or invalid authorization header',
      })
    }

    const token = authHeader.slice(7)

    try {
      const user = await verifyToken(token)
      event.context.user = user
      event.context.userId = user.id
    }
    catch {
      throw createError({
        statusCode: 401,
        message: 'Invalid token',
      })
    }
  },
})

Logging & Analytics Example

server/mcp/index.ts
export default defineMcpHandler({
  middleware: async (event, next) => {
    const requestId = crypto.randomUUID()
    const startTime = Date.now()

    event.context.requestId = requestId

    console.log(JSON.stringify({
      type: 'mcp_request_start',
      requestId,
      path: event.path,
      method: event.method,
      timestamp: new Date().toISOString(),
    }))

    const response = await next()

    console.log(JSON.stringify({
      type: 'mcp_request_end',
      requestId,
      duration: Date.now() - startTime,
      timestamp: new Date().toISOString(),
    }))

    return response
  },
})

Middleware with Custom Handlers

Middleware works the same way with custom handlers:

server/mcp/admin.ts
export default defineMcpHandler({
  name: 'admin',
  middleware: async (event) => {
    const user = await getUser(event)

    if (user?.role !== 'admin') {
      throw createError({
        statusCode: 403,
        message: 'Admin access required',
      })
    }

    event.context.user = user
  },
  tools: [adminTool1, adminTool2],
})

TypeScript

For type-safe context, extend the H3 context:

server/types.ts
declare module 'h3' {
  interface H3EventContext {
    user?: {
      id: string
      name: string
      role: 'user' | 'admin'
    }
    requestId?: string
    startTime?: number
  }
}

Now your middleware and tools will have typed context:

server/mcp/index.ts
export default defineMcpHandler({
  middleware: async (event) => {
    event.context.user = {
      id: 'user-123',
      name: 'John',
      role: 'admin', // TypeScript will validate this
    }
  },
})

Best Practices

  1. Keep middleware focused - Do one thing well
  2. Don't call next() if you don't need it - Let it be called automatically
  3. Always return next() result - If you call next(), return its result
  4. Handle errors gracefully - Use createError for HTTP errors
  5. Type your context - Extend H3EventContext for type safety

Next Steps

  • Handlers - Learn about custom handlers
  • TypeScript - Type-safe definitions
  • Tools - Create tools that use middleware context