我是Jest / React的初学者。在开玩笑的it
中,我需要等到实际检查之前所有的承诺都已执行。
我的代码与此类似:
export class MyComponent extends Component {
constructor(props) {
super(props);
this.state = { /* Some state */ };
}
componentDidMount() {
fetch(some_url)
.then(response => response.json())
.then(json => this.setState(some_state);
}
render() {
// Do some rendering based on the state
}
}
安装组件时,render()
运行两次:一次在构造函数运行后,一次在fetch()
之后(在componentDidMount()
中)完成并且链接的promises完成执行)。
我的测试代码与此类似:
describe('MyComponent', () => {
fetchMock.get('*', some_response);
it('renders something', () => {
let wrapper = mount(<MyComponent />);
expect(wrapper.find(...)).to.have.something();
};
}
无论我从it
返回什么,它都会在第一次执行render()
之后但在第二次之前运行。例如,如果我返回fetchMock.flush().then(() => expect(...))
,则在第二次调用render()
之前执行返回的promise(我相信我能理解为什么)。
如何在运行render()
之前等待第二次调用expect()
?
答案 0 :(得分:1)
我会分开关注,主要是因为更容易维护和测试。我没有在组件内部声明提取,而是在其他地方执行,例如在redux操作中(如果使用redux)。
然后单独测试fetch和组件,毕竟这是单元测试。
对于异步测试,您可以在测试中使用done
参数。例如:
describe('Some tests', () => {
fetchMock.get('*', some_response);
it('should fetch data', (done) => { // <---- Param
fetchSomething({ some: 'Params' })
.then(result => {
expect(result).toBe({ whatever: 'here' });
done(); // <--- When you are done
});
});
})
您可以通过在道具中发送加载的数据来测试您的组件。
describe('MyComponent', () => {
it('renders something', () => {
const mockResponse = { some: 'data' };
let wrapper = mount(<MyComponent data={mockResponse}/>);
expect(wrapper.find(...)).to.have.something();
});
});
在测试时,您需要保持简单,如果您的组件难以测试,那么您的设计就会出现问题;)
答案 1 :(得分:0)
我找到了一种方法来做我最初的问题。我还没有(是)它是否是好策略(实际上我不得不立即重构该组件,所以这个问题不再与我正在做的事情相关)。无论如何,这是测试代码(下面的解释):
import React from 'react';
import { mount } from 'enzyme';
import { MyComponent } from 'wherever';
import fetchMock from 'fetch-mock';
let _resolveHoldingPromise = false;
class WrappedMyComponent extends MyComponent {
render() {
const result = super.render();
_resolveHoldingPromise && _resolveHoldingPromise();
_resolveHoldingPromise = false;
return result;
}
static waitUntilRender() {
// Create a promise that can be manually resolved
let _holdingPromise = new Promise(resolve =>
_resolveHoldingPromise = resolve);
// Return a promise that will resolve when the component renders
return Promise.all([_holdingPromise]);
}
}
describe('MyComponent', () => {
fetchMock.get('*', 'some_response');
const onError = () => { throw 'Internal test error'; };
it('renders MyComponent appropriately', done => {
let component = <WrappedMyComponent />;
let wrapper = mount(component);
WrappedMyComponent.waitUntilRender().then(
() => {
expect(wrapper.find('whatever')).toBe('whatever');
done();
},
onError);
});
});
主要的想法是,在测试代码中,我将组件子类化(如果这是Python我可能会对它进行修补,在这种情况下它的工作方式大致相同),以便它{ {1}}方法发送它执行的信号。发送信号的方法是手动解决承诺。创建promise时,它会创建两个函数,resolve和reject,在调用时终止promise。让promise之外的代码解决promise的方法是让promise在外部变量中存储对其resolve函数的引用。
感谢fetch-mock作者Rhys Evans,他亲切地向我解释了手动解决承诺的伎俩。
答案 2 :(得分:0)
我已经取得了一些成功,因为它不需要包装或修改组件。但是,假设组件中只有一个fetch()
,但是可以根据需要轻松地对其进行修改。
// testhelper.js
class testhelper
{
static async waitUntil(fnWait) {
return new Promise((resolve, reject) => {
let count = 0;
function check() {
if (++count > 20) {
reject(new TypeError('Timeout waiting for fetch call to begin'));
return;
}
if (fnWait()) resolve();
setTimeout(check, 10);
}
check();
});
}
static async waitForFetch(fetchMock)
{
// Wait until at least one fetch() call has started.
await this.waitUntil(() => fetchMock.called());
// Wait until active fetch calls have completed.
await fetchMock.flush();
}
}
export default testhelper;
然后您可以在声明之前使用它:
import testhelper from './testhelper.js';
it('example', async () => {
const wrapper = mount(<MyComponent/>);
// Wait until all fetch() calls have completed
await testhelper.waitForFetch(fetchMock);
expect(wrapper.html()).toMatchSnapshot();
});