1

在我的测试套件中,我如何存根一个类的属性,它是一个函数*?使用普通方法很容易使用Object.getOwnPropertyNames(component.prototype)和猴子修补每个找到的方法,但经过长时间的努力,我还没有找到任何方法来提取通过分配给类的字段创建的函数。

我的测试堆栈由 Jest 和 Jasmine2 和 babel 组成。

转译的问题在于,箭头函数属性(当然,正如预期的那样)分配给输出转译“类”的实例(当然,实际上是函数)。所以除了实例化这个对象之外,我没有看到任何方法来存根它们,对吗?这是输入 es7 代码和 babel 输出的示例。但是我不是特别喜欢这个解决方案,看起来很hacky。这个解决方案的另一个缺点是我不能直接实例化组件的类。


(*) 这个问题的背景是单元测试用类似 es7 的类编写的 React 组件,为了自动绑定的目的,将箭头函数分配给类的属性。

4

2 回答 2

2

在为我正在工作的项目编写单元测试时,我遇到了同样的问题,我认为我有一个很好的模式来解决它。希望它有所帮助:

语境

这是一个 React 组件的示例,该组件具有handleClick使用粗箭头表示法定义的方法。

import React, { Component } from 'react';

class Foo extends Component {
  componentWillMount() {
    this.handleClick();
  }

  handleClick = (evt) => {
    // code to handle click event...
  }

  render() {
    return (
      <a href="#" onClick={this.handleClick}>some foo link</a>
    );
  }
}

问题

如此链接中所述, Babel将转译代码,以便该handleClick方法仅在实例化后可用(检查生成的构造函数的第31 到 33 行)

这里的问题是,有时您需要在实例化类之前访问使用粗箭头符号定义的方法。

例如,假设您正在为componentWillMount类方法编写单元测试,并且您想要存根,handleClick以便您只测试所需的单元。但是现在您遇到了一个问题,因为您只能handleClick在实例化之后访问,并且componentWillMount方法将React作为其实例化生命周期的一部分自动调用。

解决方案

以下是我如何应用一个简单的模式来解决这样的问题:

import React from 'react';
import { mount } from 'enzyme';
import { expect } from 'chai';
import sinon from 'sinon';

import Foo from './foo';

describe('Foo', () => {
  describe('componentWillMount method', () => {
    const handleClickStub = sinon.stub();
    class FooWrapper extends Foo {
      constructor(props) {
        super(props);
        this.handleClick = handleClickStub;
      }
    }

    it('should register a click event listener to the externalElement property', () => {
      handleClickStub.reset();
      mount(<FooWrapper />);
      expect(handleClickStub.calledOnce).to.be.true;
    });
  });
});

解释

在初始化原始组件后,我已将原始Foo组件包装到FooWrapper其构造函数的 where 我用存根版本替换原始handleClick方法,从而允许我对我的componentWillMount类进行属性测试。

于 2016-10-02T17:14:02.887 回答
1

由于 babel 通过transform-class-properties在类方法上转换箭头函数语法的方式,类方法不再绑定在原型上,而是绑定在实例上。

使用 Jest 19 的内置断言和.spyOn方法,这是我的解决方案:

import React from 'react';
import { shallow } from 'enzyme';

describe('MyComponent', () => {
  it('should spy properly', () => {
    const wrapper = shallow(<Component />);
    const wrapperInstance = wrapper.instance();
    const spy = jest.spyOn(wrapperInstance, 'functionName');
    wrapperInstance.functionName();
    expect(spy).toHaveBeenCalledTimes(1);
  })
});
于 2017-04-20T18:45:41.387 回答