home / skills / jeremylongshore / claude-code-plugins-plus-skills / clerk-upgrade-migration

This skill helps you safely upgrade Clerk SDK versions and migrate breaking changes with guided steps, tests, and rollback plans.

npx playbooks add skill jeremylongshore/claude-code-plugins-plus-skills --skill clerk-upgrade-migration

Review the files below or copy the command above to add this skill to your agents.

Files (1)
SKILL.md
5.6 KB
---
name: clerk-upgrade-migration
description: |
  Upgrade Clerk SDK versions and handle breaking changes.
  Use when upgrading Clerk packages, migrating to new SDK versions,
  or handling deprecation warnings.
  Trigger with phrases like "upgrade clerk", "clerk migration",
  "update clerk SDK", "clerk breaking changes".
allowed-tools: Read, Write, Edit, Bash(npm:*), Bash(pnpm:*), Grep
version: 1.0.0
license: MIT
author: Jeremy Longshore <[email protected]>
---

# Clerk Upgrade & Migration

## Overview
Safely upgrade Clerk SDK versions and handle breaking changes.

## Prerequisites
- Current Clerk integration working
- Git repository with clean working state
- Test environment available

## Instructions

### Step 1: Check Current Version and Available Updates
```bash
# Check current version
npm list @clerk/nextjs

# Check for updates
npm outdated @clerk/nextjs

# View changelog
npm view @clerk/nextjs versions --json | tail -20
```

### Step 2: Review Breaking Changes
```typescript
// Common breaking changes by major version:

// v5 -> v6 Changes:
// - clerkMiddleware() replaces authMiddleware()
// - auth() is now async
// - Removed deprecated hooks
// - New createRouteMatcher() API

// Before (v5)
import { authMiddleware } from '@clerk/nextjs'
export default authMiddleware({
  publicRoutes: ['/']
})

// After (v6)
import { clerkMiddleware, createRouteMatcher } from '@clerk/nextjs/server'
const isPublicRoute = createRouteMatcher(['/'])
export default clerkMiddleware(async (auth, req) => {
  if (!isPublicRoute(req)) await auth.protect()
})
```

### Step 3: Upgrade Process
```bash
# 1. Create upgrade branch
git checkout -b upgrade-clerk-sdk

# 2. Update package
npm install @clerk/nextjs@latest

# 3. Check for peer dependency issues
npm ls @clerk/nextjs

# 4. Run type checking
npm run typecheck

# 5. Run tests
npm test
```

### Step 4: Handle Common Migration Patterns

#### Middleware Migration (v5 to v6)
```typescript
// OLD: authMiddleware (deprecated)
import { authMiddleware } from '@clerk/nextjs'

export default authMiddleware({
  publicRoutes: ['/', '/sign-in', '/sign-up'],
  ignoredRoutes: ['/api/webhooks(.*)']
})

// NEW: clerkMiddleware
import { clerkMiddleware, createRouteMatcher } from '@clerk/nextjs/server'

const isPublicRoute = createRouteMatcher([
  '/',
  '/sign-in(.*)',
  '/sign-up(.*)'
])

export default clerkMiddleware(async (auth, request) => {
  if (!isPublicRoute(request)) {
    await auth.protect()
  }
})
```

#### Async Auth Migration
```typescript
// OLD: Synchronous auth
import { auth } from '@clerk/nextjs'

export function GET() {
  const { userId } = auth()  // Synchronous
  // ...
}

// NEW: Async auth
import { auth } from '@clerk/nextjs/server'

export async function GET() {
  const { userId } = await auth()  // Async
  // ...
}
```

#### Hook Updates
```typescript
// OLD: useAuth() changes
const { isSignedIn, isLoaded } = useAuth()

// NEW: Check specific deprecations
// useAuth() still works but some properties changed

// OLD: Deprecated organization hooks
import { useOrganization } from '@clerk/nextjs'
const { membership } = useOrganization()

// NEW: Updated API
import { useOrganization } from '@clerk/nextjs'
const { organization, membership } = useOrganization()
```

### Step 5: Update Import Paths
```typescript
// Server imports (Next.js App Router)
import { auth, currentUser, clerkClient } from '@clerk/nextjs/server'

// Client imports
import { useUser, useAuth, useClerk } from '@clerk/nextjs'

// Component imports
import {
  ClerkProvider,
  SignIn,
  SignUp,
  UserButton,
  SignInButton,
  SignUpButton
} from '@clerk/nextjs'
```

