我正在尝试每1秒更改一次显示的图像,首先出现第一张图像,然后切换到alt显示屏,并且不再继续切换图片
export default class Slideshow extends Component {
constructor(props) {
super(props);
this.getImageId = this.getImageId.bind(this);
this.switchImage = this.switchImage.bind(this);
this.init = this.init.bind(this);
this.state = {
currentImage: 0,
image: 0
};
}
getImageId() {
if(this.currentImage < 3) {
this.setState({
currentImage: this.state.currentImage +1
})
} else {
this.setState({
currentImage: 0
})
}
return this.currentImage;
}
switchImage() {
this.setState({
image: this.getImageId()
});
}
init() {
setInterval(this.switchImage, 1000)
}
render() {
const imagePath = [guy, girl, wash, swifer];
this.init();
return (
<div className="slideshow-container">
<img src={imagePath[this.state.image]} alt="cleaning images"/>
</div>
);
}
}
图片将每隔1秒钟切换到阵列中的下一张图片,并在经过整个阵列后恢复为原始图片
答案 0 :(得分:1)
请尝试以下类似方法:https://codesandbox.io/s/naughty-sara-q3m16
import React from "react";
import ReactDOM from "react-dom";
import "./styles.css";
class App extends React.Component {
constructor(props) {
super(props);
this.switchImage = this.switchImage.bind(this);
this.state = {
currentImage: 0,
images: [
"https://images.unsplash.com/photo-1518791841217-8f162f1e1131?ixlib=rb-1.2.1&ixid=eyJhcHBfaWQiOjEyMDd9&w=1000&q=80",
"https://img.purch.com/w/660/aHR0cDovL3d3dy5saXZlc2NpZW5jZS5jb20vaW1hZ2VzL2kvMDAwLzEwNC84MzAvb3JpZ2luYWwvc2h1dHRlcnN0b2NrXzExMTA1NzIxNTkuanBn",
"https://d17fnq9dkz9hgj.cloudfront.net/uploads/2012/11/152964589-welcome-home-new-cat-632x475.jpg",
"https://i.ytimg.com/vi/jpsGLsaZKS0/maxresdefault.jpg"
]
};
}
switchImage() {
if (this.state.currentImage < this.state.images.length - 1) {
this.setState({
currentImage: this.state.currentImage + 1
});
} else {
this.setState({
currentImage: 0
});
}
return this.currentImage;
}
componentDidMount() {
setInterval(this.switchImage, 1000);
}
render() {
return (
<div className="slideshow-container">
<img
src={this.state.images[this.state.currentImage]}
alt="cleaning images"
/>
</div>
);
}
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
我们可以通过做几件事来简化您的代码:
switchImage
和getImageId
合并为一个
具有相同目的的单一功能。我们只是检查
针对数组长度的currentImage(索引)。componentDidMount()
的生命周期方法
在呈现组件后立即执行逻辑
第一次。我用它代替了init()
函数。在init()
中调用render()
时出现问题。每次重新渲染组件时,它都会执行render()
中的逻辑,这意味着您将在随后的每个重新渲染中创建一个新的setInterval()
。 componentDidMount()
仅触发一次,非常适合定义间隔。答案 1 :(得分:0)
代码的主要问题是,每当状态get update渲染也执行时,您会使用in render函数调用init函数,因此每次执行一次render函数时都会一次又一次调用init函数
解决方案是在componentDidMount函数中设置时间间隔
componentDidMount在DOM中安装组件后仅运行一次,有关响应生命周期功能的帮助,请访问官方文档
https://reactjs.org/docs/react-component.html
也看看这张帖子图片