1. ホーム
  2. typescript

[解決済み] Jestで関数をモックする方法

2022-03-04 22:11:29

質問

以下のようなtypescriptのクラスがあり、Jestでテストしたいです。

//MyClass.ts
import { foo } from './somewhere/FooFactory';
export class MyClass {
  private _state : number;
  constructor( arg : string ) {
    this._state = foo( arg );
  }

  public getState() : string {
    return this._state;
  }
}

これは私のテストです。

//MyClass.spec.ts
import { MyClass } from './MyClass';
describe( 'test MyClass', () => {
  test( 'construct' => {
    const c = new MyClass( 'test' );
    expect( c ).toBeDefined();
    expect( c.getState() ).toEqual( 'TEST' );
  } );
} );

MyClass 内部で使用されている foo 関数をモックして、このテストをパスさせるにはどうすればよいでしょうか。

どのように解決するのですか?

アプローチ方法はいくつかあります。


だけをモックすることができます。 foo を使って jest.spyOn といった具合に mockImplementation :

import { MyClass } from './MyClass';
import * as FooFactory from './somewhere/FooFactory';

describe('test MyClass', () => {
  test('construct', () => {
    const mock = jest.spyOn(FooFactory, 'foo');  // spy on foo
    mock.mockImplementation((arg: string) => 'TEST');  // replace implementation

    const c = new MyClass('test');
    expect(c).toBeDefined();
    expect(c.getState()).toEqual('TEST');  // SUCCESS

    mock.mockRestore();  // restore original implementation
  });
});


同様に、自動モック FooFactory jest.mock の実装を提供し、さらに foo :

import { MyClass } from './MyClass';
import * as FooFactory from './somewhere/FooFactory';

jest.mock('./somewhere/FooFactory');  // auto-mock FooFactory

describe('test MyClass', () => {
  test('construct', () => {
    const mockFooFactory = FooFactory as jest.Mocked<typeof FooFactory>;  // get correct type for mocked FooFactory
    mockFooFactory.foo.mockImplementation(() => 'TEST');  // provide implementation for foo

    const c = new MyClass('test');
    expect(c).toBeDefined();
    expect(c.getState()).toEqual('TEST');  // SUCCESS
  });
});


をモック化することもできます。 FooFactory に渡されたモジュールファクトリを使用して jest.mock :

import { MyClass } from './MyClass';

jest.mock('./somewhere/FooFactory', () => ({
  foo: () => 'TEST'
}));

describe('test MyClass', () => {
  test('construct', () => {
    const c = new MyClass('test');
    expect(c).toBeDefined();
    expect(c.getState()).toEqual('TEST');  // SUCCESS
  });
});


最後に、複数のテストファイルで同じモックを使用する場合は、次のようにします。 user モジュールをモックする にモックを作成することで ./somewhere/__mocks__/FooFactory.ts :

export function foo(arg: string) {
  return 'TEST';
}

...そして jest.mock('./somewhere/FooFactory'); を使用して、テストにモックを使用します。

import { MyClass } from './MyClass';

jest.mock('./somewhere/FooFactory');  // use the mock

describe('test MyClass', () => {
  test('construct', () => {
    const c = new MyClass('test');
    expect(c).toBeDefined();
    expect(c.getState()).toEqual('TEST');  // SUCCESS
  });
});