import React, { createContext, useContext, useState, useEffect, ReactNode } from 'react'; type Theme = 'light' | 'dark'; interface ThemeContextType { theme: Theme; toggleTheme: () => void; setTheme: (theme: Theme) => void; } const ThemeContext = createContext(undefined); export const useThemeContext = () => { const context = useContext(ThemeContext); if (context === undefined) { throw new Error('useThemeContext must be used within a ThemeProvider'); } return context; }; interface ThemeProviderProps { children: ReactNode; } export const ThemeProvider: React.FC = ({ children }) => { const [theme, setThemeState] = useState('light'); useEffect(() => { // Load theme from localStorage or system preference const savedTheme = localStorage.getItem('theme') as Theme; if (savedTheme) { setThemeState(savedTheme); } else { const prefersDark = window.matchMedia('(prefers-color-scheme: dark)').matches; setThemeState(prefersDark ? 'dark' : 'light'); } }, []); useEffect(() => { // Apply theme to document const root = document.documentElement; if (theme === 'dark') { root.classList.add('dark'); } else { root.classList.remove('dark'); } localStorage.setItem('theme', theme); }, [theme]); const toggleTheme = () => { setThemeState(prev => prev === 'light' ? 'dark' : 'light'); }; const setTheme = (newTheme: Theme) => { setThemeState(newTheme); }; const value: ThemeContextType = { theme, toggleTheme, setTheme, }; return ( {children} ); };