### Step 6: Test Upgrade
```typescript
// tests/clerk-upgrade.test.ts
import { describe, it, expect } from 'vitest'

describe('Clerk Upgrade Validation', () => {
  it('auth() returns userId for authenticated users', async () => {
    // Mock or integration test
  })

  it('middleware protects routes correctly', async () => {
    // Test protected routes return 401/redirect
  })

  it('webhooks still verify correctly', async () => {
    // Test webhook signature verification
  })
})
```

### Step 7: Rollback Plan
```bash
# If upgrade fails, rollback:
git checkout main -- package.json package-lock.json
npm install

# Or restore from specific version
npm install @clerk/[email protected]  # Previous version
```

## Version Compatibility Matrix

| @clerk/nextjs | Next.js | Node.js |
|--------------|---------|---------|
| 6.x | 14.x, 15.x | 18.x, 20.x |
| 5.x | 13.x, 14.x | 18.x, 20.x |
| 4.x | 12.x, 13.x | 16.x, 18.x |

## Migration Checklist

- [ ] Backup current package.json
- [ ] Review changelog for breaking changes
- [ ] Update @clerk/nextjs package
- [ ] Update middleware to clerkMiddleware
- [ ] Make auth() calls async
- [ ] Update deprecated hooks
- [ ] Fix import paths
- [ ] Run type checking
- [ ] Run tests
- [ ] Test authentication flows manually
- [ ] Deploy to staging
- [ ] Monitor for errors
- [ ] Deploy to production

## Output
- Updated Clerk SDK
- Migrated breaking changes
- All tests passing
- Production deployment ready

## Error Handling
| Error | Cause | Solution |
|-------|-------|----------|
| Type errors after upgrade | API changes | Check changelog, update types |
| Middleware not executing | Matcher syntax changed | Update matcher regex |
| auth() returns Promise | Now async in v6 | Add await to auth() calls |
| Import errors | Path changes | Update to @clerk/nextjs/server |

## Resources
- [Clerk Changelog](https://clerk.com/changelog)
- [Migration Guides](https://clerk.com/docs/upgrade-guides)
- [GitHub Releases](https://github.com/clerk/javascript/releases)

## Next Steps
After upgrade, review `clerk-ci-integration` for CI/CD updates.

Overview

This skill automates a safe, repeatable process to upgrade Clerk SDK versions and migrate breaking changes. It guides inspection of current versions, applies package updates, updates imports and middleware, runs checks and tests, and provides rollback steps. Use it to reduce risk when moving to new Clerk releases.

How this skill works

The skill inspects your package state, suggests the exact npm install commands, and highlights common breaking changes between major Clerk versions (middleware, async auth, hooks, imports). It produces a migration checklist, test examples, and a rollback plan. It also recommends type checking, test runs, and deployment steps to validate the upgrade.

When to use it

  • Preparing to upgrade @clerk/nextjs to a newer major or minor version
  • You see deprecation warnings or breaking-change notes in changelog
  • Updating middleware or server/client import paths
  • After dependency audit flags Clerk as outdated
  • Before deploying auth-related changes to staging or production

Best practices

  • Create a dedicated upgrade branch and commit a backup of package.json/package-lock.json
  • Read the targeted version changelog and search for middleware/auth/hook changes
  • Run type checking and unit/integration tests locally and in CI before deploying
  • Migrate middleware to clerkMiddleware and convert auth() calls to async where required
  • Test authentication flows (sign-in, sign-up, webhooks) in a staging environment
  • Have a rollback plan and pin the previous Clerk version for quick revert

Example use cases

  • Upgrade from Clerk v5 to v6: replace authMiddleware with clerkMiddleware and adjust auth() to awaitable calls
  • Fix import errors when moving server APIs to @clerk/nextjs/server in Next.js App Router
  • Update deprecated hooks and adapt to renamed organization/membership properties
  • Run automated tests that validate middleware protection, webhook verification, and user identity resolution
  • Deploy to staging, monitor auth flows, then promote to production when checks pass

FAQ

What if auth() now returns a Promise and breaks my code?

Search for synchronous auth() calls and add await to those calls. Move imports to @clerk/nextjs/server for server-side routes if needed.

How do I revert if the upgrade causes failures in production?

Restore package.json/package-lock.json from main or a backup, run npm install, or install the previous Clerk version (for example npm install @clerk/[email protected]) and redeploy.