sentry-hello-world
Execute capture your first error with Sentry and verify it appears in the dashboard. Use when testing Sentry integration or verifying error capture works. Trigger with phrases like "test sentry", "sentry hello world", "verify sentry", "first sentry error".
Install
mkdir -p .claude/skills/sentry-hello-world && curl -L -o skill.zip "https://mcp.directory/api/skills/download/7750" && unzip -o skill.zip -d .claude/skills/sentry-hello-world && rm skill.zipInstalls to .claude/skills/sentry-hello-world
About this skill
Sentry Hello World
Overview
Send your first test events to Sentry — a captured message, a captured exception, and a fully-enriched error with user context, tags, and breadcrumbs — then verify each one appears in the Sentry dashboard. This skill covers both Node.js (@sentry/node) and Python (sentry-sdk).
Prerequisites
- Completed
sentry-install-authsetup (SDK installed, DSN configured) - Valid
SENTRY_DSNin environment variables instrument.mjsloaded before app code (Node.js) orsentry_sdk.init()called (Python)- Network access to
*.ingest.sentry.io
Instructions
Step 1 — Verify the SDK Is Active
Before sending test events, confirm the SDK initialized correctly. If getClient() returns undefined, the SDK was never initialized — go back to sentry-install-auth.
TypeScript (Node.js):
import * as Sentry from '@sentry/node';
const client = Sentry.getClient();
if (!client) {
console.error('Sentry SDK not initialized. Ensure instrument.mjs is loaded first.');
console.error('Run with: node --import ./instrument.mjs your-script.mjs');
process.exit(1);
}
console.log('Sentry SDK active — DSN configured');
Python:
import sentry_sdk
client = sentry_sdk.Hub.current.client
if client is None or client.dsn is None:
print("Sentry SDK not initialized. Call sentry_sdk.init() first.")
exit(1)
print("Sentry SDK active — DSN configured")
Step 2 — Capture a Test Message
captureMessage sends an informational event without a stack trace. Use it to verify basic connectivity between your app and Sentry.
TypeScript:
import * as Sentry from '@sentry/node';
// captureMessage returns the event ID (a 32-char hex string)
const eventId = Sentry.captureMessage('Hello Sentry! SDK verification test.', 'info');
console.log(`Message sent — Event ID: ${eventId}`);
// Also test 'warning' level — appears with yellow indicator in dashboard
Sentry.captureMessage('Warning-level test message', 'warning');
// IMPORTANT: flush before process exits or events may be lost
await Sentry.flush(2000);
Python:
import sentry_sdk
event_id = sentry_sdk.capture_message("Hello Sentry! SDK verification test.", level="info")
print(f"Message sent — Event ID: {event_id}")
sentry_sdk.capture_message("Warning-level test message", level="warning")
# Flush to ensure delivery before process exits
sentry_sdk.flush()
Step 3 — Capture a Test Exception
captureException sends a full error with stack trace. Always pass an actual Error object (not a string) so Sentry generates a proper stack trace.
TypeScript:
import * as Sentry from '@sentry/node';
try {
throw new Error('Hello Sentry! This is a test exception.');
} catch (error) {
const eventId = Sentry.captureException(error);
console.log(`Exception sent — Event ID: ${eventId}`);
}
await Sentry.flush(2000);
Python:
import sentry_sdk
try:
raise ValueError("Hello Sentry! This is a test exception.")
except Exception as e:
event_id = sentry_sdk.capture_exception(e)
print(f"Exception sent — Event ID: {event_id}")
sentry_sdk.flush()
Step 4 — Add User Context and Tags
Enrich events with identity and metadata so you can filter and search in the dashboard. setUser attaches to all subsequent events in the current scope. setTag creates indexed, searchable key-value pairs.
TypeScript:
import * as Sentry from '@sentry/node';
// Attach user identity — appears in the "User" section of every event
Sentry.setUser({
id: 'test-user-001',
email: 'dev@example.com',
username: 'developer',
});
// Tags are indexed and searchable — use for filtering in Issues view
Sentry.setTag('test_run', 'hello-world');
Sentry.setTag('team', 'platform');
// setContext adds structured data (not indexed, but visible in event detail)
Sentry.setContext('test_metadata', {
ran_at: new Date().toISOString(),
node_version: process.version,
purpose: 'SDK verification',
});
// This event will carry user, tags, and context
Sentry.captureMessage('Test event with full context attached', 'info');
await Sentry.flush(2000);
Python:
import sentry_sdk
from datetime import datetime, timezone
import sys
sentry_sdk.set_user({"id": "test-user-001", "email": "dev@example.com", "username": "developer"})
sentry_sdk.set_tag("test_run", "hello-world")
sentry_sdk.set_tag("team", "platform")
sentry_sdk.set_context("test_metadata", {
"ran_at": datetime.now(timezone.utc).isoformat(),
"python_version": sys.version,
"purpose": "SDK verification",
})
sentry_sdk.capture_message("Test event with full context attached", level="info")
sentry_sdk.flush()
Step 5 — Add Breadcrumbs
Breadcrumbs record a trail of events leading up to an error. They appear in the event detail view, giving you the chronological context of what happened before the crash.
TypeScript:
import * as Sentry from '@sentry/node';
Sentry.addBreadcrumb({
category: 'auth',
message: 'User authenticated successfully',
level: 'info',
});
Sentry.addBreadcrumb({
category: 'http',
message: 'GET /api/users returned 200',
level: 'info',
data: { status_code: 200, url: '/api/users', method: 'GET' },
});
Sentry.addBreadcrumb({
category: 'ui',
message: 'User clicked "Submit Order" button',
level: 'info',
});
// This exception will carry all three breadcrumbs above
try {
throw new Error('Order processing failed — breadcrumb trail attached');
} catch (error) {
Sentry.captureException(error);
}
await Sentry.flush(2000);
Python:
import sentry_sdk
sentry_sdk.add_breadcrumb(category="auth", message="User authenticated successfully", level="info")
sentry_sdk.add_breadcrumb(category="http", message="GET /api/users returned 200", level="info",
data={"status_code": 200, "url": "/api/users"})
sentry_sdk.add_breadcrumb(category="ui", message="User clicked Submit Order button", level="info")
try:
raise RuntimeError("Order processing failed — breadcrumb trail attached")
except Exception as e:
sentry_sdk.capture_exception(e)
sentry_sdk.flush()
Step 6 — Verify in the Sentry Dashboard
- Open https://sentry.io and select your project
- Navigate to the Issues tab — test errors appear as grouped issues
- Click an issue to inspect the event detail:
- Stack Trace — file path, line number, and surrounding code context
- User section —
id,email,usernamefromsetUser() - Tags sidebar —
test_run: hello-world,team: platform - Breadcrumbs tab — chronological trail of events before the error
- Additional Data — custom context from
setContext()
- Use the search bar to filter:
test_run:hello-worldnarrows to your test events - Confirm Environment matches your
SENTRY_ENVIRONMENTvalue - Confirm Release matches your
SENTRY_RELEASEvalue (if set) - Delete test issues when done: select issues > Resolve or Delete
Examples
Complete Verification Script (TypeScript)
Save as test-sentry.mjs and run with node --import ./instrument.mjs test-sentry.mjs to exercise all capabilities at once.
// Run with: node --import ./instrument.mjs test-sentry.mjs
import * as Sentry from '@sentry/node';
async function main() {
console.log('--- Sentry Hello World Verification ---\n');
// 1. Verify SDK
const client = Sentry.getClient();
if (!client) {
console.error('ERROR: Sentry SDK not initialized.');
console.error('Run with: node --import ./instrument.mjs test-sentry.mjs');
process.exit(1);
}
console.log('[OK] Sentry SDK active');
// 2. Set user context and tags
Sentry.setUser({ id: 'test-001', email: 'dev@example.com', username: 'developer' });
Sentry.setTag('test_run', 'hello-world');
Sentry.setTag('environment', process.env.SENTRY_ENVIRONMENT || 'test');
console.log('[OK] User context and tags set');
// 3. Capture a message
const msgId = Sentry.captureMessage('Hello Sentry — SDK verification', 'info');
console.log(`[OK] Message captured — Event ID: ${msgId}`);
// 4. Capture an exception with breadcrumbs
Sentry.addBreadcrumb({ category: 'test', message: 'Starting verification script', level: 'info' });
Sentry.addBreadcrumb({ category: 'test', message: 'About to throw test error', level: 'warning' });
try {
throw new Error('Hello Sentry! Verification test exception.');
} catch (error) {
const errId = Sentry.captureException(error);
console.log(`[OK] Exception captured — Event ID: ${errId}`);
}
// 5. Flush and report
await Sentry.flush(5000);
console.log('\n[DONE] All events flushed — check your Sentry dashboard at https://sentry.io');
console.log('Navigate to Issues tab, filter by tag: test_run:hello-world');
}
main();
Complete Verification Script (Python)
Save as test_sentry.py and run with python test_sentry.py (after calling sentry_sdk.init() in your setup).
# Run with: python test_sentry.py (after sentry_sdk.init() in your setup)
import sentry_sdk
import os
import sys
def main():
print("--- Sentry Hello World Verification ---\n")
# 1. Verify SDK
client = sentry_sdk.Hub.current.client
if client is None or client.dsn is None:
print("ERROR: Sentry SDK not initialized.")
print("Ensure sentry_sdk.init(dsn=...) is called before this script.")
sys.exit(1)
print("[OK] Sentry SDK active")
# 2. Set user context and tags
sentry_sdk.set_user({"id": "test-001", "email": "dev@example.com", "username": "developer"})
sentry_sdk.set_tag("test_run", "hello-world")
sentry_sdk.set_tag("environment", os.environ.get("SENTRY_ENVIRONMENT", "test"))
print("[OK] User context and tags set")
# 3. Capture a message
msg_id = sentry_sdk.capture_message("Hello Sentry — SDK verification", level="info")
pri
---
*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 serversAccess mac keyboard shortcuts for screen capture and automate workflows with Siri Shortcuts. Streamline hotkey screensho
Manage Android devices with ADB: execute shell commands, install apps, capture screenshots, and transfer files for effic
Validate Oh My Posh theme configurations quickly and reliably against the official schema to ensure error-free prompts a
Connect Blender to Claude AI for seamless 3D modeling. Use AI 3D model generator tools for faster, intuitive, interactiv
Chrome extension-based MCP server that exposes browser functionality to AI assistants. Control tabs, capture screenshots
Supercharge your AI code assistant with GitMCP—get accurate, up-to-date code and API docs from any GitHub project. Free,
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.