Next.js
Adding dark mode to your next app.
Dark mode
Install next-themes
Start by installing next-themes
:
npm install next-themes
Create a theme provider
components/theme-provider.tsx
'use client';
import * as React from 'react';
import { ThemeProvider as NextThemesProvider } from 'next-themes';
export function ThemeProvider({
children,
...props
}: React.ComponentProps<typeof NextThemesProvider>) {
return <NextThemesProvider {...props}>{children}</NextThemesProvider>;
}
Wrap your root layout
Add the ThemeProvider
to your root layout.
app/layout.tsx
import { ThemeProvider } from '@/components/theme-provider';
export default function RootLayout({ children }: RootLayoutProps) {
return (
<>
<html lang="en" suppressHydrationWarning>
<head />
<body>
<ThemeProvider
attribute="class"
defaultTheme="system"
enableSystem
disableTransitionOnChange
>
{children}
</ThemeProvider>
</body>
</html>
</>
);
}
Add a mode toggle
Place a mode toggle on your site to toggle between light and dark mode.
components/mode-toggle.tsx
'use client';
import * as React from 'react';
import { MoonIcon, SunIcon } from 'lucide-react';
import { useTheme } from 'next-themes';
import { useMounted } from '@/hooks/use-mounted';
import { Button } from '@/components/plate-ui/button';
export function ModeToggle() {
const { setTheme, theme } = useTheme();
const mounted = useMounted();
return (
<Button
size="sm"
variant="ghost"
className="size-8 px-0"
onClick={() => setTheme(theme === 'dark' ? 'light' : 'dark')}
>
{mounted && theme === 'dark' ? (
<MoonIcon className="size-[1.2rem]" />
) : (
<SunIcon className="size-[1.2rem]" />
)}
<span className="sr-only">Toggle theme</span>
</Button>
);
}