React useBodyScrollLock钩子
启用页面滚动锁定。
- 使用
useLayoutEffect()
,将空数组作为第二个参数,以便在组件挂载时仅执行提供的回调函数一次。 - 使用
Window.getComputedStyle()
获取body
元素的overflow
值,并将其存储在一个变量中。 - 将
body
元素的overflow
值替换为'hidden'
,并在卸载时恢复为原始值。
const useBodyScrollLock = () => {
React.useLayoutEffect(() => {
const originalStyle = window.getComputedStyle(document.body).overflow;
document.body.style.overflow = 'hidden';
return () => (document.body.style.overflow = originalStyle);
}, []);
};
const Modal = ({ onClose }) => {
useBodyScrollLock();
return (
<div
style={{
zIndex: 100, background: 'rgba(0,0,0,0.25)', display: 'flex',
justifyContent: 'center', alignItems: 'center'
}}
>
<p
style={{ padding: 8, borderRadius: 8, background: '#fff' }}
onClick={onClose}
>
页面滚动已锁定! <br /> 点击我解锁
</p>
</div>
);
};
const MyApp = () => {
const [modalOpen, setModalOpen] = React.useState(false);
return (
<div
style={{
height: '400vh', textAlign: 'center', paddingTop: 100,
background: 'linear-gradient(to bottom, #1fa2ff, #12d8fa, #a6ffcb)'
}}
>
<button onClick={() => setModalOpen(true)}>打开模态框</button>
{modalOpen && <Modal onClose={() => setModalOpen(false)} />}
</div>
);
};
ReactDOM.createRoot(document.getElementById('root')).render(
<MyApp />
);