Next提速

Universal

nextjs-performance

by giuseppe-trisciuoglio

聚焦 Next.js 性能优化,覆盖 Core Web Vitals、缓存、Server Components 和包体瘦身,适合排查 LCP/INP/CLS 并优化图片、字体与流式加载。

212编码与调试未扫描2026年3月5日

安装

claude skill add --url github.com/giuseppe-trisciuoglio/developer-kit/tree/main/plugins/developer-kit-typescript/skills/nextjs-performance

文档

Next.js Performance Optimization

Expert guidance for optimizing Next.js applications with focus on Core Web Vitals, modern patterns, and best practices.

Overview

This skill provides comprehensive guidance for optimizing Next.js applications. It covers Core Web Vitals optimization (LCP, INP, CLS), modern React patterns, Server Components, caching strategies, and bundle optimization techniques. Designed for developers already familiar with React/Next.js who want to implement production-grade optimizations.

When to Use

Use this skill when working on Next.js applications and need to:

  • Optimize Core Web Vitals (LCP, INP, CLS) for better performance and SEO
  • Implement image optimization with next/image for faster loading
  • Configure font optimization with next/font to eliminate layout shift
  • Set up caching strategies using unstable_cache, revalidateTag, or ISR
  • Convert Client Components to Server Components for reduced bundle size
  • Implement Suspense streaming for progressive page loading
  • Analyze and reduce bundle size with code splitting and dynamic imports
  • Configure metadata and SEO for better search engine visibility
  • Optimize API route handlers for better performance
  • Apply Next.js 16 and React 19 modern patterns

Coverage Areas

  • Core Web Vitals optimization (LCP, INP, CLS)
  • Image optimization with next/image
  • Font optimization with next/font
  • Caching strategies (unstable_cache, revalidateTag, ISR)
  • Server Components patterns and Client-to-Server conversion
  • Streaming and Suspense for progressive loading
  • Bundle optimization and code splitting
  • Metadata and SEO configuration
  • Route handlers optimization
  • Next.js 16 + React 19 patterns

Instructions

Before Starting

  1. Analyze current performance with Lighthouse
  2. Identify bottlenecks - check Core Web Vitals in Chrome DevTools or PageSpeed Insights
  3. Determine optimization priority:
    • LCP issues → Focus on images, fonts
    • INP issues → Reduce JS, use Server Components
    • CLS issues → Add dimensions, use next/font

How to Use This Skill

  1. Load relevant reference files based on the area you're optimizing:

    • Image issues → references/image-optimization.md
    • Font/layout shift → references/font-optimization.md
    • Caching → references/caching-strategies.md
    • Component architecture → references/server-components.md
  2. Follow the quick patterns for common optimizations

  3. Apply before/after conversions to improve existing code

  4. Verify improvements with Lighthouse after changes

Core Principles

  1. Prefer Server Components - Only use 'use client' when necessary (browser APIs, interactivity)
  2. Load components as low as possible - Keep Client Components at leaf nodes
  3. Use Suspense boundaries - Enable streaming and progressive loading
  4. Cache appropriately - Use tags for granular revalidation
  5. Measure before/after - Always verify improvements with real metrics

Examples

Example 1: Convert Client Component to Server Component

BEFORE (Client Component with useEffect):

tsx
'use client'
import { useEffect, useState } from 'react'

export default function ProductList() {
  const [products, setProducts] = useState([])

  useEffect(() => {
    fetch('/api/products').then(r => r.json()).then(setProducts)
  }, [])

  return <ul>{products.map(p => <li key={p.id}>{p.name}</li>)}</ul>
}

AFTER (Server Component with direct data access):

tsx
import { db } from '@/lib/db'

export default async function ProductList() {
  const products = await db.product.findMany()
  return <ul>{products.map(p => <li key={p.id}>{p.name}</li>)}</ul>
}

Example 2: Optimize Images for LCP

tsx
import Image from 'next/image'

export function Hero() {
  return (
    <div className="relative w-full h-[600px]">
      <Image
        src="/hero.jpg"
        alt="Hero"
        fill
        priority          // Disable lazy loading for LCP
        sizes="100vw"
        className="object-cover"
      />
    </div>
  )
}

Example 3: Implement Caching Strategy

tsx
import { unstable_cache, revalidateTag } from 'next/cache'

// Cached data function
const getProducts = unstable_cache(
  async () => db.product.findMany(),
  ['products'],
  { revalidate: 3600, tags: ['products'] }
)

// Revalidate on mutation
export async function createProduct(data: FormData) {
  'use server'
  await db.product.create({ data })
  revalidateTag('products')
}

Example 4: Setup Optimized Fonts

tsx
import { Inter } from 'next/font/google'

