Enhance theming and UI components: Introduce a new dark cyan theme in globals.css, update layout to utilize ThemeProvider for consistent theming, and refactor button and card components to use CSS variables for styling. Improve navigation and alert components with dynamic styles based on theme variables, ensuring a cohesive user experience across the application.
Some checks failed
Deploy with Docker Compose / deploy (push) Failing after 49s

This commit is contained in:
Julien Froidefond
2025-12-12 17:05:22 +01:00
parent 97db800c73
commit 5b96cf907e
20 changed files with 684 additions and 93 deletions

66
contexts/ThemeContext.tsx Normal file
View File

@@ -0,0 +1,66 @@
"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>(initialTheme);
const [mounted, setMounted] = useState(false);
useEffect(() => {
setMounted(true);
// Apply theme class to document element
document.documentElement.className = theme;
}, [theme]);
useEffect(() => {
if (mounted) {
// Load theme from localStorage if available
const savedTheme = localStorage.getItem("theme") as Theme | null;
if (savedTheme && (savedTheme === "dark" || savedTheme === "dark-cyan")) {
setThemeState(savedTheme);
document.documentElement.className = savedTheme;
}
}
}, [mounted]);
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;
}