This skill should be used when adding error tracking and performance monitoring with Sentry and OpenTelemetry tracing to Next.js applications. Apply when setting up error monitoring, configuring tracing for Server Actions and routes, implementing logging wrappers, adding performance instrumentation, or establishing observability for debugging production issues.
Adds Sentry error tracking and OpenTelemetry performance monitoring to Next.js apps. Use when setting up observability, instrumenting Server Actions, or configuring logging wrappers for production debugging.
/plugin marketplace add hopeoverture/worldbuilding-app-skills/plugin install sentry-and-otel-setup@worldbuilding-app-skillsThis skill inherits all available tools. When active, it can use any tool Claude has access to.
assets/error-boundary.tsxassets/error-page.tsxassets/global-error.tsxassets/instrumentation.tsassets/logger.tsassets/sentry-client-config.tsassets/sentry-server-config.tsreferences/otel-integration.mdreferences/sentry-best-practices.mdConfigure comprehensive error tracking and performance monitoring using Sentry with OpenTelemetry (OTel) instrumentation for Next.js applications, including automatic error capture, distributed tracing, and custom logging.
Install Sentry Next.js SDK:
npm install @sentry/nextjs
Run Sentry wizard for automatic configuration:
npx @sentry/wizard@latest -i nextjs
This creates:
sentry.client.config.ts - Client-side configurationsentry.server.config.ts - Server-side configurationsentry.edge.config.ts - Edge runtime configurationinstrumentation.ts - OpenTelemetry setupnext.config.js with Sentry webpack pluginAdd Sentry credentials to .env.local:
SENTRY_DSN=https://your-dsn@sentry.io/project-id
SENTRY_ORG=your-org
SENTRY_PROJECT=your-project
NEXT_PUBLIC_SENTRY_DSN=https://your-dsn@sentry.io/project-id
Get DSN from Sentry dashboard: Settings > Projects > [Your Project] > Client Keys (DSN)
For production, add these to deployment environment variables.
Customize sentry.server.config.ts using the template from assets/sentry-server-config.ts:
Customize sentry.client.config.ts using the template from assets/sentry-client-config.ts:
Create or update instrumentation.ts in project root using the template from assets/instrumentation.ts. This:
Note: Requires experimental.instrumentationHook in next.config.js (added by Sentry wizard).
Create lib/logger.ts using the template from assets/logger.ts. This provides:
Use instead of console.log for better debugging:
import { logger } from '@/lib/logger';
logger.info('User logged in', { userId: user.id });
logger.error('Failed to save data', { error, userId });
Create components/error-boundary.tsx using the template from assets/error-boundary.tsx. This:
Use in layouts or pages:
import { ErrorBoundary } from '@/components/error-boundary';
export default function Layout({ children }) {
return (
<ErrorBoundary>
{children}
</ErrorBoundary>
);
}
Update app/error.tsx using the template from assets/error-page.tsx. This:
Update app/global-error.tsx using the template from assets/global-error.tsx. This:
Wrap Server Actions with Sentry tracing:
'use server';
import { logger } from '@/lib/logger';
import * as Sentry from '@sentry/nextjs';
export async function createPost(formData: FormData) {
return await Sentry.startSpan(
{ name: 'createPost', op: 'server.action' },
async () => {
try {
const title = formData.get('title') as string;
logger.info('Creating post', { title });
// Your logic here
const post = await prisma.post.create({
data: { title, content: '...' },
});
logger.info('Post created', { postId: post.id });
return { success: true, post };
} catch (error) {
logger.error('Failed to create post', { error });
Sentry.captureException(error);
throw error;
}
}
);
}
Sentry automatically instruments:
Associate errors with users:
import * as Sentry from '@sentry/nextjs';
import { getCurrentUser } from '@/lib/auth/utils';
export async function setUserContext() {
const user = await getCurrentUser();
if (user) {
Sentry.setUser({
id: user.id,
email: user.email,
});
}
}
Call in layouts or middleware to track user context globally.
Tag errors for filtering:
Sentry.setTag('feature', 'worldbuilding');
Sentry.setTag('entity_type', 'character');
// Now errors are tagged and filterable in Sentry dashboard
Track user actions leading to errors:
Sentry.addBreadcrumb({
category: 'user_action',
message: 'User clicked create entity',
level: 'info',
data: {
entityType: 'character',
worldId: 'world-123',
},
});
Track custom operations:
import * as Sentry from '@sentry/nextjs';
export async function complexOperation() {
const transaction = Sentry.startTransaction({
name: 'Complex World Generation',
op: 'task',
});
// Step 1
const span1 = transaction.startChild({
op: 'generate.terrain',
description: 'Generate terrain data',
});
await generateTerrain();
span1.finish();
// Step 2
const span2 = transaction.startChild({
op: 'generate.biomes',
description: 'Generate biome data',
});
await generateBiomes();
span2.finish();
transaction.finish();
}
Prisma automatically integrates with OTel:
// Queries are automatically traced if OTel is configured
const users = await prisma.user.findMany();
// Shows up in Sentry as a database span
Control how many events are sent to Sentry (avoid quota limits):
// sentry.server.config.ts
Sentry.init({
dsn: process.env.SENTRY_DSN,
// Percentage of errors to capture (1.0 = 100%)
sampleRate: 1.0,
// Percentage of transactions to trace
tracesSampleRate: process.env.NODE_ENV === 'production' ? 0.1 : 1.0,
// Percentage of sessions to replay
replaysSessionSampleRate: 0.1,
// Percentage of error sessions to replay
replaysOnErrorSampleRate: 1.0,
});
Configure different settings per environment:
Sentry.init({
environment: process.env.NODE_ENV,
enabled: process.env.NODE_ENV !== 'development', // Disable in dev
beforeSend(event, hint) {
// Filter out specific errors
if (event.exception?.values?.[0]?.value?.includes('ResizeObserver')) {
return null; // Don't send to Sentry
}
return event;
},
});
Ensure source maps are uploaded for readable stack traces:
// next.config.js (added by Sentry wizard)
const { withSentryConfig } = require('@sentry/nextjs');
module.exports = withSentryConfig(
nextConfig,
{
silent: true,
org: process.env.SENTRY_ORG,
project: process.env.SENTRY_PROJECT,
},
{
hideSourceMaps: true,
widenClientFileUpload: true,
}
);
Sentry not capturing errors: Check DSN is correct and Sentry is initialized. Verify instrumentation.ts exports register().
Source maps not working: Ensure auth token is set and source maps are uploaded during build. Check Sentry dashboard > Settings > Source Maps.
High quota usage: Reduce sample rates in production. Filter out noisy errors with beforeSend.
Traces not appearing: Verify tracesSampleRate > 0. Check OpenTelemetry is initialized in instrumentation.ts.
Client errors not captured: Ensure NEXT_PUBLIC_SENTRY_DSN is set and accessible from browser.
No executable scripts needed for this skill.
sentry-best-practices.md - Error handling patterns, performance monitoring strategies, and quota managementotel-integration.md - OpenTelemetry concepts, custom instrumentation, and distributed tracing setupsentry-server-config.ts - Server-side Sentry configuration with tracing and samplingsentry-client-config.ts - Client-side Sentry configuration with replay and error boundariesinstrumentation.ts - OpenTelemetry initialization and Sentry integrationlogger.ts - Structured logging wrapper with Sentry integrationerror-boundary.tsx - React error boundary component for client-side error handlingerror-page.tsx - Custom error page for Server Component errorsglobal-error.tsx - Global error handler for root layout errorsCreating algorithmic art using p5.js with seeded randomness and interactive parameter exploration. Use this when users request creating art using code, generative art, algorithmic art, flow fields, or particle systems. Create original algorithmic art rather than copying existing artists' work to avoid copyright violations.
Applies Anthropic's official brand colors and typography to any sort of artifact that may benefit from having Anthropic's look-and-feel. Use it when brand colors or style guidelines, visual formatting, or company design standards apply.
Create beautiful visual art in .png and .pdf documents using design philosophy. You should use this skill when the user asks to create a poster, piece of art, design, or other static piece. Create original visual designs, never copying existing artists' work to avoid copyright violations.