const inter = Inter({
  subsets: ['latin'],
  display: 'swap',
  variable: '--font-inter',
})

export default function RootLayout({ children }) {
  return (
    <html lang="en" className={inter.variable}>
      <body className={`${inter.className} antialiased`}>
        {children}
      </body>
    </html>
  )
}

Example 5: Implement Suspense Streaming

tsx
import { Suspense } from 'react'

export default function Page() {
  return (
    <>
      <header>Static content (immediate)</header>

      <Suspense fallback={<ProductSkeleton />}>
        <ProductList />  {/* Streamed when ready */}
      </Suspense>

      <Suspense fallback={<ReviewsSkeleton />}>
        <Reviews />      {/* Independent streaming */}
      </Suspense>
    </>
  )
}

Reference Documentation

Load these references when working on specific areas:

TopicReference File
Core Web Vitalsreferences/core-web-vitals.md
Image Optimizationreferences/image-optimization.md
Font Optimizationreferences/font-optimization.md
Caching Strategiesreferences/caching-strategies.md
Server Componentsreferences/server-components.md
Streaming/Suspensereferences/streaming-suspense.md
Bundle Optimizationreferences/bundle-optimization.md
Metadata/SEOreferences/metadata-seo.md
API Routesreferences/api-routes.md
Next.js 16 Patternsreferences/nextjs-16-patterns.md

Common Conversions

FromToBenefit
useEffect + fetchDirect async in Server Component-70% JS, faster TTFB
useState for dataServer Component with direct DB accessSimpler code, no hydration
Client-side fetchunstable_cache or ISRFaster repeated loads
img tagnext/imageOptimized formats, lazy loading
CSS font importnext/fontZero CLS, automatic optimization
Static import of heavy componentdynamic()Reduced initial bundle

Best Practices

Images

  • Use next/image for all images
  • Add priority to LCP images only
  • Provide width and height or fill with sizes
  • Use placeholder="blur" for better UX
  • Configure remotePatterns in next.config.js

Fonts

  • Use next/font instead of CSS imports
  • Specify subsets to reduce size
  • Use display: 'swap' for immediate text render
  • Create CSS variable with variable option
  • Configure Tailwind to use CSS variables

Caching

  • Cache expensive queries with unstable_cache
  • Use meaningful cache tags for granular control
  • Implement on-demand revalidation for dynamic content
  • Set TTL based on data change frequency
  • Use revalidatePath for route-level invalidation

Components

  • Convert Client Components to Server Components where possible
  • Keep Client Components at the leaf level
  • Use Suspense boundaries for progressive loading
  • Implement proper loading states
  • Use dynamic() for heavy components below the fold

Bundle

  • Lazy load heavy components with dynamic()
  • Use named exports for better tree shaking
  • Analyze bundle regularly with @next/bundle-analyzer
  • Prefer ESM packages over CommonJS
  • Use modularizeImports for large libraries

Constraints and Warnings

Server Components Limitations

  • Cannot use browser APIs (window, localStorage, document)
  • Cannot use React hooks (useState, useEffect, useContext)
  • Cannot use event handlers (onClick, onSubmit)
  • Cannot use dynamic imports with ssr: false

Image Optimization Constraints

  • priority should only be used for above-the-fold images
  • External images require configuration in next.config.js
  • width and height are required unless using fill
  • Animated GIFs are not optimized by default

Caching Considerations

  • Cache tags must be manually invalidated
  • Data cache is per-request in development
  • Edge runtime has different caching behavior
  • Be careful caching user-specific data

Bundle Size Warnings

  • Dynamic imports can impact SEO if critical content
  • Tree shaking requires proper ES module usage
  • Some libraries cannot be tree shaken (avoid barrel exports)
  • Client Components increase bundle size - use sparingly

Next.js 16 + React 19 Specifics

Async Params

tsx
// Next.js 15+ params is a Promise
export default async function Page({
  params,
}: {
  params: Promise<{ slug: string }>
}) {
  const { slug } = await params
  const post = await fetchPost(slug)
  return <article>{post.content}</article>
}

use() Hook for Promises

tsx
'use client'
import { use, Suspense } from 'react'

function Comments({ promise }: { promise: Promise<Comment[]> }) {
  const comments = use(promise)  // Suspend until resolved
  return <ul>{comments.map(c => <li key={c.id}>{c.text}</li>)}</ul>
}

useOptimistic for UI Updates

tsx
'use client'
import { useOptimistic } from 'react'

