'use client'; import React, { createContext, useContext, useEffect, useState } from 'react'; type Theme = 'light' | 'dark'; interface ThemeContextType { theme: Theme; toggleTheme: () => void; } const ThemeContext = createContext(undefined); export const useTheme = () => { const context = useContext(ThemeContext); if (!context) { throw new Error('useTheme must be used within a ThemeProvider'); } return context; }; interface ThemeProviderProps { children: React.ReactNode; } export const ThemeProvider: React.FC = ({ children }) => { const [theme, setTheme] = useState('dark'); const [mounted, setMounted] = useState(false); useEffect(() => { setMounted(true); // Get theme from localStorage or system preference const savedTheme = localStorage.getItem('theme') as Theme | null; const systemTheme = window.matchMedia('(prefers-color-scheme: dark)').matches ? 'dark' : 'light'; const initialTheme = savedTheme || systemTheme; setTheme(initialTheme); }, []); useEffect(() => { if (!mounted) return; // Apply theme to document const root = document.documentElement; if (theme === 'dark') { root.classList.add('dark'); } else { root.classList.remove('dark'); } // Save to localStorage localStorage.setItem('theme', theme); }, [theme, mounted]); const toggleTheme = () => { setTheme(prev => prev === 'light' ? 'dark' : 'light'); }; // Prevent hydration mismatch by not rendering until mounted if (!mounted) { return <>{children}; } return ( {children} ); };