How to mock callback functions with jest

前端 未结 2 1277
无人共我
无人共我 2021-02-20 14:48

I\'m trying to mock a custom function with jest but I\'m having problems with it.

This is my function:

export const resizeImage = (file, fileName, callba         


        
相关标签:
2条回答
  • 2021-02-20 15:16

    Make sure when you call the actual function by passing the callback function as one of the arguments, that function is being called from inside the test block like below

    function forEach(items, callback) {
      for (let index = 0; index < items.length; index++) {
        callback(items[index]);
      }
    }
    const mockCallback = jest.fn((x) => x + 1);
    
    test("fn", () => {
      forEach([0, 1, 2], mockCallback);
      expect(mockCallback.mock.calls.length).toBe(3);
    });
    

    And not like below

    function forEach(items, callback) {
          for (let index = 0; index < items.length; index++) {
            callback(items[index]);
          }
        }
    const mockCallback = jest.fn((x) => x + 1);
    forEach([0, 1, 2], mockCallback);
        
    test("fn", () => {
       expect(mockCallback.mock.calls.length).toBe(3);
    });
    
    0 讨论(0)
  • 2021-02-20 15:33

    You can mock a module with a function that accepts the same parameter as your original one, and instantly call the callback:

    jest.mock('../../utilities/imageUtils', () => ({
      resizeImage: (file, fileName, callback) => callback('someData')
    }));
    

    Btw. the way you mock the module in your question can't work because of the way jest.mock works. Even if you write it after the let statement, it will be hoisted to the top of the file when the test is been compiled. So the best way to mock the function with a spy would look like this:

    import {resizeImage} from '../../utilities/imageUtils'
    
    jest.mock('../../utilities/imageUtils', () => ({
      resizeImage: jest.fn((file, fileName, callback) => callback('someData'))
    }));
    

    Now you have the same behaviour as above but you can also test that resizeImage was called with the correct parameters.

    As your last parameter is a function you can either just test for the 2 first params like this using mock.calls:

    expect(resizeImage.mock.calls[0][0]).toBe('firstParameter')
    expect(resizeImage.mock.calls[0][1]).toBe('secondParameter')
    

    Or use a wildcard for the last parameter when using toBeCalledWith using expect.anything():

    expect(resizeImage).toBeCalledWith('firstParameter', 'secondParameter', expect.anything()); 
    
    0 讨论(0)
提交回复
热议问题