@civic/auth-mcp
 
 
 

🔐 The Fastest Way to Add Authorization to MCP Servers
This is the fastest way to add authorization to MCP servers, enabling secure tool use in LLMs and providing confidence and security for you and your customers.
It works with any compliant OAuth2/OIDC provider, while being optimized for Civic Auth's lightning-fast authentication experience.
🚀 Why Choose Civic Auth?
Civic Auth delivers the fastest, most flexible authentication experience for modern applications:
- ⚡ Lightning Setup: Get users authenticated in under 60 seconds with familiar sign-in options (email, Google, passkeys, wallets)
- 🔄 Adaptable Onboarding: Seamless experience for all users - supports existing wallets or creates embedded wallets automatically
- 🌐 Web3 Support: Native support for Solana, Ethereum, Base, Polygon, BSC, Arbitrum, and other EVM chains
- 📱 Universal Compatibility: Works everywhere - React, Next.js, Node.js, or any OIDC/OAuth 2.0 environment
Ready to experience the fastest auth? Get your Client ID at auth.civic.com and be up and running in minutes.
📦 Features
- Compliant with the latest version of the Model Context Protocol (MCP) specification, particularly regarding Authorization Server discovers spec
- Client and server SDKs for easy integration
- Express middleware for quick setup
- Framework-agnostic core for use with any nodejs framework
- CLI authentication for integration with command-line tools
🚀 Quick Start
Install the dependencies:
npm install @civic/auth-mcp @modelcontextprotocol/sdk
Add the middleware to your express app:
app.use(await auth());
Out of the box, this uses Civic Auth as an authentication provider, which is the fastest way to get started.
Once you are ready to go live, obtain a client ID from auth.civic.com and replace the default client ID in the middleware:
app.use(await auth({
    clientId: "...", 
}));
That's it!
🛠️ Usage Examples
🚀 Express Middleware (Recommended)
The fastest way to secure an MCP server. Works smoothly with Anthropic's SDK.
import express from "express";
import {auth} from "@civic/auth-mcp";
import {StreamableHTTPServerTransport} from "@modelcontextprotocol/sdk/server/streamableHttp.js";
import {McpServer} from "@modelcontextprotocol/sdk/server/mcp.js";
const app = express();
app.use(await auth());
async function getServer() {
    const server = new McpServer({
        name: "my-mcp-server",
        version: "0.0.1",
    });
    
    server.tool(
        "tool-name",
        "Example tool",
        {},
        async (_, extra) => {
            
            const user = extra.authInfo?.extra?.sub;
            return {
                content: [
                    {
                        type: "text",
                        text: `Hello ${user}!`,
                    },
                ],
            };
        }
    );
    
    
    const transport = new StreamableHTTPServerTransport({
        sessionIdGenerator: undefined,
    });
    await server.connect(transport);
    return { transport, server };
}
app.post("/mcp", async (req, res) => {
    const { transport, server } = await getServer();
    await transport.handleRequest(req, res, req.body);
    res.on('close', () => {
        transport.close();
        server.close()
    })
});
⚙️ Configuration Options
app.use(await auth({
  
  wellKnownUrl: 'https://accounts.google.com/.well-known/openid-configuration',
    
  
  issuerUrl: 'https://my-mcp-server.com',
  scopesSupported: ['openid', 'profile', 'email', 'custom:scope'],
  
  
  mcpRoute: '/api',
    
  
  onLogin: async (authInfo, request) => {
    
    const userData = await db.users.findOne({ sub: authInfo?.extra?.sub });
    
    return {
      ...authInfo,
      extra: { ...authInfo.extra, ...userData }
    };
  },
  
  
  enableLegacyOAuth: true, 
  stateStore: customStateStore, 
}));
⚡ Framework-Agnostic Usage
For non-Express frameworks, use the McpServerAuth class directly:
import { McpServerAuth } from "@civic/auth-mcp";
const mcpServerAuth = await McpServerAuth.init();
const mcpServerAuth = await McpServerAuth.init({
  onLogin: async (authInfo, request) => {
    const userData = await db.users.findOne({ sub: authInfo?.extra?.sub });
    return {
      ...authInfo,
      extra: { ...authInfo.extra, ...userData }
    };
  },
});
if (path === '/.well-known/oauth-protected-resource') {
  const metadata = mcpServerAuth.getProtectedResourceMetadata('https://my-server.com');
  return json(metadata);
}
try {
  const authInfo = await mcpServerAuth.handleRequest(request);
  
} catch (error) {
    return unauthorized('Authentication failed');
}
💻 Client Integration
This library includes a client SDK for easy integration with MCP servers, supporting various authentication methods.
🖥️ CLI Client
The CLI client allows you to authenticate and connect to MCP servers directly from the command line.
When authentication is required, it will automatically open a browser window for the user to complete the authentication flow.
import { CLIAuthProvider, RestartableStreamableHTTPClientTransport, CLIClient } from "@civic/auth-mcp/client";
const authProvider = new CLIAuthProvider({
  clientId: "your-client-id", 
  
  
  
});
const transport = new RestartableStreamableHTTPClientTransport(
  new URL("http://localhost:33006/mcp"),
  { authProvider }
);
const mcpClient = new CLIClient(
    { name: "cli-example", version: "0.0.1" }, 
    { capabilities: {} }
);
await mcpClient.connect(transport);
💾 Token Persistence
By default, tokens are stored in memory and lost when the process exits. You can configure persistent token storage by implementing the TokenPersistence interface.
In-Memory Token Persistence (Default)
Tokens are stored in memory and lost when the process exits:
import { CLIAuthProvider, InMemoryTokenPersistence } from "@civic/auth-mcp/client";
const authProvider = new CLIAuthProvider({
  clientId: "your-client-id",
  tokenPersistence: new InMemoryTokenPersistence(), 
});
Custom Token Persistence
Implement your own persistence strategy by implementing the TokenPersistence interface:
import { TokenPersistence } from "@civic/auth-mcp/client";
import type { OAuthTokens } from "@modelcontextprotocol/sdk/shared/auth.js";
class MyTokenPersistence implements TokenPersistence {
  async saveTokens(tokens: OAuthTokens): Promise<void> { ... }
  async loadTokens(): Promise<OAuthTokens | undefined> { ... }
  async clearTokens(): Promise<void> { ... }
}
const authProvider = new CLIAuthProvider({
  clientId: "your-client-id",
  tokenPersistence: new DatabaseTokenPersistence(),
});
🎫 Token Authentication
The TokenAuthProvider simplifies connecting to MCP servers with pre-obtained JWT tokens.
Use this if you have an app that already handles authentication, e.g. via Civic Auth.
import { TokenAuthProvider, RestartableStreamableHTTPClientTransport } from "@civic/auth-mcp/client";
import { Client } from "@modelcontextprotocol/sdk/client/index.js";
import { StreamableHTTPClientTransport } from "@modelcontextprotocol/sdk/client/streamableHttp.js";
const authProvider = new TokenAuthProvider("your-jwt-token");
const transport = new StreamableHTTPClientTransport(
  new URL("http://localhost:33006/mcp"),
  { authProvider }
);
const mcpClient = new Client(
  { name: "example-client", version: "0.0.1" },
  { capabilities: {} }
);
await mcpClient.connect(transport);
🛠️ Dynamic Client Registration
Some MCP Clients use OAuth 2.0 Dynamic Client Registration to automatically register with the auth server.
This means that the client ID sent to your MCP server will not match your client ID, as a new client ID is generated dynamically during the registration process for each client.
Civic-Auth, and the @civic/auth-mcp library support this. To enable it, set the allowDynamicClientRegistration option to true in the MCP server configuration:
app.use(await auth({
    allowDynamicClientRegistration: true,
}));
This will ensure that your client ID is passed to the auth server during client registration, and resultant tokens will be valid for your MCP server only.
Note - this feature is available for the Civic Auth provider only. Behaviour may differ for other providers.
🔄 Legacy OAuth Support
This library includes support for the legacy MCP OAuth specification to ensure compatibility with existing clients while they transition to the latest specification.
Important: This legacy support will be removed in a future version once all major clients have updated to the current MCP specification.
The legacy OAuth mode:
- Is enabled by default to ensure maximum compatibility
- Provides OAuth endpoints directly on the MCP server (e.g., /authorize,/token)
- Transparently proxies OAuth flows to the configured authorization server
To disable legacy OAuth support (recommended once your clients are updated):
app.use(await auth({
    enableLegacyOAuth: false,
}));
We recommend monitoring your client usage and disabling legacy support once all clients have been updated to use the standard OAuth flow with authorization server discovery.
NOTE If testing with Claude (Web or Desktop), you will need to deploy your server to a remote environment using https first,
as Claude does not support localhost MCP integrations.
NOTE When using the legacy OAuth flow behind a proxy, make sure to enable the "trust proxy" setting
in Express. See details here.
This ensures the oauth metadata correctly generates "https" urls.
app.enable('trust proxy');
Custom State Store
By default, the legacy OAuth mode uses an in-memory state store for managing OAuth flow state between redirects. For production deployments with multiple servers or processes, you can provide a custom state store implementation:
class RedisStateStore implements StateStore {
  ...
}
app.use(await auth({
  stateStore: new RedisStateStore(),
}));
Configuration
The auth() middleware accepts the following configuration options:
| clientId | string | Public Civic client ID | OAuth client ID / Tenant ID for token validation | 
| wellKnownUrl | string | https://auth.civic.com/oauth/.well-known/openid-configuration | URL to the auth server's OIDC configuration | 
| scopesSupported | string[] | ['openid', 'profile', 'email'] | OAuth scopes to support | 
| issuerUrl | string | URL | Server's base URL | Issuer URL for the resource server | 
| basePath | string | / | Base path for auth endpoints | 
| mcpRoute | string | /mcp | The MCP route to protect with authentication | 
| onLogin | function | - | Optional callback to enrich auth info with custom data | 
| allowDynamicClientRegistration | boolean | false | Enable dynamic client registration | 
| enableLegacyOAuth | boolean | true | Enable legacy OAuth proxy mode (deprecated) | 
| stateStore | StateStore | In-memory store | Custom state store for OAuth flow (legacy mode only) | 
| jwks | object | - | Local JWKS for testing (bypasses remote JWKS fetch) | 
✨ Why Choose @civic/auth-mcp?
🚀 Zero-Friction Setup
- Drop-in Express middleware that works out of the box
- One-line integration
🔒 Enterprise Security, Startup Speed
- Works seamlessly with Civic Auth, a battle-tested and secure authentication provider
- Automatic token refresh and session management
- Privacy-first design with minimal data collection
- PKCE-support
🎯 Developer Experience First
- CLI authentication with automatic browser flow
- Multiple auth patterns: tokens, OAuth flow, pre-authenticated
- TypeScript-first with comprehensive type safety
🌐 Production Ready
- Comprehensive error handling and retry logic
- Built-in transport layer with connection recovery
- Lightweight with minimal dependencies
🌟 What's Next?
- 📚 Documentation: Comprehensive guides at docs.civic.com
- 🐛 Issues: Report bugs or request features on GitHub
- 💬 Community: Join our Discord for support and discussions
- 🔄 Updates: Follow @civickey for the latest updates
📄 License
It is provided as-is, without warranty of any kind, express or implied. Civic makes no guarantees of fitness for a particular purpose or ongoing support.
Use of this library is governed solely by the terms of the MIT License.
By using this software, you agree that Civic shall not be held liable for any damages arising from its use, performance, or integration.
Note: The @civic/auth-mcp library is released as an open-source project under the MIT License.
It is provided without warranty or support guarantees.