使用 Enzyme 和 Sinon 调用 React 组件上的测试自定义方法

Test custom method on React component has been called, using Enzyme and Sinon

我想检查当单击我的组件上的按钮时,它会调用我创建的处理单击的方法。这是我的组件:

import React, { PropTypes, Component } from 'react';

class Search extends Component {

  constructor(){
    super();
    this.state = { inputValue: '' };
  }

  handleChange = (e) => {
    this.setState({ inputValue: e.target.value });
  }

  handleSubmit = (e) => {
    e.preventDefault();
    return this.state.inputValue;
  }

  getValue = () => {
    return this.state.inputValue;
  }

  render(){
    return (
      <form>
        <label htmlFor="search">Search stuff:</label>
        <input id="search" type="text" value={this.state.inputValue} onChange={this.handleChange} placeholder="Stuff" />
        <button onClick={this.handleSubmit}>Search</button>
      </form>
    );
  }
}

export default Search;

这是我的测试

  import React from 'react';
  import { mount, shallow } from 'enzyme';
  import Search from './index';
  import sinon from 'sinon';

  describe('Search button', () => {

    it('calls handleSubmit', () => {
      const shallowWrapper = shallow(<Search />);
      const stub = sinon.stub(shallowWrapper.instance(), 'handleSubmit');
      shallowWrapper.find('button').simulate('click', { preventDefault() {}     });
      stub.called.should.be.true();
    });

  });

调用 属性 的调用返回错误。我已经尝试了很多语法变体,我想也许我只是遗漏了一些基本的东西。任何帮助将不胜感激。

我对 Sinon 也比较陌生。我通常将 spy() 传递给组件道具,并检查它们(尽管你可以以相同的方式使用 stub()):

let methodSpy = sinon.spy(),
  wrapper = shallow(<MyComponent someMethod={methodSpy} />)

wrapper.find('button').simulate('click')

methodSpy.called.should.equal(true)

我指出这一点是因为我认为这是单元测试组件(测试内部方法 can be problematic)最直接的方法。

在您的示例中,您尝试测试组件的内部方法,这是行不通的。不过,我遇到了 this issue,这应该对您有所帮助。尝试:

it('calls handleSubmit', () => {
  const shallowWrapper = shallow(<Search />)
  let compInstance = shallowWrapper.instance()

  let handleSubmitStub = sinon.stub(compInstance, 'handleSubmit');
  // Force the component and wrapper to update so that the stub is used
  compInstance.forceUpdate()
  shallowWrapper.update()

  shallowWrapper.find('button').simulate('click', { preventDefault() {} });

  handleSubmitStub.called.should.be.true();
});