react-performanceReact and Next.js performance optimization patterns. Use when writing, reviewing, or refactoring React/Next.js code to ensure optimal performance. Triggers on tasks involving components, data fetching, bundle optimization, re-render reduction, or server component architecture.
Install via ClawdBot CLI:
clawdbot install wpank/react-performancePerformance optimization guide for React and Next.js applications. Patterns
across 7 categories, prioritized by impact. Detailed examples in references/.
| # | Category | Impact |
|---|----------------------|------------|
| 1 | Async / Waterfalls | CRITICAL |
| 2 | Bundle Size | CRITICAL |
| 3 | Server Components | HIGH |
| 4 | Re-renders | MEDIUM |
| 5 | Rendering | MEDIUM |
| 6 | Client-Side Data | MEDIUM |
| 7 | JS Performance | LOW-MEDIUM |
npx clawhub@latest install react-performance
Sequential awaits are the single biggest performance mistake in React apps.
// BAD — sequential, 3 round trips
const user = await fetchUser()
const posts = await fetchPosts()
const comments = await fetchComments()
// GOOD — parallel, 1 round trip
const [user, posts, comments] = await Promise.all([
fetchUser(), fetchPosts(), fetchComments(),
])
Move await into branches where the value is actually used.
// BAD — blocks both branches
async function handle(userId: string, skip: boolean) {
const data = await fetchUserData(userId)
if (skip) return { skipped: true } // Still waited
return process(data)
}
// GOOD — only blocks when needed
async function handle(userId: string, skip: boolean) {
if (skip) return { skipped: true } // Returns immediately
return process(await fetchUserData(userId))
}
Show layout immediately while data-dependent sections load independently.
// BAD — entire page blocked
async function Page() {
const data = await fetchData()
return <div><Sidebar /><Header /><DataDisplay data={data} /><Footer /></div>
}
// GOOD — layout renders immediately, data streams in
function Page() {
return (
<div>
<Sidebar /><Header />
<Suspense fallback={<Skeleton />}><DataDisplay /></Suspense>
<Footer />
</div>
)
}
async function DataDisplay() {
const data = await fetchData()
return <div>{data.content}</div>
}
Share a promise across components with use() to avoid duplicate fetches.
Barrel files load thousands of unused modules. Direct imports save 200-800ms.
// BAD — loads 1,583 modules
import { Check, X, Menu } from 'lucide-react'
// GOOD — loads only 3 modules
import Check from 'lucide-react/dist/esm/icons/check'
import X from 'lucide-react/dist/esm/icons/x'
import Menu from 'lucide-react/dist/esm/icons/menu'
Next.js 13.5+: use experimental.optimizePackageImports in config.
Commonly affected: lucide-react, @mui/material, react-icons, @radix-ui,
lodash, date-fns.
import dynamic from 'next/dynamic'
const MonacoEditor = dynamic(
() => import('./monaco-editor').then((m) => m.MonacoEditor),
{ ssr: false }
)
Analytics, logging, error tracking — load after hydration with dynamic() and
{ ssr: false }.
const preload = () => { void import('./monaco-editor') }
<button onMouseEnter={preload} onFocus={preload} onClick={onClick}>Open Editor</button>
Only pass fields the client actually uses across the server/client boundary.
// BAD — serializes all 50 user fields
return <Profile user={user} />
// GOOD — serializes 1 field
return <Profile name={user.name} />
RSC execute sequentially within a tree. Restructure to parallelize.
// BAD — Sidebar waits for header fetch
export default async function Page() {
const header = await fetchHeader()
return <div><div>{header}</div><Sidebar /></div>
}
// GOOD — sibling async components fetch simultaneously
async function Header() { return <div>{await fetchHeader()}</div> }
async function Sidebar() { return <nav>{(await fetchSidebarItems()).map(renderItem)}</nav> }
export default function Page() { return <div><Header /><Sidebar /></div> }
import { cache } from 'react'
export const getCurrentUser = cache(async () => {
const session = await auth()
if (!session?.user?.id) return null
return await db.user.findUnique({ where: { id: session.user.id } })
})
Use primitive args (not inline objects) — React.cache() uses Object.is.
Next.js auto-deduplicates fetch, but React.cache() is needed for DB queries,
auth checks, and computations.
import { after } from 'next/server'
export async function POST(request: Request) {
await updateDatabase(request)
after(async () => { logUserAction({ userAgent: request.headers.get('user-agent') }) })
return Response.json({ status: 'success' })
}
// BAD — redundant state + effect
const [fullName, setFullName] = useState('')
useEffect(() => { setFullName(first + ' ' + last) }, [first, last])
// GOOD — derive inline
const fullName = first + ' ' + last
// BAD — recreated on every items change
const addItem = useCallback((item: Item) => {
setItems([...items, item])
}, [items])
// GOOD — stable, always latest state
const addItem = useCallback((item: Item) => {
setItems((curr) => [...curr, item])
}, [])
Don't subscribe to dynamic state if you only read it in callbacks.
// BAD — re-renders on every searchParams change
const searchParams = useSearchParams()
const handleShare = () => shareChat(chatId, { ref: searchParams.get('ref') })
// GOOD — reads on demand
const handleShare = () => {
const ref = new URLSearchParams(window.location.search).get('ref')
shareChat(chatId, { ref })
}
// BAD — JSON.parse runs every render
const [settings] = useState(JSON.parse(localStorage.getItem('s') || '{}'))
// GOOD — runs only once
const [settings] = useState(() => JSON.parse(localStorage.getItem('s') || '{}'))
// BAD — re-renders on every pixel
const width = useWindowWidth(); const isMobile = width < 768
// GOOD — re-renders only when boolean flips
const isMobile = useMediaQuery('(max-width: 767px)')
// BAD — blocks UI on scroll
const handler = () => setScrollY(window.scrollY)
// GOOD — non-blocking
const handler = () => startTransition(() => setScrollY(window.scrollY))
const UserAvatar = memo(function UserAvatar({ user }: { user: User }) {
const id = useMemo(() => computeAvatarId(user), [user])
return <Avatar id={id} />
})
function Profile({ user, loading }: Props) {
if (loading) return <Skeleton />
return <div><UserAvatar user={user} /></div>
}
Note: React Compiler makes manual memo()/useMemo() unnecessary.
For 1000 items, browser skips ~990 off-screen (10x faster initial render).
.list-item { content-visibility: auto; contain-intrinsic-size: 0 80px; }
Avoids re-creation, especially for large SVG nodes. React Compiler does this
automatically.
const skeleton = <div className="skeleton" />
function Container() { return <div>{loading && skeleton}</div> }
// BAD — each instance fetches independently
useEffect(() => { fetch('/api/users').then(r => r.json()).then(setUsers) }, [])
// GOOD — multiple instances share one request
const { data: users } = useSWR('/api/users', fetcher)
// BAD — O(n)
items.filter(i => allowed.includes(i.id))
// GOOD — O(1)
const allowedSet = new Set(allowed)
items.filter(i => allowedSet.has(i.id))
// BAD — 3 passes
const a = users.filter(u => u.isAdmin)
const t = users.filter(u => u.isTester)
// GOOD — 1 pass
const a: User[] = [], t: User[] = []
for (const u of users) { if (u.isAdmin) a.push(u); if (u.isTester) t.push(u) }
Also: early returns, cache property access in loops, hoist RegExp outside
loops, prefer for...of for hot paths.
Generated Mar 1, 2026
A retail company is building a Next.js product page that loads user reviews, inventory status, and related items sequentially, causing slow load times. Applying async patterns to parallelize data fetching and using Suspense boundaries can show the layout immediately while data streams in, improving user experience and conversion rates.
A SaaS platform has a React dashboard with heavy components like charts and editors that increase bundle size, leading to slow initial loads. Implementing dynamic imports for non-critical components and optimizing barrel file imports can reduce bundle size by hundreds of milliseconds, enhancing user retention.
A media company uses Next.js server components to render article pages but serializes excessive data across boundaries, slowing down page generation. Minimizing serialization and using React.cache() for deduplication can reduce server load and improve time-to-first-byte for high-traffic sites.
A fintech app has React components with redundant state updates and effects that cause unnecessary re-renders during real-time data updates. Deriving state during render instead of in effects can optimize performance for interactive charts and tables, ensuring smooth user interactions.
A healthcare portal built with React fetches patient data, appointments, and records in a waterfall pattern, delaying critical information display. Parallelizing independent operations and deferring awaits until needed can speed up data retrieval, improving efficiency for medical staff.
Companies offering performance monitoring or optimization tools as a service, where users pay monthly fees for access to analytics and automated suggestions. Revenue is generated through tiered pricing plans based on usage or features, targeting mid to large-scale enterprises.
Agencies specializing in React and Next.js performance audits and refactoring, charging project-based fees or hourly rates for code reviews and optimizations. Revenue comes from one-time engagements or retainer contracts with clients in e-commerce or tech industries.
Developers creating open-source libraries or plugins with premium features for advanced optimization, such as bundle analyzers or caching utilities. Revenue is generated through paid upgrades, sponsorships, or enterprise licenses, appealing to individual developers and teams.
💬 Integration Tip
Integrate this skill during code reviews or refactoring phases by setting up automated checks for common performance issues like sequential awaits and large bundle imports.
Create distinctive, production-grade frontend interfaces with high design quality. Use this skill when the user asks to build web components, pages, or applications. Generates creative, polished code that avoids generic AI aesthetics.
Expert frontend design guidelines for creating beautiful, modern UIs. Use when building landing pages, dashboards, or any user interface.
Use when building UI with shadcn/ui components, Tailwind CSS layouts, form patterns with react-hook-form and zod, theming, dark mode, sidebar layouts, mobile navigation, or any shadcn component question.
Create distinctive, production-grade frontend interfaces with high design quality. Use this skill when building web components, pages, or applications. Generates creative, polished code that avoids generic AI aesthetics.
Create distinctive, production-grade static sites with React, Tailwind CSS, and shadcn/ui — no mockups needed. Generates bold, memorable designs from plain text requirements with anti-AI-slop aesthetics, mobile-first responsive patterns, and single-file bundling. Use when building landing pages, marketing sites, portfolios, dashboards, or any static web UI. Supports both Vite (pure static) and Next.js (Vercel deploy) workflows.
AI skill for automated UI audits. Evaluate interfaces against proven UX principles for visual hierarchy, accessibility, cognitive load, navigation, and more. Based on Making UX Decisions by Tommy Geoco.