我已經創建了一個React組件來加載圖像並確定圖像是否成功加載。如何使用Jest來測試img.onerror
import React from 'react';
import PropTypes from 'prop-types';
import { LOADING, SUCCESS, ERROR } from '../helpers';
class Image extends React.Component {
static propTypes = {
onError: PropTypes.func,
onLoad: PropTypes.func,
src: PropTypes.string.isRequired,
}
static defaultProps = {
onError: null,
onLoad: null,
}
constructor(props) {
super(props);
this.state = { imageStatus: LOADING };
this.initImage();
}
componentDidMount() {
this.image.onload = this.handleImageLoad;
this.image.onerror = this.handleImageError;
this.image.src = this.props.src;
}
initImage() {
this.image = document.createElement('img');
this.handleImageLoad = this.handleImageLoad.bind(this);
this.handleImageError = this.handleImageError.bind(this);
}
handleImageLoad(ev) {
this.setState({ imageStatus: SUCCESS });
if (this.props.onLoad) this.props.onLoad(ev);
}
handleImageError(ev) {
this.setState({ imageStatus: ERROR });
if (this.props.onError) this.props.onError(ev);
}
render() {
switch (this.state.imageStatus) {
case LOADING:
return this.renderLoading();
case SUCCESS:
return this.renderSuccess();
case ERROR:
return this.renderError();
default:
throw new Error('unknown value for this.state.imageStatus');
}
}
}
export default Image;
我想創建一個測試使用Jest +酶來測試圖像加載失敗。
it('should call any passed in onError after an image load error',() => {
const onError = jest.fn();
mount(<Image {...props} src="crap.junk"} onError={onError} />);
expect(onError).toHaveBeenCalled();
});
無論我做什麼,Jest總能找到成功呈現圖像的方法。即使將src設置爲false仍會以某種方式呈現圖像。有誰知道如何在你可以強迫笑話失敗的圖像加載?
我認爲你有一些東西,但有嘲笑document.createElement的問題。我的圖像函數還根據參數創建了跨度和div,所以返回null會導致測試崩潰。現在我正在測試以查看是否可以添加任何屬性。它不工作。這是我得到的:https://gist.github.com/mrbinky3000/567b532928f456ee74e55ebe959c66ec – mrbinky3000
我放棄了。我只是決定使用wrapper.instance(),然後直接調用instance.image.onerror()。我想到我過度測試了。我必須相信,HTMLImageElement會在發生圖像錯誤時觸發錯誤。如果沒有,那麼Web瀏覽器的源代碼有一個巨大的錯誤。可能性:無。所以我只是手動啓動了錯誤來模擬錯誤。案件結案。謝謝,不過。 – mrbinky3000