我不是单元测试方面的专家,而且我试图在我的虚拟todoapp项目上实现100%的覆盖率,它很容易用于像TodoList组件这样的简单组件,但是AddTodo组件呢?
import React, {PropTypes} from 'react'
import {compose, withState, withProps} from 'recompose'
/**
* Form to create new todos.
*/
const enhance = compose(
withState('value', 'setValue', ''),
withProps(({value, setValue, addTodo}) => ({
handleSubmit: e => (
e.preventDefault(),
addTodo(value),
setValue('')
),
handleChange: e => setValue(e.target.value),
}))
)
const Component = ({value, handleSubmit, handleChange}) =>
<form onSubmit={handleSubmit}>
<input
type="text"
value={value}
onChange={handleChange}
/>
<input type="submit" value="add"/>
</form>
Component.displayName = 'FormNewTodo'
Component.propTypes = {
value: PropTypes.string.isRequired,
handleSubmit: PropTypes.func.isRequired,
handleChange: PropTypes.func.isRequired,
}
export default enhance(Component)
这是我目前的AddTodo测试:
import React from 'react'
import {shallow} from 'enzyme'
import FormNewTodo from './index'
test('it should render properly', () => {
const wrapper = shallow(<FormNewTodo value="something"/>)
expect(wrapper).toMatchSnapshot()
})
该测试产生以下覆盖:Stmts 62.5,Branch 100,Funcs 25,Lines 62.5。
未覆盖的线是:12,16,21。
我应该如何正确测试它们?我错过了什么?关于这个话题有一些资源吗?
我终于解决了我的问题,请注意,目标是实现100%的覆盖率,而不是别的。
这是我的解决方案:
import React from 'react'
import {shallow} from 'enzyme'
import FormNewTodo from './index'
test('<FormNewTodo/>', () => {
const preventDefault = jest.fn()
const addTodo = jest.fn()
const subject = shallow(
<FormNewTodo
addTodo={addTodo}
/>
)
subject.dive()
.find('[type="text"]')
.simulate('change', {target: {value: 'woot'}})
subject.dive()
.simulate('submit', {preventDefault})
expect(preventDefault).toHaveBeenCalled()
expect(addTodo).toHaveBeenCalled()
})
答案 0 :(得分:1)
未调用handleSubmit
和handleChange
函数,因此覆盖率报告显示这些行未被涵盖。
因为您已经enzyme
,所以可以使用它来simulate触发这些处理程序的事件。
例如:
wrapper.find('input').simulate('click') // trigger handleChange
wrapper.find('form').simulate('submit') // trigger handleSubmit
答案 1 :(得分:0)
我不熟悉重构,但我认为您未经测试的代码是onChange
和onSubmit
回调函数,而setValue
和addTodo
是您组件的道具。要对此进行测试,您需要将它们作为间谍(使用jest.fn()
创建)传递到组件中。然后你必须触发onChange
和onSubmit
,并测试使用正确参数调用它们的间谍
test('it submits the form', () => {
//create the spies for your callbacks
const setValue = jest.fn()
const addTodo = jest.fn()
//pass them to your rendered component
const wrapper = shallow(
<FormNewTodo
value="something"
setValue={setValue}
addTodo={addTodo}
/>
)
//create a spy for your fake event
const preventDefault = jest.fn()
//trigger the submit by just calling the prop
wrapper.trigger.prop('onSubmit')({preventDefault})
//check that the functions are called with correct parameter
expect(preventDefault).toHaveBeenCalled()
expect(setValue).toHaveBeenCalledWith('')
expect(addTodo).toHaveBeenCalledWith('something')
})