export function TodoList({ todos }: { todos: Todo[] }) {
  const [optimisticTodos, addOptimisticTodo] = useOptimistic(
    todos,
    (state, newTodo: Todo) => [...state, newTodo]
  )

  async function addTodo(formData: FormData) {
    const text = formData.get('text') as string
    addOptimisticTodo({ id: crypto.randomUUID(), text, completed: false })
    await createTodo(text)
  }

  return (
    <form action={addTodo}>
      <input name="text" />
      {optimisticTodos.map(todo => <div key={todo.id}>{todo.text}</div>)}
    </form>
  )
}

Bundle Analysis

bash
# Install analyzer
npm install --save-dev @next/bundle-analyzer

# Run analysis
ANALYZE=true npm run build
javascript
// next.config.js
const withBundleAnalyzer = require('@next/bundle-analyzer')({
  enabled: process.env.ANALYZE === 'true',
})

module.exports = withBundleAnalyzer({
  modularizeImports: {
    'lodash': { transform: 'lodash/{{member}}' },
  },
})

Performance Checklist

  • All images use next/image with proper dimensions
  • LCP images have priority attribute
  • Fonts use next/font with subsets
  • Server Components used where possible
  • Client Components at leaf level only
  • Suspense boundaries for data fetching
  • Caching configured for expensive operations
  • Bundle analyzed for duplicates
  • Heavy components lazy loaded
  • Lighthouse score verified before/after

Common Mistakes

tsx
// ❌ DON'T: Fetch in useEffect
'use client'
useEffect(() => { fetch('/api/data').then(...) }, [])

// ✅ DO: Fetch directly in Server Component
const data = await fetch('/api/data')

// ❌ DON'T: Forget dimensions on images
<Image src="/photo.jpg" />

// ✅ DO: Always provide dimensions
<Image src="/photo.jpg" width={800} height={600} />

// ❌ DON'T: Use priority on all images
<Image src="/photo1.jpg" priority />
<Image src="/photo2.jpg" priority />

// ✅ DO: Priority only for LCP
<Image src="/hero.jpg" priority />
<Image src="/photo.jpg" loading="lazy" />

// ❌ DON'T: Cache everything with same TTL
{ revalidate: 3600 }

// ✅ DO: Match TTL to data change frequency
{ revalidate: 86400 } // Categories rarely change
{ revalidate: 60 }     // Comments change often

External Resources

相关 Skills

网页构建器

by anthropics

Universal
热门

面向复杂 claude.ai HTML artifact 开发,快速初始化 React + Tailwind CSS + shadcn/ui 项目并打包为单文件 HTML,适合需要状态管理、路由或多组件交互的页面。

在 claude.ai 里做复杂网页 Artifact 很省心,多组件、状态和路由都能顺手搭起来,React、Tailwind 与 shadcn/ui 组合效率高、成品也更精致。

编码与调试
未扫描119.1k

前端设计

by anthropics

Universal
热门

面向组件、页面、海报和 Web 应用开发,按鲜明视觉方向生成可直接落地的前端代码与高质感 UI,适合做 landing page、Dashboard 或美化现有界面,避开千篇一律的 AI 审美。

想把页面做得既能上线又有设计感,就用前端设计:组件到整站都能产出,难得的是能避开千篇一律的 AI 味。

编码与调试
未扫描119.1k

网页应用测试

by anthropics

Universal
热门

用 Playwright 为本地 Web 应用编写自动化测试,支持启动开发服务器、校验前端交互、排查 UI 异常、抓取截图与浏览器日志,适合调试动态页面和回归验证。

借助 Playwright 一站式验证本地 Web 应用前端功能,调 UI 时还能同步查看日志和截图,定位问题更快。

编码与调试
未扫描119.1k

相关 MCP 服务

GitHub

编辑精选

by GitHub

热门

GitHub 是 MCP 官方参考服务器,让 Claude 直接读写你的代码仓库和 Issues。

这个参考服务器解决了开发者想让 AI 安全访问 GitHub 数据的问题,适合需要自动化代码审查或 Issue 管理的团队。但注意它只是参考实现,生产环境得自己加固安全。

编码与调试
83.9k

by Context7

热门

Context7 是实时拉取最新文档和代码示例的智能助手,让你告别过时资料。

它能解决开发者查找文档时信息滞后的问题,特别适合快速上手新库或跟进更新。不过,依赖外部源可能导致偶尔的数据延迟,建议结合官方文档使用。

编码与调试
52.9k

by tldraw

热门

tldraw 是让 AI 助手直接在无限画布上绘图和协作的 MCP 服务器。

这解决了 AI 只能输出文本、无法视觉化协作的痛点——想象让 Claude 帮你画流程图或白板讨论。最适合需要快速原型设计或头脑风暴的开发者。不过,目前它只是个基础连接器,你得自己搭建画布应用才能发挥全部潜力。

编码与调试
46.4k

评论