我有以下对象列表:
mediaList[
{id:1, url:"www.example.com/image1", adType:"image/jpeg"},
{id:2, url:"www.example.com/image2", adType:"image/jpg"},
{id:3, url:"www.example.com/video1", adType: "video/mp4"}
]
我需要创建一个具有可配置持续时间(1s,5,10s)的幻灯片。
到目前为止,我可以从mediaList
renderSlideshow(ad){
let adType =ad.adType;
if(type.includes("image")){
return(
<div className="imagePreview">
<img src={ad.url} />
</div>
);
}else if (adType.includes("video")){
return(
<video className="videoPreview" controls>
<source src={ad.url} type={adType}/>
Your browser does not support the video tag.
</video>
)
}
}
render(){
return(
<div>
{this.props.mediaList.map(this.renderSlideshow.bind(this))}
</div>
)
}
我现在要做的是一次生成一个媒体,并具有可配置的自动播放持续时间。
我知道我需要使用某种形式的setTimeout函数,例如:
setTimeout(function(){
this.setState({submitted:false});
}.bind(this),5000); // wait 5 seconds, then reset to false
我只是不确定如何在这种情况下实施它。 (我相信我需要使用css进行淡入淡出过渡,但我一开始就不知道如何创建过渡)
答案 0 :(得分:3)
如果您想每5秒更换一次媒体,则必须更新状态才能重新呈现您的组件您还可以使用setInterval
代替setTimeout
。 setTimeout
只会被触发一次,setInterval
将每X毫秒触发一次。这就是它的样子:
class MyComponent extends React.Component {
constructor(props) {
super(props);
this.state = { activeMediaIndex: 0 };
}
componentDidMount() {
setInterval(this.changeActiveMedia.bind(this), 5000);
}
changeActiveMedia() {
const mediaListLength = this.props.medias.length;
let nextMediaIndex = this.state.activeMediaIndex + 1;
if(nextMediaIndex >= mediaListLength) {
nextMediaIndex = 0;
}
this.setState({ activeMediaIndex:nextMediaIndex });
}
renderSlideshow(){
const ad = this.props.medias[this.state.activeMediaIndex];
let adType = ad.adType;
if(type.includes("image")){
return(
<div className="imagePreview">
<img src={ad.url} />
</div>
);
}else if (adType.includes("video")){
return(
<video className="videoPreview" controls>
<source src={ad.url} type={adType}/>
Your browser does not support the video tag.
</video>
)
}
}
render(){
return(
<div>
{this.renderSlideshow()}
</div>
)
}
}
基本上代码的作用是每5秒将activeMediaIndex更改为下一个。通过更新状态,您将触发重新渲染。渲染媒体时,只渲染一个媒体(您也可以渲染前一个媒体,下一个媒体像经典幻灯片一样)。这样,每隔5秒,你就会渲染一个新的媒体。
答案 1 :(得分:1)
别忘了清除超时以防止内存泄漏:
componentDidMount() {
this.timeout = setTimeout(() => {
...
}, 300);
}
componentWillUnmount() {
clearTimeout(this.timeout);
}