react 走马灯轮播图 两种方法:css3动画和js定时器
import React, { useState, useEffect, useRef } from 'react';
import './style.css';
const Carousel = ({ images }) => {
const [current, setCurrent] = useState(0);
const timeoutRef = useRef(null);
const nextSlide = () => {
let nextIndex = (current + 1) % images.length;
setCurrent(nextIndex);
};
useEffect(() => {
timeoutRef.current = setTimeout(nextSlide, 3000);
return () => clearTimeout(timeoutRef.current);
}, [current]);
return (
<div className="carousel">
<div className="carousel-inner" style={{ transform: `translateX(-${current * 100}%)` }}>
{images.map((img, index) => (
<div key={index} className="carousel-item" style={{ backgroundImage: `url(${img})` }} />
))}
</div>
</div>
);
};
export default Carousel;
这个代码实例展示了如何在React组件中实现一个基本的走马灯轮播图。它使用了Hooks API来管理状态,并通过useEffect
来设置和清除定时器。图片数组作为属性传入Carousel组件,并渲染为背景图片。CSS样式需要自己定义,并且需要在./style.css
文件中实现动画效果。
评论已关闭