我尝试使用酶来模拟复选框上的change
事件,并使用chai-enzyme
断言是否已经过检查。
这是我的Hello
反应组件:
import React from 'react';
class Hello extends React.Component {
constructor(props) {
super(props);
this.state = {
checked: false
}
}
render() {
const {checked} = this.state;
return <div>
<input type="checkbox" defaultChecked={checked} onChange={this._toggle.bind(this)}/>
{
checked ? "checked" : "not checked"
}
</div>
}
_toggle() {
const {onToggle} = this.props;
this.setState({checked: !this.state.checked});
onToggle();
}
}
export default Hello;
我的测试:
import React from "react";
import Hello from "../src/hello.jsx";
import chai from "chai";
import {mount} from "enzyme";
import chaiEnzyme from "chai-enzyme";
import jsdomGlobal from "jsdom-global";
import spies from 'chai-spies';
function myAwesomeDebug(wrapper) {
let html = wrapper.html();
console.log(html);
return html
}
jsdomGlobal();
chai.should();
chai.use(spies);
chai.use(chaiEnzyme(myAwesomeDebug));
describe('<Hello />', () => {
it('checks the checkbox', () => {
const onToggle = chai.spy();
const wrapper = mount(<Hello onToggle={onToggle}/>);
var checkbox = wrapper.find('input');
checkbox.should.not.be.checked();
checkbox.simulate('change', {target: {checked: true}});
onToggle.should.have.been.called.once();
console.log(checkbox.get(0).checked);
checkbox.should.be.checked();
});
});
当我运行此测试时,checkbox.get(0).checked
为false
,并且断言checkbox.should.be.checked()
报告错误:
AssertionError: expected the node in <Hello /> to be checked <input type="checkbox" checked="checked">
您可以看到消息很奇怪,因为输出中已经有checked="checked"
。
我不确定哪里出错,因为它涉及太多事情。
您还可以在此处查看演示项目:https://github.com/js-demos/react-enzyme-simulate-checkbox-events-demo,请注意these lines
答案 0 :(得分:10)
我认为我的解释的一些细节可能有点不对,但我的理解是:
当你这样做时
var selectMenuItems = [
{id: 'restaurant', text: 'restaurant'},
{id: 'shopping', text: 'shopping'},
{id: 'toilet', text: 'toilet'}
]
它在var checkbox = wrapper.find('input');
中保存了对该酶节点的引用,但有时候酶树会更新,但checkbox
没有。我不知道这是否是因为树中的引用发生了变化,因此checkbox
现在是对旧版本树中节点的引用。
使checkbox
成为一个函数似乎使它对我有用,因为现在checkbox
的值总是来自最新的树。
checkbox()
答案 1 :(得分:5)
Funnny,我在尝试编写完全相同的测试时遇到了完全相同的问题:)
我也在寻找它,即使不是很满意,我发现的答案也很清楚。
这不是错误,但“它按设计工作”。
酶基础使用反应测试工具与反应相互作用,特别是与模拟api。
模拟实际上不会更新dom,它只是触发附加到组件的反应事件处理程序,可能还有您传入的其他参数。
根据我在这里得到的答案(https://github.com/facebook/react/issues/4950)这是因为更新dom需要React重新实现许多浏览器功能,可能仍会导致无法预料的行为,所以他们决定只依靠浏览器进行更新。
实际测试这个的唯一方法是自己手动更新dom,然后调用模拟api。
答案 2 :(得分:0)
以下解决方案最适合我:
it('should check checkbox handleClick event on Child component under Parent', () => {
const handleClick = jest.fn();
const wrapper = mount(
<Parent onChange={handleClick} {...dependencies}/>,); // dependencies, if any
checked = false;
wrapper.setProps({ checked: false });
const viewChildren = wrapper.find(Children);
const checkbox = viewChildren.find('input[type="checkbox"]').first(); // If you've multiple checkbox nodes and want to select first
checkbox.simulate('change', { target: { checked: true } });
expect(handleClick).toHaveBeenCalled();
});
希望这会有所帮助。