在Javascript中处理多个图像回退

问题描述 投票:0回答:1

有没有办法在普通的Javascript或React中处理多个图像回退?

我知道我们可以使用onError().处理一个后备图像如果我们想要做另一个后备图像怎么办?

提前致谢!

javascript reactjs image frontend
1个回答
2
投票

每次设置导致错误的src时,都会调用图像的onerror回调。

因此,对于本机js解决方案,您可以保留一个回退图像列表,并在每次调用回调时逐步浏览该列表,直到它耗尽为止。

var fallbacks = ["1.jpg","2.jpg","https://placebear.com/g/100/100","4.jpg"];
var image = new Image;
image.dataset["fallback"] = 0;
image.onerror = function(){
  console.log("onerror triggered");
  var fallbackIndex = this.dataset["fallback"];

  //check to see if we exhausted the fallbacks
  if(fallbackIndex > fallbacks.length-1) return;

  //set the fallback image
  this.src = fallbacks[fallbackIndex];

  //increment the index incase onerror is called again
  image.dataset["fallback"]++;
}

document.body.appendChild(image);
image.src = "doesntexist.jpg";

请注意,您不必在javascript中保留回退。您可以将回退放入元素本身的数据属性中,并通过dataset属性检索它

document.querySelector("img").addEventListener("error",function(){
  var fallbackIndex = this.dataset["fallback"];
  var fallbacks = this.dataset["fallbacks"].split(",");
  
  if(fallbackIndex > fallbacks.length-1) return;
  this.src = fallbacks[fallbackIndex];
  this.dataset["fallback"]++;
});
<img src="" data-fallback="0" data-fallbacks="1.jpg,2.jpg,https://placebear.com/g/100/100,4.jpg" />

对于反应你基本上会做同样的事情,但通过他们的语法,full demo

class ImageWithFallbacks extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      src: props.src,
      fallbackIndex: 0
    }
    this.props.fallbacks = this.props.fallbacks.split(",");
  }
  onError() {
    console.log("errored",this.state.fallbackIndex);
    if(this.state.fallbackIndex > this.props.fallbacks.length){
       return;
    }
    this.setState({
      src: this.props.fallbacks[this.state.fallbackIndex],
      fallbackIndex: this.state.fallbackIndex+1
    });
  }
  render() {
    return <img src={this.state.src} onError={()=>this.onError()} />;
  }
}

<ImageWithFallbacks src="nonexistent.jpg" fallbacks="1.jpg,2.jpg,https://placebear.com/g/100/100,4.jpg" />
© www.soinside.com 2019 - 2024. All rights reserved.