我有一个组件,并用不同的道具有条件地渲染它。
{activeNavItem === 'Concept Art' ? (
<Gallary
images={conceptArtImages}
sectionRef={sectionRef}
/>
) : (
<Gallary
images={mattePaintingImages}
sectionRef={sectionRef}
/>
)}
此组件具有useState(false)
和useEffect
钩子。useEffect
确定屏幕位置何时到达 dom 元素并触发useState
true
:elementPosition < screenPosition
。然后我的state
触发了 dom 元素上的类:state ? 'animationClass' : ''
.
const Gallary = ({ images, sectionRef }) => {
const [isViewed, setIsViewed] = useState(false);
useEffect(() => {
const section = sectionRef.current;
const onScroll = () => {
const screenPosition = window.innerHeight / 2;
const sectionPosition = section.getBoundingClientRect().top;
console.log(screenPosition);
if (sectionPosition < screenPosition) setIsViewed(true);
};
onScroll();
window.addEventListener('scroll', onScroll);
return () => {
window.removeEventListener('scroll', onScroll);
};
}, [sectionRef]);
return (
<ul className="section-gallary__list">
{images.map((art, index) => (
<li
key={index}
className={`section-gallary__item ${isViewed ? 'animation--view' : ''}`}>
<img className="section-gallary__img" src={art} alt="concept art" />
</li>
))}
</ul>
);
};
问题:它适用于我的第一次渲染。但是当我使用不同的道具切换组件时,我的state
最初是true
的,我没有动画。
我注意到如果我有两个组件(ComponentA, ComponentB
(而不是一个(ComponentA
(,它可以正常工作。
当您的组件不在视图中时,尝试将isViewed
设置为 false,如下所示:
if (sectionPosition < screenPosition && !isViewed){
setIsViewed(true);
}
else{
if(isViewed)
setIsViewed(false);
}
你可以这样做:
if (sectionPosition < screenPosition && !isViewed){
setIsViewed(state=>!state);
}
else{
if(isViewed)
setIsViewed(state=>!state);
}
另外,无需多次渲染相同的组件,您只能更改道具:
<Gallary
images={activeNavItem === 'ConceptArt'?conceptArtImages:mattePaintingImages}
sectionRef={sectionRef}
/>