jest.fn()如何工作?

时间:2016-12-06 10:05:29

标签: unit-testing reactjs es6-promise jestjs

任何人都可以解释一下jest.fn()实际上是如何使用真实世界的例子的,因为我对如何使用它以及必须使用它的方式感到困惑。

例如,如果我有组件的国家/地区,在Utils功能的帮助下单击按钮来获取国家/地区列表

export default class Countries extends React.Component {
  constructor(props) {
    super(props)

    this.state = {
      countryList:''
    }
  }

  getList() {
    //e.preventDefault();
    //do an api call here
    let list = getCountryList();
    list.then((response)=>{ this.setState({ countryList:response }) });
  }

  render() {

    var cListing = "Click button to load Countries List";

    if(this.state.countryList) {
      let cList = JSON.parse(this.state.countryList);
      cListing = cList.RestResponse.result.map((item)=> { return(<li key={item.alpha3_code}> {item.name} </li>); });
    }

    return (
      <div>
        <button onClick={()=>this.getList()} className="buttonStyle"> Show Countries List </button>
        <ul>
          {cListing}
        </ul>
      </div>
    );

  }
}

使用了Utils函数

const http = require('http');


    export function getCountryList() {
      return new Promise(resolve => {
        let url = "/country/get/all";
        http.get({host:'services.groupkt.com',path: url,withCredentials:false}, response => {
          let data = '';
          response.on('data', _data => data += _data);
          response.on('end', () => resolve(data));
        });
      });


    }

我在哪里可以使用Jest.fn()或者当我点击按钮时如何测试getList函数

1 个答案:

答案 0 :(得分:23)

Jest Mock Functions

模拟函数也称为“间谍”,因为它们可以让您监视由其他代码间接调用的函数的行为,而不仅仅是测试输出。您可以使用jest.fn()创建模拟函数。

Check the documentation for jest.fn()

返回一个新的未使用的模拟函数。可选择采用模拟实现。

  const mockFn = jest.fn();
  mockFn();
  expect(mockFn).toHaveBeenCalled();

使用模拟实现:

  const returnsTrue = jest.fn(() => true);
  console.log(returnsTrue()) // true;

因此,您可以使用getList模拟jest.fn(),如下所示:

jest.dontMock('./Countries.jsx');
const React = require('react/addons');
const TestUtils = React.addons.TestUtils;
const Countries = require('./Countries.jsx');

describe('Component', function() {
  it('must call getList on button click', function() {
    var renderedNode = TestUtils.renderIntoDocument(<Countries />);
    renderedNode.prototype.getList = jest.fn()

    var button = TestUtils.findRenderedDOMComponentWithTag(renderedNode, 'button');

    TestUtils.Simulate.click(button);

    expect(renderedNode.prototype.getList).toBeCalled();
  });
});