sentry-upgrade-migration
Execute upgrade Sentry SDK and migrate between versions. Use when upgrading Sentry SDK, handling breaking changes, or migrating from legacy versions. Trigger with phrases like "upgrade sentry", "sentry migration", "update sentry sdk", "sentry breaking changes".
Install
mkdir -p .claude/skills/sentry-upgrade-migration && curl -L -o skill.zip "https://mcp.directory/api/skills/download/6286" && unzip -o skill.zip -d .claude/skills/sentry-upgrade-migration && rm skill.zipInstalls to .claude/skills/sentry-upgrade-migration
About this skill
Sentry Upgrade Migration
Detect installed Sentry SDK versions, identify breaking API changes, apply automated codemods, and verify the upgrade succeeds with test events and traces.
Current State
!npm list 2>/dev/null | command grep @sentry || echo 'No npm Sentry packages found'
!pip show sentry-sdk 2>/dev/null | command grep -E '^(Name|Version)' || echo 'No Python sentry-sdk found'
!node --version 2>/dev/null || echo 'Node.js not available'
Overview
Sentry SDK upgrades require careful handling of breaking API changes. The v7 to v8 JavaScript migration is the most impactful, removing the Hub pattern, replacing Transaction/Span APIs with startSpan(), converting class-based integrations to functions, and requiring ESM-first initialization. Python SDK v1 to v2 similarly replaces configure_scope() with get_current_scope(). This skill automates version detection, runs the official @sentry/migr8 codemod, applies manual fixes for patterns the codemod misses, and validates the upgrade with test events.
Prerequisites
- Current Sentry SDK version identified (run DCI above)
- Target version changelog reviewed
- Non-production environment for testing upgrades
- All
@sentry/*packages at the same major version before starting - Node.js >= 18.19.0 or >= 20.6.0 for SDK v8 (ESM support required)
Instructions
Step 1. Identify Current SDK Version and Scan for Deprecated APIs
# JavaScript: list all Sentry packages and their versions
npm ls 2>/dev/null | command grep "@sentry/"
# Python: check installed version
pip show sentry-sdk 2>/dev/null
# Verify all @sentry/* packages are the same major version (critical!)
# Mixed versions cause runtime crashes
npm ls @sentry/core @sentry/node @sentry/browser @sentry/utils 2>/dev/null
Scan the codebase for deprecated patterns that need migration:
# Detect v7 Hub usage (removed in v8)
command grep -rn "getCurrentHub\|configureScope\|hub\.capture" src/ --include="*.ts" --include="*.js"
# Detect v7 Transaction API (replaced in v8)
command grep -rn "startTransaction\|\.startChild\|\.finish()" src/ --include="*.ts" --include="*.js"
# Detect class-based integrations (replaced in v8)
command grep -rn "new Sentry\.\|new BrowserTracing\|new Integrations\." src/ --include="*.ts" --include="*.js"
# Detect @sentry/tracing imports (package removed in v8)
command grep -rn "from '@sentry/tracing'" src/ --include="*.ts" --include="*.js"
# Python: detect v1 scope API (replaced in v2)
command grep -rn "configure_scope\|push_scope" src/ --include="*.py"
Step 2. Run the Automated Migration Codemod (JavaScript v7 to v8)
# First upgrade to latest v7 to get deprecation warnings
npm install @sentry/node@7
# Run the official migr8 codemod — rewrites deprecated APIs automatically
npx @sentry/migr8@latest
# Handles: Hub removal, integration class→function, import path changes
# Does NOT handle: Transaction→startSpan, ESM init pattern, custom transports
# Now upgrade to v8
npm install @sentry/node@8
Step 3. Apply Breaking Change Fixes the Codemod Misses
Breaking Change: Transaction/Span API replaced with startSpan()
// v7 (OLD) — manual transaction lifecycle
const transaction = Sentry.startTransaction({ name: 'process', op: 'task' });
const span = transaction.startChild({ op: 'db.query', description: 'SELECT users' });
// ... do work
span.finish();
transaction.finish();
// v8 (NEW) — callback-based, auto-finishes on return
await Sentry.startSpan({ name: 'process', op: 'task' }, async () => {
await Sentry.startSpan({ name: 'SELECT users', op: 'db.query' }, async () => {
// ... do work
}); // span auto-finishes when callback returns
}); // root span auto-finishes when callback returns
Breaking Change: Hub removed, use Scope API
// v7 (OLD)
const hub = Sentry.getCurrentHub();
hub.configureScope((scope) => {
scope.setTag('region', 'us-east-1');
});
const transaction = hub.startTransaction({ name: 'my-tx' });
// v8 (NEW)
Sentry.withScope((scope) => {
scope.setTag('region', 'us-east-1');
});
Sentry.startSpan({ name: 'my-tx', op: 'custom' }, (span) => {
// work within span
});
Breaking Change: Integrations are functions, not classes
// v7 (OLD)
import * as Sentry from '@sentry/node';
Sentry.init({
integrations: [new Sentry.Integrations.Http({ tracing: true })],
});
// v8 (NEW) — most integrations are auto-enabled
Sentry.init({
integrations: [
Sentry.httpIntegration({ tracing: true }),
],
});
Breaking Change: @sentry/tracing removed
// v7 (OLD)
import { BrowserTracing } from '@sentry/tracing';
Sentry.init({
integrations: [new BrowserTracing()],
});
// v8 (NEW) — built into @sentry/browser and @sentry/node
Sentry.init({
integrations: [
Sentry.browserTracingIntegration(),
],
});
Breaking Change: ESM initialization requires separate file
// v7 (OLD) — init at top of entry file
import * as Sentry from '@sentry/node';
Sentry.init({ dsn: '...' });
// ... app code
// v8 (NEW) — must be in separate file, loaded via --import
// instrument.mjs (separate file)
import * as Sentry from '@sentry/node';
Sentry.init({ dsn: '...' });
// Run with: node --import ./instrument.mjs app.mjs
// Or in package.json: "start": "node --import ./instrument.mjs app.mjs"
Breaking Change: Custom transport must return response
// v7 (OLD) — send could return void
makeRequest(request) {
sendToBackend(request);
}
// v8 (NEW) — must return TransportMakeRequestResponse
makeRequest(request) {
sendToBackend(request);
return { statusCode: 200 };
}
See major-version-migrations.md for v6-to-v7 and Python v1-to-v2 migration details.
Step 4. Python SDK v1 to v2 Migration
# v1 (OLD) — configure_scope / push_scope
import sentry_sdk
with sentry_sdk.configure_scope() as scope:
scope.set_tag("key", "value")
with sentry_sdk.push_scope() as scope:
scope.set_extra("debug_info", data)
sentry_sdk.capture_message("scoped message")
# v2 (NEW) — get_current_scope / new_scope
import sentry_sdk
scope = sentry_sdk.get_current_scope()
scope.set_tag("key", "value")
with sentry_sdk.new_scope() as scope:
scope.set_extra("debug_info", data)
sentry_sdk.capture_message("scoped message")
# Upgrade Python SDK
pip install --upgrade sentry-sdk
# Verify version
python -c "import sentry_sdk; print(sentry_sdk.VERSION)"
Step 5. Align All Package Versions and Update Bundler Plugins
# All @sentry/* packages MUST be the same major version
# Mixed versions cause "Cannot read properties of undefined" runtime errors
npm install @sentry/node@8 @sentry/browser@8 @sentry/react@8 @sentry/profiling-node@8
# Remove deprecated packages
npm uninstall @sentry/tracing @sentry/hub 2>/dev/null
# Update bundler plugins (must be v2.14.2+ for SDK v8 compatibility)
npm install @sentry/webpack-plugin@latest @sentry/vite-plugin@latest 2>/dev/null
Step 6. Verify the Upgrade with Test Events
// test-migration.mjs — run after upgrading
import * as Sentry from '@sentry/node';
async function verifyUpgrade() {
console.log('SDK Version:', Sentry.SDK_VERSION);
// 1. Test error capture
try {
throw new Error('Migration verification error');
} catch (e) {
const eventId = Sentry.captureException(e);
console.log('Error captured:', eventId ? 'PASS' : 'FAIL');
}
// 2. Test scoped context (v8 API)
Sentry.withScope((scope) => {
scope.setTag('test', 'migration-verify');
scope.setUser({ id: 'test-user' });
Sentry.captureMessage('Scoped context test');
});
console.log('Scoped context: PASS');
// 3. Test performance span (v8 API — replaces startTransaction)
await Sentry.startSpan(
{ name: 'migration-verify', op: 'test' },
async (span) => {
await Sentry.startSpan(
{ name: 'child-operation', op: 'test.child' },
async () => {
await new Promise((r) => setTimeout(r, 50));
}
);
console.log('Span created:', span ? 'PASS' : 'FAIL');
}
);
// 4. Test breadcrumbs
Sentry.addBreadcrumb({
category: 'test',
message: 'Migration breadcrumb',
level: 'info',
});
console.log('Breadcrumb: PASS');
// 5. Flush and verify delivery
const flushed = await Sentry.flush(5000);
console.log('Flush:', flushed ? 'PASS' : 'FAIL');
}
verifyUpgrade();
See testing-after-upgrade.md for the full verification checklist.
Step 7. Gradual Rollout Strategy
- Upgrade in development environment, run full test suite
- Watch for
Sentry.startTransaction is not a functionor similar runtime errors - Deploy to staging, monitor Sentry dashboard for 1-2 days
- Check source maps still resolve (re-upload if bundler plugin changed)
- Verify trace propagation between services (check
sentry-traceheader) - Deploy to production with rollback plan ready
Output
- SDK upgraded to target version with all
@sentry/*packages aligned - Deprecated APIs migrated: Hub removed, Transaction replaced with
startSpan(), integrations converted to functions - ESM initialization pattern applied (separate
instrument.mjsfile) @sentry/tracingpackage removed (functionality built into core packages)- Bundler plugins updated to v2.14.2+
- Post-migration test events captured successfully in Sentry dashboard
- Source maps verified, traces propagating across services
Error Handling
| Error | Cause | Solution |
|---|---|---|
Cannot find module '@sentry/hub' | Package removed in v8 | Replace hub imports with @sentry/node scope APIs |
Sentry.startTransaction is not a function | API removed in v8 | Use Sentry.startSpan() callback pattern instead |
new Integrations.X is not a constructor | Classes removed in v8 | Use functional form: `Sentry.xIntegra |
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 serversEasily integrate and debug Sentry APIs with sentry-mcp, a flexible MCP middleware for cloud and self-hosted setups.
Optimize your codebase for AI with Repomix—transform, compress, and secure repos for easier analysis with modern AI tool
Beads — a drop-in memory upgrade for your coding agent that boosts context, speed, and reliability with zero friction.
Connect Blender to Claude AI for seamless 3D modeling. Use AI 3D model generator tools for faster, intuitive, interactiv
Unlock seamless Figma to code: streamline Figma to HTML with Framelink MCP Server for fast, accurate design-to-code work
Terminal control, file system search, and diff-based file editing for Claude and other AI assistants. Execute shell comm
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.