How do you handle state management in a Next.js application?
asked 1 year ago Asked
0 Answers
2 Views
In a Next.js application, you can handle state management using various methods depending on your needs. For local state management, you can use React’s built-in useState and useReducer hooks. For more complex state management, you might use libraries like Redux or Context API.
Here’s an example using Context API:
// context/ThemeContext.js
import { createContext, useState, useContext } from 'react';
const ThemeContext = createContext();
export function ThemeProvider({ children }) {
const [theme, setTheme] = useState('light');
const toggleTheme = () => {
setTheme((prevTheme) => (prevTheme === 'light' ? 'dark' : 'light'));
};
return (
<ThemeContext.Provider value={{ theme, toggleTheme }}>
{children}
</ThemeContext.Provider>
);
}
export const useTheme = () => useContext(ThemeContext);
// pages/_app.js
import { ThemeProvider } from '../context/ThemeContext';
export default function MyApp({ Component, pageProps }) {
return (
<ThemeProvider>
<Component {...pageProps} />
</ThemeProvider>
);
}
// pages/index.js
import { useTheme } from '../context/ThemeContext';
export default function HomePage() {
const { theme, toggleTheme } = useTheme();
return (
<div style={{ background: theme === 'light' ? '#fff' : '#333', color: theme === 'light' ? '#000' : '#fff' }}>
<h1>Current Theme: {theme}</h1>
<button onClick={toggleTheme}>Toggle Theme</button>
</div>
);
}