web-dev-qa-db-ja.com

Jestを使用してコンポーネントに渡されるprop内のメソッドをspyOnする方法

背景:

私のテストフレームワークはJestとEnzymeです。 _React.ContextAPI_を使用してLazyloadに結合されているLazyloadProviderというコンポーネントがあります。 componentDidMountコンポーネントのLazyload onコンポーネント内部プロップメソッドthis.props.lazyload.add()が呼び出されたことを保証するテストを記述したいと思います。 Jestスパイを使用して、hasBeenCalledWith(this.lazyRef)が有効であることを期待します

Lazyloadのregisterメソッドをスパイできるように冗談を言いました。ただし、内部のpropsメソッド_this.props.lazyload.add_をスパイする方法を理解できません。

質問:

_this.props.lazyload.add_にjest spyを記述し、それが_this.lazyRef_で呼び出されることを確認するにはどうすればよいですか?

_class Lazyload extends Component<LazyloadProps, LazyloadState> {
  lazyRef: ReactRef;

  constructor(props) {
    super(props);
    this.lazyRef = createRef();
  }

  componentDidMount() {
   this.register()
  }

  register() { // not spy on this.
    this.props.lazyload.add(this.lazyRef); // spyOn this
  }
}
_

テスト:

_describe('lazyload', () => {
  let provider;
  beforeEach(() => {
    provider = shallow(
      <LazyloadProvider>
        <p>Wow</p>
      </LazyloadProvider>
    ).instance();
  });

  it('should register a lazyloader with add', () => {
    const spy = jest.spyOn(Lazyload.prototype, 'register');

    const wrapper = shallow(
      <Lazyload lazyload={provider.engine}>
        <p>doge</p>
      </Lazyload>
    ).instance();

    expect(spy).toHaveBeenCalled(); // this works however it's a better test to spy on the this.prop.lazyload.add method.. but how?
  });
})
_
7
Matthew Harwood

あなたは stubbedaddlazyload propに渡して、 toHaveBeenCalledWith マッチャーに受け入れられるかどうかを確認できます instance() =のlazyref

describe('lazyload', () => {

  it('should add ref', () => {
    const lazyloadStub = {
        add: jest.fn();
    };

    const wrapper = shallow(
      <Lazyload lazyload={lazyloadStub}>
        <p>doge</p>
      </Lazyload>
    );

    expect(lazyloadStub.add).toHaveBeenCalledWith(wrapper.instance().lazyRef); 
  });
})
4
Alex