我有一个使用DOM的函数
const trap = {
// ...
init() {
if (document.activeElement === this.firstTabStop) {
return this.lastTabStop.focus();
}
}
}
module.exports = trap.init;
我尝试模仿document.activeElement
,但它会抛出错误。
global.document.activeElement = mockFirstTabStop;
mockFirstTabStop
只是函数模拟,但无论我放在那里,错误都是一样的。
TypeError:无法设置[object Object]的属性activeElement只有一个getter
那么,如何测试该条件以期望调用this.lastTabStop.focus()
?
答案 0 :(得分:3)
解决方案是创建一个模拟DOM并将其用作场景:
<强> trap.js 强>
const trap = {
// ...
init() {
if (document.activeElement === this.firstTabStop) {
return this.lastTabStop.focus();
}
}
}
module.exports = trap.init;
<强> trap.test.js 强>
const trap = require('./trap.js');
// Mock a DOM to play around
document.body.innerHTML = `
<div>
<button id="btn1">btn 1 </button>
<button id="btn2">btn 2 </button>
<button id="btn3">btn 3 </button>
</div>
`;
// Mock Jest function
const mockBtnFocus = jest.fn();
const mockBtnFirst = document.getElementById('btn1');
const mockBtnLast = document.getElementById('btn3');
it('should focus this.lastTabStop when activeElement is this.firstTabStop', () => {
mockBtnFirst.focus(); // <<< this is what sets document.activeElement
mockBtnLast.focus = mockBtnFocus;
// Mock trap context to access `this`
trap.bind({
firstTabStop: mockBtnFirst,
lastTabStop: mockBtnLast,
});
expect(mockBtnLast.focus).toHaveBeenCalledTimes(1);
});