web-dev-qa-db-fra.com

Comment espionner la méthode dans prop prop transmis à un composant en utilisant Jest?

Contexte:

Mon framework de test est Jest et Enzyme. J'ai un composant appelé Lazyload qui est couplé à un LazyloadProvider en utilisant React.ContextAPI. Je voudrais écrire un test qui garantit que sur componentDidMount du Lazyload Composant prop interne méthode this.props.lazyload.add() a été appelé. En utilisant Jest spy, je voudrais m'attendre à ce que hasBeenCalledWith(this.lazyRef) soit valide

J'ai eu la plaisanterie de pouvoir espionner la méthode register de Lazyload; cependant, je ne peux pas comprendre comment espionner la méthode des accessoires internes this.props.lazyload.add.

Question:

Comment puis-je écrire une farce sur this.props.lazyload.add Et m'assurer qu'elle est appelée avec 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
  }
}

Test:

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

Vous pouvez passer stubbedadd dans lazyload prop, et vérifier avec toHaveBeenCalledWith matcher s'il accepte 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