如何使用笑话和酶来监视 componentWillMount

IT技术 unit-testing reactjs jestjs enzyme
2021-04-25 07:46:20

我正在尝试测试是否调用了 componentWillMount,为此我的测试是

test('calls `componentWillMount` before rendering', () => {
  let fn = jest.fn(SomeComponent.prototype.componentWillMount)
  mount(<SomeComponent />)
  expect(fn).toHaveBeenCalled()
})

但是即使调用了 componentWillMount 方法,测试也没有通过。我在这里错过了什么?

4个回答

我不知道其他答案是否对您的问题有帮助,但您不需要测试 componentWillMount。React 应该已经为你做了那个测试。

与您的测试更相关的是测试您在该方法中为您的组件放置的功能或操作。

如果您要进行一些 API 调用、运行基于 props 的函数或其他任何东西,这就是您应该测试的内容。模拟componentWillMount触发的函数/动作/代码,并对其进行断言和期望。

例子:

零件:

class YourComponent extends Component {

  componentWillMount() {
    /*this fetch function is actually what you want to test*/
    this.props.fetch('data')
  }

  render() {
    /* whatever your component renders*/ 
  }    
}

测试:

test('should call fetch when mounted', () => {
  let mockFetch = jest.fn()

  const wrapper = mount(<SomeComponent fetch={mockFetch}/>);

  expect(wrapper).toBeDefined();
  expect(mockFetch).toHaveBeenCalled();
  expect(mockFetch.mock.calls[0]).toEqual(['data'])
});

试试这个:

test('calls `componentWillMount` before rendering', () => {
  const onWillMount = jest.fn();
  SomeComponent.prototype.componentWillMount = onWillMount;
  mount(<SomeComponent />);

  expect(onWillMount).toBeCalled();
});

我首先会spy使用组件的componentWillMount方法,但也会使用.and.CallThrough()它来防止它模拟其内容。希望这可以帮助:

it('should check that the componentWillMount method is getting called', () => {
    spyOn(SomeComponent.prototype, 'componentWillMount').and.callThrough();

    const wrapper = mount(<SomeComponent />);

    expect(wrapper).toBeDefined();
    expect(SomeComponent.prototype.componentWillMount).toHaveBeenCalledTimes(1);
});

我不相信上面的答案解决了这个问题。这是开玩笑的,允许你监视一个方法,但不允许你callThrough监视它的调用状态。最适合我的解决方案是使用已componentWillMount定义的组件设置测试依靠开玩笑只会让事情变得更复杂。

describe('componentWillMount', () => {
  const calls = []
  class Component1 extends Components {
    componentWillMount() {
      calls.push(new Date)
    }
    render() { ... }
  }
  
  afterEach(() => calls.splice(0, calls.length))
  it('has been called', () => {
    mount(<Component1 />)
    expect(calls.length).toBe(1)
  })
})