在React组件中我有一个像这样的函数:
handleOnScroll = () => {
const {navigationSections, setNavigationSectionActive} = this.props;
const reversedSections = this.getReversedNavigationSections();
const OFFSET_TOP = 32;
const st = window.pageYOffset || document.documentElement.scrollTop;
if (st > lastScrollTop) {
for (let i = 0; i < navigationSections.length; i += 1) {
if(document.getElementById(navigationSections[i].id).getBoundingClientRect().top <= OFFSET_TOP) {
setNavigationSectionActive(navigationSections[i].id);
}
}
} else if (st < lastScrollTop) {
for (let y = 0; y < reversedSections.length; y += 1) {
if(document.getElementById(navigationSections[y].id).getBoundingClientRect().top <= OFFSET_TOP) {
setNavigationSectionActive(navigationSections[y].id);
}
}
}
lastScrollTop = st <= 0 ? 0 : st;
}
以及某些类似的测试:
it('should handle handleOnScroll', () => {
instance.handleOnScroll();
expect(instance.getReversedNavigationSections()).toEqual(props.navigationSections.reverse());
});
props.navigationSections.forEach(navSection => {
it('should call setNavigationSectionActive', () => {
instance.handleOnScroll();
expect(props.setNavigationSectionActive).toHaveBeenCalledWith(navSection.id);
});
});
第一个测试通过,但第二个测试(“应调用setNavigationSectionActive”)失败,如您所见:
我认为原因是因为文档没有被模拟,因此if失败。但是,在实际的实现中,当执行此操作时:
document.getElementById(navigationSections[i].id).getBoundingClientRect().top
具有这些ID的DIV在另一部分中(不在用于测试的包装器组件中)。
我应该模拟文档以模仿if语句通过的实际结构,还是我完全错了?
我的尝试如此失败
it('should handle custom handleOnScroll', () => {
document.body.innerHTML = '<div><div id="id">my div</div><div id="id-1">my div</div></div>';
const div = document.getElementById('id');
div.getBoundingClientRect = () => ({ top: 100 }); // <= mock getBoundingClientRect
instance.handleOnScroll();
props.navigationSections.forEach(() => {
if (global.document.getElementById('id').getBoundingClientRect().top <= global.OFFSET_TOP) {
expect(props.setNavigationSectionActive).toHaveBeenCalledWith('id');
}
});
});
答案 0 :(得分:2)
Jest
的默认测试环境是jsdom
,它提供了类似浏览器的环境。
如果您的测试需要document
中的特定内容,则可以使用document.body.innerHTML
之类的文件来设置文档正文。
jsdom
实现了许多浏览器功能,但不是全部。在这种情况下,getBoundingClientRect
总是返回0
,因此,如果您希望它返回其他内容,则必须对其进行模拟。
这是一个简单的示例,可以帮助您入门:
const OFFSET_TOP = 5;
const func = () =>
document.getElementById('theid').getBoundingClientRect().top <= OFFSET_TOP ?
'less' :
'more';
test('func', () => {
document.body.innerHTML = '<div id="theid">my div</div>';
expect(func()).toBe('less'); // Success!
const div = document.getElementById('theid');
div.getBoundingClientRect = () => ({ top: 10 }); // <= mock getBoundingClientRect
expect(func()).toBe('more'); // Success!
});