- Consolidate common utilities (cn, format, time) into lib/utils - Remove redundant utility files from pastel and units directories - Clean up unused components (Separator, KeyboardShortcutsHelp) - Relocate CommandPalette to components/units/ui/ - Force dark mode on landing page and improve theme persistence logic - Add FOUC prevention script to RootLayout - Fix sidebar height constraint in AppShell
86 lines
2.4 KiB
TypeScript
86 lines
2.4 KiB
TypeScript
'use client';
|
|
|
|
import { createContext, useContext, useEffect, useState } from 'react';
|
|
|
|
type Theme = 'light' | 'dark' | 'system';
|
|
|
|
interface ThemeContextType {
|
|
theme: Theme;
|
|
setTheme: (theme: Theme) => void;
|
|
resolvedTheme: 'light' | 'dark';
|
|
}
|
|
|
|
const ThemeContext = createContext<ThemeContextType | undefined>(undefined);
|
|
|
|
export function ThemeProvider({ children }: { children: React.ReactNode }) {
|
|
const [theme, setTheme] = useState<Theme>('dark');
|
|
const [resolvedTheme, setResolvedTheme] = useState<'light' | 'dark'>('dark');
|
|
const [mounted, setMounted] = useState(false);
|
|
|
|
// Load theme from localStorage on mount
|
|
useEffect(() => {
|
|
const stored = localStorage.getItem('theme') as Theme | null;
|
|
if (stored) {
|
|
setTheme(stored);
|
|
}
|
|
setMounted(true);
|
|
}, []);
|
|
|
|
// Apply theme to document element and save to localStorage
|
|
useEffect(() => {
|
|
if (!mounted) return;
|
|
|
|
const root = window.document.documentElement;
|
|
|
|
// Remove previous theme classes
|
|
root.classList.remove('light', 'dark');
|
|
|
|
if (theme === 'system') {
|
|
const systemTheme = window.matchMedia('(prefers-color-scheme: dark)').matches
|
|
? 'dark'
|
|
: 'light';
|
|
root.classList.add(systemTheme);
|
|
setResolvedTheme(systemTheme);
|
|
} else {
|
|
root.classList.add(theme);
|
|
setResolvedTheme(theme);
|
|
}
|
|
|
|
// Save to localStorage
|
|
localStorage.setItem('theme', theme);
|
|
}, [theme, mounted]);
|
|
|
|
// Listen for system theme changes
|
|
useEffect(() => {
|
|
if (!mounted) return;
|
|
|
|
const mediaQuery = window.matchMedia('(prefers-color-scheme: dark)');
|
|
|
|
const handleChange = () => {
|
|
if (theme === 'system') {
|
|
const systemTheme = mediaQuery.matches ? 'dark' : 'light';
|
|
setResolvedTheme(systemTheme);
|
|
window.document.documentElement.classList.remove('light', 'dark');
|
|
window.document.documentElement.classList.add(systemTheme);
|
|
}
|
|
};
|
|
|
|
mediaQuery.addEventListener('change', handleChange);
|
|
return () => mediaQuery.removeEventListener('change', handleChange);
|
|
}, [theme, mounted]);
|
|
|
|
return (
|
|
<ThemeContext.Provider value={{ theme, setTheme, resolvedTheme }}>
|
|
{children}
|
|
</ThemeContext.Provider>
|
|
);
|
|
}
|
|
|
|
export function useTheme() {
|
|
const context = useContext(ThemeContext);
|
|
if (context === undefined) {
|
|
throw new Error('useTheme must be used within a ThemeProvider');
|
|
}
|
|
return context;
|
|
}
|