1.5 KiB
1.5 KiB
title, tags, author, cover, firstSeen, lastUpdated
| title | tags | author | cover | firstSeen | lastUpdated |
|---|---|---|---|---|---|
| React useMediaQuery hook | hooks,state,effect | chalarangelo | clay-pot-horizon | 2020-01-03T14:39:46+02:00 | 2021-10-13T19:29:39+02:00 |
Checks if the current environment matches a given media query and returns the appropriate value.
- Check if
WindowandWindow.matchMedia()exist. ReturnwhenFalseif not (e.g. SSR environment or unsupported browser). - Use
Window.matchMedia()to match the givenquery. Cast itsmatchesproperty to a boolean and store in a state variable,match, using theuseState()hook. - Use the
useEffect()hook to add a listener for changes and to clean up the listeners after the hook is destroyed. - Return either
whenTrueorwhenFalsebased on the value ofmatch.
const useMediaQuery = (query, whenTrue, whenFalse) => {
if (typeof window === 'undefined' || typeof window.matchMedia === 'undefined')
return whenFalse;
const mediaQuery = window.matchMedia(query);
const [match, setMatch] = React.useState(!!mediaQuery.matches);
React.useEffect(() => {
const handler = () => setMatch(!!mediaQuery.matches);
mediaQuery.addListener(handler);
return () => mediaQuery.removeListener(handler);
}, []);
return match ? whenTrue : whenFalse;
};
const ResponsiveText = () => {
const text = useMediaQuery(
'(max-width: 400px)',
'Less than 400px wide',
'More than 400px wide'
);
return <span>{text}</span>;
};
ReactDOM.createRoot(document.getElementById('root')).render(
<ResponsiveText />
);