sentry-common-errors
Execute troubleshoot common Sentry integration issues and fixes. Use when encountering Sentry errors, missing events, or configuration problems. Trigger with phrases like "sentry not working", "sentry errors missing", "fix sentry", "sentry troubleshoot".
Install
mkdir -p .claude/skills/sentry-common-errors && curl -L -o skill.zip "https://mcp.directory/api/skills/download/7955" && unzip -o skill.zip -d .claude/skills/sentry-common-errors && rm skill.zipInstalls to .claude/skills/sentry-common-errors
About this skill
Sentry Common Errors
Overview
Diagnose and fix the most frequently encountered Sentry SDK integration issues across Node.js, browser, and Python environments. Covers DSN validation, missing events, source map failures, rate limiting, SDK initialization ordering, serverless flush patterns, CORS configuration, and environment tagging.
Prerequisites
- Sentry SDK installed (
@sentry/nodev8+,@sentry/browserv8+, orsentry-sdkfor Python) - Access to Sentry dashboard with project admin or member role
- Application logs available for inspection
sentry-cliinstalled for source map and release operations
Instructions
Step 1 — Detect the installed SDK and current configuration
!npm list @sentry/node @sentry/browser @sentry/react @sentry/nextjs 2>/dev/null | head -10 || echo "No Node.js Sentry SDK found"
!python3 -c "import sentry_sdk; print(f'sentry-sdk {sentry_sdk.VERSION}')" 2>/dev/null || echo "No Python sentry-sdk found"
!command -v sentry-cli >/dev/null && sentry-cli --version || echo "sentry-cli not installed"
Grep the project for Sentry initialization to identify the current configuration:
grep -rn "Sentry.init\|sentry_sdk.init" --include="*.ts" --include="*.js" --include="*.mjs" --include="*.py" . 2>/dev/null | head -20
Step 2 — DSN not set or invalid DSN format
The DSN (Data Source Name) tells the SDK where to send events. Format: https://<public-key>@<org>.ingest.sentry.io/<project-id>
Symptoms: No events arrive. SDK silently does nothing. debug: true shows "No DSN provided."
// WRONG — DSN is undefined because env var is missing or misspelled
Sentry.init({
dsn: process.env.SENTRI_DSN, // Typo in env var name
});
// CORRECT — validate DSN is present before init
const dsn = process.env.SENTRY_DSN;
if (!dsn) {
console.error('SENTRY_DSN environment variable is not set');
process.exit(1);
}
Sentry.init({
dsn: dsn.trim(),
debug: true, // Enable during troubleshooting
});
Python equivalent:
import os, sentry_sdk
dsn = os.environ.get("SENTRY_DSN")
if not dsn:
raise RuntimeError("SENTRY_DSN not set")
sentry_sdk.init(dsn=dsn.strip(), debug=True)
Step 3 — Events not appearing in dashboard
Symptoms: Sentry.captureException() runs without errors, but nothing shows up in the Sentry web UI.
Root causes and fixes:
beforeSendaccidentally returning null:
// WRONG — missing return drops all non-exception events
beforeSend(event) {
if (event.exception) {
event.tags = { ...event.tags, has_exception: 'true' };
return event;
}
// Implicit return undefined = event DROPPED
}
// CORRECT — always return event unless you explicitly want to filter
beforeSend(event) {
if (event.message?.includes('ResizeObserver loop')) {
return null; // Intentionally drop
}
if (event.exception) {
event.tags = { ...event.tags, has_exception: 'true' };
}
return event; // ALWAYS return at the end
}
sampleRateset to 0:
// WRONG
Sentry.init({ sampleRate: 0, tracesSampleRate: 0 }); // Nothing is sent
// CORRECT
Sentry.init({ sampleRate: 1.0, tracesSampleRate: 0.1 });
- Missing
await Sentry.flush()in serverless / CLI contexts:
// WRONG — Lambda/CLI process exits before SDK sends the event
export const handler = async (event) => {
try {
return await processRequest(event);
} catch (error) {
Sentry.captureException(error);
throw error; // Process exits, event never sent!
}
};
// CORRECT — flush before returning
export const handler = async (event) => {
try {
return await processRequest(event);
} catch (error) {
Sentry.captureException(error);
await Sentry.flush(2000); // Wait up to 2s for event to send
throw error;
}
};
Python (AWS Lambda):
def handler(event, context):
try:
return process_request(event)
except Exception as e:
sentry_sdk.capture_exception(e)
sentry_sdk.flush(timeout=2) # CRITICAL for Lambda
raise
- SDK initialized after error occurs:
// WRONG — error happens before Sentry.init()
import express from 'express';
app.get('/', () => { throw new Error('boom'); }); // Sentry not ready
import * as Sentry from '@sentry/node';
Sentry.init({ dsn: '...' }); // Too late
// CORRECT — Sentry FIRST
import * as Sentry from '@sentry/node';
Sentry.init({ dsn: '...' });
import express from 'express';
Diagnostic checklist for missing events:
# 1. Verify DSN is present
echo "DSN set: ${SENTRY_DSN:+yes}"
# 2. Enable debug mode and send test event
node -e "
const Sentry = require('@sentry/node');
Sentry.init({ dsn: process.env.SENTRY_DSN, debug: true });
const id = Sentry.captureMessage('Test from CLI', 'info');
console.log('Event ID:', id);
Sentry.flush(5000).then(() => console.log('Flush complete'));
"
# 3. Check Sentry service status
curl -s https://status.sentry.io/api/v2/status.json | python3 -c "
import sys, json; d = json.load(sys.stdin)
print(f\"Status: {d['status']['description']}\")
" 2>/dev/null || echo "Could not reach status.sentry.io"
Step 4 — Source maps not resolving
Symptoms: Stack traces in Sentry show minified variable names and wrong line numbers.
Root cause 1 — Release version mismatch: The release in Sentry.init() must exactly match the release name used during sentry-cli upload.
Sentry.init({ dsn: process.env.SENTRY_DSN, release: 'my-app@1.2.3' });
# During build/deploy — same version string
export VERSION="my-app@1.2.3"
sentry-cli releases new "$VERSION"
sentry-cli releases files "$VERSION" upload-sourcemaps ./dist \
--url-prefix '~/static/js' # Must match how browser loads the files
sentry-cli releases finalize "$VERSION"
Root cause 2 — URL prefix mismatch:
# Diagnose with the explain command
sentry-cli sourcemaps explain --org "$SENTRY_ORG" --project "$SENTRY_PROJECT" EVENT_ID
# List uploaded artifacts to verify
sentry-cli releases files "$VERSION" list
Root cause 3 — Source maps uploaded after error occurred: Sentry does not retroactively apply source maps. Upload before the release goes live.
Root cause 4 — Build tool not generating source maps:
// webpack: devtool: 'source-map'
// vite: build: { sourcemap: true }
Step 5 — 429 rate limit errors
Symptoms: Sentry returns HTTP 429. Events are dropped.
Sentry.init({
dsn: process.env.SENTRY_DSN,
sampleRate: 0.25, // Send 25% of errors
tracesSampleRate: 0.01, // 1% of transactions
maxBreadcrumbs: 20, // Reduce from default 100
ignoreErrors: [
'ResizeObserver loop limit exceeded',
'Non-Error promise rejection captured',
/Loading chunk \d+ failed/,
/Failed to fetch/,
],
beforeSend(event) {
const frames = event.exception?.values?.[0]?.stacktrace?.frames || [];
if (frames.some(f => f.filename?.includes('extension://'))) return null;
return event;
},
});
Check quota: Settings > Projects > [Project] > Client Keys > Configure > Rate Limiting.
Step 6 — SDK version conflicts
Symptoms: TypeError: Sentry.X is not a function, duplicate events, or missing integrations.
# All @sentry/* packages must share the same major version
npm list | grep @sentry 2>/dev/null
# Fix: npm install @sentry/node@latest @sentry/browser@latest
SDK v8 breaking change: @sentry/tracing is removed. Tracing is built into the core:
import * as Sentry from '@sentry/node';
Sentry.init({ dsn: '...', tracesSampleRate: 0.1 }); // No @sentry/tracing needed
Step 7 — Wrong environment tag
// WRONG — hardcoded, same value in dev and prod
Sentry.init({ environment: 'production' });
// CORRECT — derive from runtime
Sentry.init({ dsn: process.env.SENTRY_DSN, environment: process.env.NODE_ENV || 'development' });
Step 8 — CORS issues with browser SDK
The standard SDK sends to https://<org>.ingest.sentry.io which has permissive CORS. If you see CORS errors:
- CSP blocking — add
connect-src 'self' https://*.ingest.sentry.ioto your CSP - Tunnel misconfiguration — your tunnel endpoint must proxy and return CORS headers
- Ad blockers — use the
tunneloption to route through your domain
Sentry.init({ dsn: process.env.SENTRY_DSN, tunnel: '/api/sentry-tunnel' });
Step 9 — Node.js process exits before events are sent
The SDK batches events asynchronously. Short-lived processes must flush before exit.
async function main() {
try { await doWork(); }
catch (error) { Sentry.captureException(error); }
finally { await Sentry.flush(5000); } // CRITICAL
}
// Graceful shutdown for servers
process.on('SIGTERM', async () => {
await Sentry.flush(5000);
server.close(() => process.exit(0));
});
Step 10 — Express "not instrumented" warning
Sentry must initialize before importing Express so it can monkey-patch HTTP modules:
// instrument.mjs — imported first
import * as Sentry from '@sentry/node';
Sentry.init({ dsn: process.env.SENTRY_DSN, tracesSampleRate: 0.1 });
// app.mjs
import './instrument.mjs'; // FIRST
import express from 'express';
const app = express();
Sentry.setupExpressErrorHandler(app); // After all routes
Or use node --import ./instrument.mjs app.mjs.
Output
- Root cause identified from the diagnostic steps above
- Configuration fix applied and verified with a test event
debug: trueoutput confirming SDK initialization and event delivery- Test event visible in Sentry dashboard (search by Event ID)
debug: trueremoved after issue is resolved
Error Handling
| Error / Symptom | Cause | Solution |
|---|---|---|
Invalid Sentry Dsn | Malformed or empty DSN string | Re-copy DSN from Project Settings > Client Keys. Verify fo |
Content truncated.
More by jeremylongshore
View all skills by jeremylongshore →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversConnect Blender to Claude AI for seamless 3D modeling. Use AI 3D model generator tools for faster, intuitive, interactiv
Easily integrate and debug Sentry APIs with sentry-mcp, a flexible MCP middleware for cloud and self-hosted setups.
TaskManager streamlines project tracking and time management with efficient task queues, ideal for managing projects sof
Shell Command lets you securely execute whitelisted shell commands on your system using powerful asyncio integration.
Boost Payload CMS 3.0 development with validation, querying, and Redis-integrated code generation for efficient project
Fused MCP Agents — Python-based MCP server to run Python from Claude, enabling Claude Python integration and LLM Python
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.