在异步 useEffect 和异步 Redux-Saga 中测试和模拟获取
我正在测试一个使用 React-Hooks 和 Redux-Saga 的功能组件。我可以在组件的 URL 中传递参数,因为它们是登录页面组件。
我传递的 URL 是“localhost/access/ parameter ”,当此参数存在时,我需要调用异步 redux saga,如果获取成功,我会将结果放入 redux-store。当结果在 redux-store 上时,我有一个 useEffect 来验证结果,如果成功,我会将其放入输入中。
我可以使用 axios 模拟结果,但我正在迁移到仅使用
fetch
。我模拟了获取,但是当我使用由 Enzyme 提供的
mount(component)
时,我不知道如何等待 redux-saga 终止请求并使用 useEffect 完成您的工作。我将控制台日志放在效果、传奇里面,并记录输入道具以查看您的
值道具
,但该值始终为空。我尝试使用
setImmediate()
和
process.nextTick()
。
我正在使用 formik,所以他们将一些道具传递给我。
我的组件
const Login = ({
setFieldError, errors, response, fetchDomain, location, values, handleChange, handleBlur, setFieldValue, history,
}) => {
useEffect(() => {
async function fetchUrlDomain() {
const { pathname } = location;
const [, , domain] = pathname.split('/');
if (typeof domain !== 'undefined') {
await fetchDomain(domain);
}
}
fetchUrlDomain();
}, [fetchDomain, location]);
useEffect(() => {
if (typeof response === 'string') {
setFieldError('domain', 'Domain not found');
inputDomain.current.focus();
} else if (Object.keys(response).length > 0) {
setFieldValue('domain', response.Domain);
setFieldError('domain', '');
}
}, [response, setFieldValue, setFieldError]);
return (
<input name="domain" id="domain" value={values.domain} onChange={handleChange} onBlur={handleBlur} type="text" />
);
}
const LoginFormik = withFormik({
mapPropsToValues: () => ({ domain: '' }),
enableReinitialize: false,
validateOnBlur: false,
validateOnChange: false,
})(Login);
const mapStateToProps = () => ({ });
const mapDispatchToProps = dispatch => ({
fetchDomain: (value) => {
dispatch(action({}, constants.RESET_RESPONSE_DOMAIN));
dispatch(action(value, constants.FETCH_DOMAIN_REQUEST));
},
});
export default connect(mapStateToProps, mapDispatchToProps)(LoginFormik);
我的 Saga
export function* fetchDomain(action) {
const url = yield `${mainUrl}/${action.payload}`;
try {
const response = yield fetch(url).then(res => res.json());
yield put(reduxAction(response , constants.FETCH_DOMAIN_SUCCESS));
} catch (e) {
yield put(reduxAction(e, constants.FETCH_DOMAIN_FAILURE));
}
}
我的 Reducer
case constants.FETCH_DOMAIN_FAILURE:
return { ...initialState, response: 'Domain not found' };
case constants.FETCH_DOMAIN_SUCCESS: {
const { payload } = action;
return {
...initialState,
id: payload.Id,
apis: payload.Apis,
response: payload,
};
}
case constants.RESET_RESPONSE_DOMAIN:
return { ...initialState };
我的测试
it('input with fetch only', (done) => {
const mockSuccessResponse = {
Id: 'fafafafa',
Apis: [],
Domain: 'NAME',
};
const mockJsonPromise = Promise.resolve(mockSuccessResponse);
const mockFetchPromise = Promise.resolve({
json: () => mockJsonPromise,
});
global.fetch = jest.fn().mockImplementation(() => mockFetchPromise);
const wrapper = mount(
<Provider store={store}>
<LoginForm
history={{ push: jest.fn() }}
location={{ pathname: 'localhost/login/Domain' }}
/>
</Provider>,
);
process.nextTick(() => {
const input = wrapper.find('#domain');
console.log(input.props());
expect(input.props().value.toLowerCase()).toBe('name');
global.fetch.mockClear();
done();
});
});
我希望我的输入有值,但他没有。我尝试使用 jest-fetch-mock 但不起作用,我想使用本机 jest 方法,而不是三十方库。
我说不出你现在的代码有什么问题。但是想提出不同的方法。
目前你正在测试 redux 部分和组件部分。这与单元测试策略相矛盾,因为理想情况下你应该模拟测试模块之外的所有内容。
所以我的意思是如果你专注于测试组件本身,它会更容易(创建更少的模拟)和更易读。为此,你还需要导出未包装的组件(在你的情况下为
Login
)。然后你只能测试它的 props-vs-render 结果:
it('calls fetchDomain() with domain part of location', () => {
const fetchDomain = jest.fn();
const location = { pathName: 'example.com/path/sub' }
shallow(<Login fetchDomain={fetchDomain} location={location} />);
expect(fetchDomain).toHaveBeenCalledTimes(1);
expect(fetchDomain).toHaveBeenCalledWith('example.com');
});
it('re-calls fetchDomain() on each change of location prop', () => {
const fetchDomain = jest.fn();
const location = { pathName: 'example.com/path/sub' }
const wrapper = shallow(<Login fetchDomain={fetchDomain} location={location} />);
fetchDomain.mockClear();
wrapper.setProps({ location: { pathName: 'another.org/path' } });
expect(fetchDomain).toHaveBeenCalledTimes(1);
expect(fetchDomain).toHaveBeenCalledWith('another.org');
});
其他情况也一样。看看用这种方法如果你用直接调用
fetch()
或其他什么替换
redux
,或者如果你重构该数据以来自父级而不是从 redux 存储中读取,你将不需要重写测试以将模拟从 redux 中删除。当然,您仍然需要测试 redux 部分,但它也可以单独完成。
PS,在
useEffect
中使用
await fetchDomain(...)
没有任何好处,因为您不使用它返回的内容。
await
不像暂停那样工作,而且该代码可能会让读者感到困惑。