Files
got-gaming/contexts/ThemeContext.tsx

71 lines
1.6 KiB
TypeScript

"use client";
import {
createContext,
useContext,
useEffect,
useState,
ReactNode,
} from "react";
type Theme = "dark" | "dark-cyan";
interface ThemeContextType {
theme: Theme;
setTheme: (theme: Theme) => void;
toggleTheme: () => void;
}
const ThemeContext = createContext<ThemeContextType | undefined>(undefined);
interface ThemeProviderProps {
children: ReactNode;
initialTheme?: Theme;
}
export function ThemeProvider({
children,
initialTheme = "dark-cyan",
}: ThemeProviderProps) {
const [theme, setThemeState] = useState<Theme>(() => {
// Initialize theme from localStorage if available, otherwise use initialTheme
if (typeof window !== "undefined") {
const savedTheme = localStorage.getItem("theme") as Theme | null;
if (savedTheme && (savedTheme === "dark" || savedTheme === "dark-cyan")) {
return savedTheme;
}
}
return initialTheme;
});
useEffect(() => {
// Apply theme class to document element
document.documentElement.className = theme;
}, [theme]);
const setTheme = (newTheme: Theme) => {
setThemeState(newTheme);
document.documentElement.className = newTheme;
localStorage.setItem("theme", newTheme);
};
const toggleTheme = () => {
const newTheme = theme === "dark" ? "dark-cyan" : "dark";
setTheme(newTheme);
};
return (
<ThemeContext.Provider value={{ theme, setTheme, toggleTheme }}>
{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;
}