我正在测试使用React-Hooks和Redux-Saga的功能组件。我可以在组件的URL中传递参数,因为它们是登录页面组件。
我传递的URL是'localhost / access / parameter ',当此参数存在时,我需要调用异步redux saga,如果获取正常,则将结果放入redux商店。当结果在redux-store上时,我有一个useEffect可以验证结果,如果可以,我将其输入。
我可以使用axios模拟结果,但是我正在迁移以仅使用提取。我嘲笑提取,但是当我使用
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);
我的传奇
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));
}
}
我的减速器
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,但是不起作用,并且我想使用本机开玩笑的方法,没有三十方库。
答案 0 :(得分:1)
我无法说出您当前的代码出了什么问题。但是要提出不同的方法。
当前,您正在测试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');
});
与其他情况相同。如果您将redux
替换为直接调用fetch()
或其他方法,或者使用重构方法将数据重构为来自父级而不是从redux存储中读取数据,则无需重写测试即可删除模拟redux。当然,您仍然需要测试redux部分,但也可以单独进行。
PS,await fetchDomain(...)
中的useEffect
没有利润,因为您不使用它返回的内容。 await
不能像暂停一样工作,该代码可能会使读者感到困惑。