30秒学会 React 片段 – Carousel
Renders a carousel component.
- Use the
React.useState()
hook to create theactive
state variable and give it a value of0
(index of the first item). - Use an object,
style
, to hold the styles for the individual components. - Use the
React.useEffect()
hook to update the value ofactive
to the index of the next item, usingsetTimeout
. - Destructure
props
, compute if visibility style should be set tovisible
or not for each carousel item while mapping over and applying the combined style to the carousel item component accordingly. - Render the carousel items using
React.cloneElement()
and pass down restprops
along with the computed styles.
代码实现
function Carousel(props) {
const [active, setActive] = React.useState(0);
let scrollInterval = null;
const style = {
carousel: {
position: 'relative'
},
carouselItem: {
position: 'absolute',
visibility: 'hidden'
},
visible: {
visibility: 'visible'
}
};
React.useEffect(() => {
scrollInterval = setTimeout(() => {
const { carouselItems } = props;
setActive((active + 1) % carouselItems.length);
}, 2000);
return () => clearTimeout(scrollInterval);
});
const { carouselItems, ...rest } = props;
return (
<div style={style.carousel}>
{carouselItems.map((item, index) => {
const activeStyle = active === index ? style.visible : {};
return React.cloneElement(item, {
...rest,
style: {
...style.carouselItem,
...activeStyle
}
});
})}
</div>
);
}
使用样例
ReactDOM.render(
<Carousel
carouselItems={[
<div>carousel item 1</div>,
<div>carousel item 2</div>,
<div>carousel item 3</div>
]}
/>,
document.getElementById('root')
);