60 lines
1.6 KiB
TypeScript
60 lines
1.6 KiB
TypeScript
'use client';
|
|
|
|
import { createContext, useContext, useState, useEffect, ReactNode } from 'react';
|
|
|
|
type Theme = 'light' | 'dark';
|
|
|
|
type ThemeContextType = {
|
|
theme: Theme;
|
|
setTheme: (theme: Theme) => void;
|
|
toggleTheme: () => void;
|
|
};
|
|
|
|
const ThemeContext = createContext<ThemeContextType | null>(null);
|
|
|
|
export function ThemeProvider({ children }: { children: ReactNode }) {
|
|
const [theme, setTheme] = useState<Theme>('light');
|
|
|
|
useEffect(() => {
|
|
// Intentar cargar el tema guardado
|
|
const savedTheme = localStorage.getItem('theme') as Theme | null;
|
|
|
|
if (savedTheme && (savedTheme === 'light' || savedTheme === 'dark')) {
|
|
setTheme(savedTheme);
|
|
} else {
|
|
// Si no hay tema guardado, usar preferencia del sistema
|
|
const prefersDark = window.matchMedia('(prefers-color-scheme: dark)').matches;
|
|
setTheme(prefersDark ? 'dark' : 'light');
|
|
}
|
|
}, []);
|
|
|
|
useEffect(() => {
|
|
// Aplicar la clase al document.documentElement cuando cambie el tema
|
|
if (theme === 'dark') {
|
|
document.documentElement.classList.add('dark');
|
|
} else {
|
|
document.documentElement.classList.remove('dark');
|
|
}
|
|
|
|
// Guardar tema en localStorage
|
|
localStorage.setItem('theme', theme);
|
|
}, [theme]);
|
|
|
|
const toggleTheme = () => {
|
|
setTheme(prevTheme => (prevTheme === 'light' ? 'dark' : 'light'));
|
|
};
|
|
|
|
return (
|
|
<ThemeContext.Provider value={{ theme, setTheme, toggleTheme }}>
|
|
{children}
|
|
</ThemeContext.Provider>
|
|
);
|
|
}
|
|
|
|
export function useTheme() {
|
|
const context = useContext(ThemeContext);
|
|
if (!context) {
|
|
throw new Error('useTheme must be used within a ThemeProvider');
|
|
}
|
|
return context;
|
|
}
|