SqlAugur
An MCP server that gives AI assistants safe, read-only access to SQL Server databases. Every query is parsed into a full AST using Microsoft's official T-SQL parser — not regex — so comment injection, string literal tricks, and encoding bypasses are blocked at the syntax level.
┌──────────────┐ ┌───────────────────────────────────────────┐ ┌──────────────┐
│ │ stdio │ SqlAugur │ │ │
│ AI Client │◄────────►│ │───────►│ SQL Server │
│ │ │ ┌────────────┐ ┌──────────────────────┐ │ │ │
└──────────────┘ │ │ Query │ │ Schema / Diagram / │ │ └──────────────┘
│ │ Validator │ │ DBA Services │ │
│ └────────────┘ └──────────────────────┘ │
│ ┌────────────────────────────────────┐ │
│ │ Rate Limiter │ │
│ └────────────────────────────────────┘ │
└───────────────────────────────────────────┘
Quick Start
Prerequisite: .NET 10.0 runtime
1. Install
dotnet tool install -g SqlAugur
2. Configure — create ~/.config/sqlaugur/appsettings.json (Linux/macOS) or %APPDATA%\sqlaugur\appsettings.json (Windows), setting the connection string for your environment:
{
"SqlAugur": {
"Servers": {
"production": {
"ConnectionString": "Server=myserver;Database=master;Integrated Security=True;TrustServerCertificate=False;Encrypt=True;"
}
}
}
}
3. Connect — add to your MCP client:
Claude DesktopAdd to your Claude Desktop config (claude_desktop_config.json):
{
"mcpServers": {
"sqlaugur": {
"command": "sqlaugur"
}
}
}
Claude Code
claude mcp add --transport stdio sqlaugur -- sqlaugur
Or add to .mcp.json in your project root:
{
"mcpServers": {
"sqlaugur": {
"type": "stdio",
"command": "sqlaugur"
}
}
}
VS Code / Copilot
Add to .vscode/mcp.json in your workspace:
{
"servers": {
"sqlaugur": {
"command": "sqlaugur"
}
}
}
4. Verify — ask your AI assistant to list_servers and you should see your configured connection.
For Docker, Podman, and other install methods, see Installation.
Why This Approach
AST-level query validation — Most MCP database servers use keyword blocking or no validation at all. This project parses every query into a full syntax tree using Microsoft's official
TSql170Parser. Comment injection, string literal tricks, and encoding bypasses are blocked at the syntax level, not with fragile regex patterns.Rate limiting — Token bucket throughput limiting and concurrency control prevent runaway AI query loops from overwhelming production SQL Servers. No other MCP database server offers this.
DBA diagnostic tooling — Integrated support for First Responder Kit, DarlingData, and sp_WhoIsActive with parameter blocking that prevents write operations. This is an entirely new MCP capability category.
Progressive discovery — Up to 29 tools organized into toolsets that load on demand. Only 6 core tools are exposed initially, keeping the AI's context window small and reducing token usage. Additional toolsets are discovered and enabled as needed.
Features
Security
- Read-only by design — only SELECT and CTE queries are permitted
- AST-based query validation using ScriptDom (not regex)
- Parameter blocking on all diagnostic stored procedures to prevent writes
- Concurrency and throughput rate limiting
Database Tooling
- Multi-server support — named connections to multiple SQL Server instances
- Schema overview — concise Markdown schema maps with PKs, FKs, constraints, and defaults
- Table documentation — Markdown descriptions of columns, indexes, foreign keys, and constraints
- ER diagram generation — PlantUML and Mermaid diagrams with smart cardinality detection
- Schema exploration — list programmable objects, view definitions, extended properties, dependency graphs
- Query plan analysis — estimated or actual XML execution plans
- DBA diagnostics — optional integration with First Responder Kit, DarlingData, and sp_WhoIsActive
- Progressive discovery — dynamic toolset mode reduces initial context window usage by exposing tools on demand
Installation
All methods produce the same MCP server.
NuGet Global Tool (recommended)
Prerequisite: .NET 10.0 runtime
dotnet tool install -g SqlAugur
Create your configuration file:
# Linux/macOS
mkdir -p ~/.config/sqlaugur
# Edit ~/.config/sqlaugur/appsettings.json with your server connections
# Windows (PowerShell)
mkdir "$env:APPDATA\sqlaugur" -Force
# Edit %APPDATA%\sqlaugur\appsettings.json with your server connections
MCP client configuration:
{
"mcpServers": {
"sqlserver": {
"command": "sqlaugur"
}
}
}
To update: dotnet tool update -g SqlAugur
Docker / Podman
# Volume-mount a config file
docker run -i --rm \
-v /path/to/appsettings.json:/app/appsettings.json:ro,Z \
ghcr.io/mbentham/sqlaugur:latest
# Or use environment variables (no config file needed)
docker run -i --rm \
-e SqlAugur__Servers__production__ConnectionString="Server=host.docker.internal;Database=master;..." \
ghcr.io/mbentham/sqlaugur:latest
Note: To reach a SQL Server on the host machine, use
host.docker.internal(Docker Desktop) or--network=host(Linux). Replacedockerwithpodman— all commands are identical. The:Zflag on volume mounts is required for SELinux-enabled systems (Fedora, RHEL); Docker Desktop users on macOS/Windows can omit it.
MCP client configuration:
{
"mcpServers": {
"sqlserver": {
"command": "docker",
"args": ["run", "-i", "--rm",
"-v", "/path/to/appsettings.json:/app/appsettings.json:ro,Z",
"ghcr.io/mbentham/sqlaugur:latest"]
}
}
}
Docker Compose
services:
sqlaugur:
image: ghcr.io/mbentham/sqlaugur:latest
stdin_open: true
volumes:
- ./appsettings.json:/app/appsettings.json:ro,Z
MCP client configuration:
{
"mcpServers": {
"sqlserver": {
"command": "docker",
"args": ["compose", "run", "-i", "--rm", "sqlaugur"]
}
}
}
Build from Source
Prerequisite: .NET 10.0 SDK
git clone [email protected]:mbentham/SqlAugur.git
cd SqlAugur
dotnet publish SqlAugur -c Release -o SqlAugur/publish
cp SqlAugur/appsettings.example.json SqlAugur/publish/appsettings.json
# Edit SqlAugur/publish/appsettings.json with your server connections
MCP client configuration:
{
"mcpServers": {
"sqlserver": {
"command": "dotnet",
"args": ["/absolute/path/to/SqlAugur/publish/SqlAugur.dll"]
}
}
}
Configuration
The server loads configuration from multiple sources. Higher-priority sources override lower ones:
- Command-line arguments
- Environment variables — using
__as section delimiter (e.g.,SqlAugur__Servers__production__ConnectionString=...) - Current working directory —
appsettings.jsonin the directory you run the command from - User config directory —
~/.config/sqlaugur/appsettings.jsonon Linux,%APPDATA%\sqlaugur\appsettings.jsonon Windows - Azure Key Vault — when
AzureKeyVaultUriis set (see below) - App directory —
appsettings.jsonnext to the DLL
Example configuration (Windows Authentication — recommended):
{
"SqlAugur": {
"Servers": {
"production": {
"ConnectionString": "Server=myserver;Database=master;Integrated Security=True;TrustServerCertificate=False;Encrypt=True;"
}
},
"MaxRows": 1000,
"CommandTimeoutSeconds": 30,
"MaxConcurrentQueries": 5,
"MaxQueriesPerMinute": 60,
"EnableFirstResponderKit": false,
"EnableDarlingData": false,
"EnableWhoIsActive": false,
"EnableDynamicToolsets": false
}
}
| Option | Default | Description |
|---|---|---|
Servers |
— | Named SQL Server connections (name → connection string) |
MaxRows |
1000 | Maximum rows returned per query |
CommandTimeoutSeconds |
30 | SQL command timeout for all queries and procedures |
MaxConcurrentQueries |
5 | Maximum number of SQL queries that can execute concurrently |
MaxQueriesPerMinute |
60 | Maximum queries allowed per minute (token bucket rate limit) |
EnableFirstResponderKit |
false | Enable First Responder Kit diagnostic tools (sp_Blitz, sp_BlitzFirst, sp_BlitzCache, sp_BlitzIndex, sp_BlitzWho, sp_BlitzLock) |
EnableDarlingData |
false | Enable DarlingData diagnostic tools (sp_PressureDetector, sp_QuickieStore, sp_HealthParser, sp_LogHunter, sp_HumanEventsBlockViewer, sp_IndexCleanup, sp_QueryReproBuilder) |
EnableWhoIsActive |
false | Enable sp_WhoIsActive session monitoring |
EnableDynamicToolsets |
false | Enable progressive tool discovery — DBA tools load on demand via 3 meta-tools instead of at startup. Reduces initial context window usage. The Enable* flags still control which toolsets are allowed. |
AzureKeyVaultUri |
— | Azure Key Vault URI (e.g., https://myvault.vault.azure.net/). When set, secrets from the vault are added as a configuration source using DefaultAzureCredential. Key Vault secret names use -- as a section separator (e.g., a secret named SqlAugur--Servers--prod--ConnectionString maps to SqlAugur:Servers:prod:ConnectionString). |
Security Note:
appsettings.jsonis gitignored to prevent accidental credential commits. See SECURITY.md for recommended authentication methods including Windows Authentication, Azure Managed Identity, and secure credential storage options.
Tools
The server provides 29 tools organized into toolsets. Six core tools are always available. Additional toolsets are loaded at startup (static mode) or on demand (dynamic mode).
Core Tools
| Tool | Description |
|---|---|
list_servers |
Lists available SQL Server instances configured in appsettings.json. |
list_databases |
Lists all databases on a named server with names, IDs, states, and creation dates. |
read_data |
Executes a read-only SQL SELECT query. Only SELECT and WITH (CTE) queries are allowed. Results returned as JSON with a configurable row limit. |
get_query_plan |
Returns the estimated or actual XML execution plan for a SELECT query. |
get_schema_overview |
Concise Markdown schema overview: tables, columns, PKs, FKs, unique/check constraints, defaults. Supports compact mode, schema and table filtering. |
describe_table |
Comprehensive table metadata in Markdown: columns, data types, nullability, defaults, identity, computed expressions, indexes, FKs, constraints. |
| Tool | Description |
|---|---|
list_programmable_objects |
Lists views, stored procedures, functions, and triggers. Filterable by type and schema. |
get_object_definition |
Returns the source definition (CREATE statement) of a programmable object. |
get_extended_properties |
Reads extended properties (descriptions, metadata) on tables, columns, and other objects. |
get_object_dependencies |
Shows what an object references and what references it — upstream and downstream dependency graphs. |
| Tool | Description |
|---|---|
get_plantuml_diagram |
Generates a PlantUML ER diagram with tables, columns, PKs, and FK relationships. Saves to a .puml file. Supports compact mode, schema/table filtering, and a configurable table limit (max 200). |
get_mermaid_diagram |
Generates a Mermaid ER diagram with tables, columns, PKs, and FK relationships. Saves to a .mmd file. Supports compact mode, schema/table filtering, and a configurable table limit (max 200). |
DBA Diagnostic Tools
Each toolkit is enabled independently via config flags and requires the corresponding stored procedures installed on the target SQL Server.
First Responder Kit (6 tools) — requiresEnableFirstResponderKit: true
Install from: github.com/BrentOzarULTD/SQL-Server-First-Responder-Kit
| Tool | Description |
|---|---|
sp_blitz |
Overall SQL Server health check — prioritized findings for performance, configuration, and security. |
sp_blitz_first |
Real-time performance diagnostics — samples DMVs over an interval for waits, file latency, and perfmon counters. |
sp_blitz_cache |
Plan cache analysis — top queries by CPU, reads, duration, executions, or memory grants. |
sp_blitz_index |
Index analysis — missing, unused, and duplicate indexes with usage patterns. |
sp_blitz_who |
Active query monitor — what's running, blocking info, tempdb usage, query plans. |
sp_blitz_lock |
Deadlock analysis from the system_health extended event session. |
EnableDarlingData: true
Install from: github.com/erikdarling/DarlingData
| Tool | Description |
|---|---|
sp_pressure_detector |
Diagnoses CPU and memory pressure — resource bottlenecks, high-CPU queries, memory grants, disk latency. |
sp_quickie_store |
Query Store analysis — top resource-consuming queries, plan regressions, wait statistics. |
sp_health_parser |
Parses the system_health extended event session for historical waits, disk latency, CPU, memory, and locking. |
sp_log_hunter |
Searches SQL Server error logs for errors, warnings, and custom messages. |
sp_human_events_block_viewer |
Analyzes blocking events from sp_HumanEvents sessions — blocking chains, lock details, waits. |
sp_index_cleanup |
Finds unused and duplicate indexes that are candidates for removal. |
sp_query_repro_builder |
Generates reproduction scripts for Query Store queries with parameter values. |
EnableWhoIsActive: true
Install from: whoisactive.com
| Tool | Description |
|---|---|
sp_whoisactive |
Monitors active sessions and queries — wait info, blocking details, tempdb usage, resource consumption. |
Progressive Discovery
When EnableDynamicToolsets is true, only core tools load at startup. Three meta-tools let the AI discover and enable additional toolsets on demand, reducing initial context window usage:
| Tool | Description |
|---|---|
list_toolsets |
Lists available toolsets with status (available, enabled, not configured) and tool counts. |
get_toolset_tools |
Returns detailed tool and parameter info for a specific toolset before enabling it. |
enable_toolset |
Enables a toolset, making its tools available. Only works if the admin has enabled the toolset via the corresponding Enable* config flag. |
Example flow:
- AI calls
list_toolsets— seesfirst_responder_kitis "available" (configured but not yet enabled) - AI calls
get_toolset_tools("first_responder_kit")— reviews the 6 tools and their parameters - AI calls
enable_toolset("first_responder_kit")— the 6 tools are now registered and usable - AI calls
sp_blitz— runs the health check as normal
In static mode (EnableDynamicToolsets: false), all enabled toolsets load at startup and the discovery tools are not registered. Schema Exploration and Diagrams toolsets are always loaded regardless of mode.
Known limitation: Progressive discovery relies on the MCP
notifications/tools/list_changednotification to inform clients that new tools have been registered. Claude Code does not currently handle this notification (anthropics/claude-code#4118), so dynamically enabled toolsets will not appear. Use static mode (EnableDynamicToolsets: false) when using Claude Code.
Security
Query Validation
Every query is parsed into an Abstract Syntax Tree (AST) using Microsoft's official TSql170Parser and must pass these rules:
- Single statement only — multiple statements are rejected
- SELECT only — INSERT, UPDATE, DELETE, DROP, EXEC, CREATE, ALTER, and all other statement types are blocked
- No SELECT INTO — prevents table creation via SELECT
- No external data access — OPENROWSET, OPENQUERY, OPENDATASOURCE, OPENXML blocked
- No linked servers — four-part name references are rejected
- No MAXRECURSION hint — prevents overriding the default recursion limit
- Cross-database queries are allowed — three-part names work by design; the security boundary is the server, not the database. To restrict to a single database, limit the login's permissions.
Because validation operates on the parsed AST, it correctly handles edge cases that defeat string-based approaches: keywords inside comments, string literals, nested block comments, and encoding tricks.
Parameter Blocking
Diagnostic stored procedures execute via whitelisted procedure names with blocked parameters that prevent writes:
- First Responder Kit — all
@Output*parameters blocked (prevents writing results to server tables) - DarlingData — logging and output parameters blocked (prevents table creation and data retention)
- sp_WhoIsActive —
@destination_table,@return_schema,@schema,@helpblocked
Rate Limiting
All tool executions are subject to concurrency limiting (MaxConcurrentQueries, default 5) and throughput limiting (MaxQueriesPerMinute, default 60). Excess requests are rejected with a retry message.
Connection Security
Use Windows Authentication or Azure Managed Identity where possible to avoid storing credentials in config files. When SQL Authentication is required, use environment variable overrides to inject credentials at runtime. See SECURITY.md for detailed guidance including credential stores and connection string encryption.
Known Risks
- This project depends on the official Microsoft MCP C# SDK (
ModelContextProtocolNuGet package) which is currently a prerelease version. Prerelease packages may contain undiscovered security vulnerabilities and receive breaking changes. As the MCP framework handles all protocol I/O, any vulnerability in it directly affects this application's security boundary. Monitor the package for stable releases and upgrade when available. - The data returned from a SQL Server query could include malicious prompt injection targeting AIs. This is a risk of all AI use and cannot be mitigated by this project. Ensure you're following best practices for AI security and only connecting to trusted data sources.
Contributing
Contributions are welcome. See CONTRIBUTING.md for architecture details, development setup, testing instructions, and guidelines for adding new tools.
License
MIT