我想模拟setInterval方法,并且应该涵盖插入getData方法的行。 有人可以帮我吗?
startInterval() {
setInterval(() => this.getData(), this.state.timeInterval);
}
getData(){
// i want to covet this lines
}
我已经尝试过波纹管
it('should call getTopIntentsSince', () => {
jest.useFakeTimers();
jest.runAllTicks();
})
答案 0 :(得分:0)
jest.runAllTicks
运行微任务队列中的所有内容。
对于连续运行的setInterval
,您将需要使用jest.advanceTimersByTime
。
这是一个简单的例子:
code.js
import * as React from 'react';
export class MyComponent extends React.Component {
constructor(...args) {
super(...args);
this.state = { calls: 0, timeInterval: 1000 };
this.startInterval();
}
startInterval() {
setInterval(() => this.getData(), this.state.timeInterval);
}
getData() {
this.setState({ calls: this.state.calls + 1 });
}
render() { return null; }
}
code.test.js
import * as React from 'react';
import { MyComponent } from './code';
import { shallow } from 'enzyme';
test('MyComponent', () => {
jest.useFakeTimers();
const component = shallow(<MyComponent/>);
expect(component.state('calls')).toBe(0); // Success!
jest.advanceTimersByTime(3000);
expect(component.state('calls')).toBe(3); // Success!
})
如果您取消间隔以使其不连续运行,则也可以使用jest.runAllTimers
。