TypeScript x Jest 单测实践

错误发现得越早,改正错误的成本越低,正确改正错误的可能性也越大。 —— 《软件测试的艺术》

基础配置

yarn add --dev jest typescript ts-jest @types/jest

基本用法

代码:

export function sum(a: number, b: number) {
  return a + b;
}

单个用例

// single test
test('1+2=3', () => {
  let num = sum(1, 2);
  expect(num).toEqual(3);
});

yarn jest运行结果:

 PASS  src/__tests__/math.test.ts
  ✓ 1+2=3 (3 ms)

多个用例组合:describe + test

// multiple tests
describe('sum', () => {
  test('1+2=3', () => {
    let num = sum(1, 2);
    expect(num).toEqual(3);
  });
  test('11+12=23', () => {
    let num = sum(11, 12);
    expect(num).toEqual(23);
  });
});

yarn jest运行结果:

 PASS  src/__tests__/math.test.ts
  sum
    ✓ 1+2=3 (2 ms)
    ✓ 11+12=23

用例运行前后 hook 设置:Setup and Teardown

hooks:

  • beforeEach
  • afterEach
  • beforeAll
  • afterAll

作用域:文件或 describe 内

执行顺序:用例+hooks 组合场景

  • 按文件顺序执行 describe 内同步代码
  • 按文件顺序执行执行 test 单测:

    • beforeAll(作用域内执行一次)
    • beforeEach
    • test 单测
    • afterEach
    • afterAll(作用域内执行一次)

示例:order-of-exec.test.ts

beforeAll(() => console.log('1 - beforeAll'));
afterAll(() => console.log('1 - afterAll'));
beforeEach(() => console.log('1 - beforeEach'));
afterEach(() => console.log('1 - afterEach'));

test('', () => console.log('1 - test'));

describe('Scoped / Nested block', () => {
  console.log('describe----------');
  beforeAll(() => console.log('2 -- beforeAll'));
  afterAll(() => console.log('2 -- afterAll'));
  beforeEach(() => console.log('2 -- beforeEach'));
  afterEach(() => console.log('2 -- afterEach'));

  test('', () => console.log('2 -- test'));
});


// 执行结果:
// describe----------
// 1 - beforeAll
// 1 - beforeEach
// 1 - test
// 1 - afterEach
// 2 - beforeAll
// 1 - beforeEach
// 2 - beforeEach
// 2 - test
// 2 - afterEach
// 1 - afterEach
// 2 - afterAll
// 1 - afterAll

建议:do setup and teardown inside before* and after* handlers rather than inside the describe blocks.

skip and only

一般用于验证和调试

skip:

describe('skip', () => {
  test('should be ok', () => {
    expect(3).toEqual(3);
  });
  // skip 的会被跳过
  test.skip('skip', () => {
    expect(3).toEqual(3);
  });
});

执行结果:

 PASS  src/__tests__/skip.test.ts
  skip
    ✓ should be ok (2 ms)
    ○ skipped skip

only:

describe('only', () => {
  // 只有 only 的会执行
  test.only('should be ok', () => {
    expect(3).toEqual(3);
  });
  test('skip', () => {
    expect(3).toEqual(3);
  });
});

执行结果:

 PASS  src/__tests__/only.test.ts
  only
    ✓ should be ok (2 ms)
    ○ skipped skip

进阶用法

异步

async function getDataByAsync() {
  await new Promise((res) => setTimeout(res, 1 * 100));
  return 3;
}

describe('getDataByAsync', () => {
  // test 的 fn 参数传入一个 异步函数, hooks 也能这么用
  test('data should be 3', async () => {
    let data = await getDataByAsync(); // 记得 await
    expect(data).toEqual(3);
  });
});

Error

同步方法

function funcThantThrowError() {
  throw new Error('something wrong');
}

test('funcThantThrowError', () => {
  // 参数为函数名
  expect(funcThantThrowError).toThrow('something wrong');
  // 带参数的写法: 若 funcThantThrowError 带参数
  expect(() => funcThantThrowError(1,2,3)).toThrow('something wrong');
});

异步方法

async function funcThantThrowErrorByAsync() {
  await new Promise((res) => setTimeout(res, 1 * 100));
  throw new Error('something wrong by async');
}

// method 1
test('test funcThantThrowErrorByAsync with try catch', async () => {
  try {
    await funcThantThrowErrorByAsync();
  } catch (error) {
    expect(error).toEqual(new Error('something wrong by async'));
  }
});

// method 2
test('test funcThantThrowErrorByAsync with rejects', async () => {
  await expect(funcThantThrowErrorByAsync).rejects.toThrow(
    'something wrong by async'
  );
});

Mock

函数

function forEach(n: number, callback: Function) {
  for (let index = 0; index < n; index++) {
    callback(index);
  }
}
test('forEach', () => {
  const mockCallback = jest.fn((x) => 42 + x);
  forEach(2, mockCallback);

  // The mock function is called twice
  expect(mockCallback.mock.calls.length).toBe(2);

  // The first argument of the first call to the function was 0
  expect(mockCallback.mock.calls[0][0]).toBe(0);

  // The first argument of the second call to the function was 1
  expect(mockCallback.mock.calls[1][0]).toBe(1);

  // The return value of the first call to the function was 42
  expect(mockCallback.mock.results[0].value).toBe(42);

  // The return value of the second call to the function was 43
  expect(mockCallback.mock.results[1].value).toBe(43);
});

参考:https://jestjs.io/docs/mock-function-api

类中的方法

使用spyOn

class DataProvider {
  getDataById(id: string) {
    return `mock data ${id}`;
  }
}

function getData(id: string) {
  let provider = new DataProvider();
  return provider.getDataById(id);
}

describe('getData', () => {
  test('should pass', () => {
    // mock DataProvider 的 getDataById 方法
    const spy = jest
      .spyOn(DataProvider.prototype, 'getDataById')
      .mockImplementation((id: string): string => {
        return `spy mock data ${id}`;
      });

    let data = getData('11');
    expect(data).toBe('spy mock data 11');

    // 清除 mock,否则 下个用例会失败,一般清理操作会放到 hook 中
    spy.mockRestore();
  });
  test('should fail if spy is enabled', () => {
    let data = getData('11');
    expect(data).toBe('mock data 11');
  });
});

普通模块

src/async-data-provider.ts:

export async function getDataByAsync() {
  await new Promise((res) => setTimeout(res, 1 * 100));
  return 3;
}

export async function getDataById(id: string) {
  await new Promise((res) => setTimeout(res, 1 * 100));
  return `mock data ${id}`;
}

方法1:参考「类中的方法」的 spyOn

import * as provider from '../async-data-provider';

test('getDataById', async () => {
  const spy = jest
    .spyOn(provider, 'getDataById')
    .mockImplementation(async (id: string) => {
      return `spy mock data ${id}`;
    });

  let data = await provider.getDataById('11');
  expect(data).toBe('spy mock data 11');

  spy.mockRestore();
});

方义2:

mock 文件:src/__mocks__/async-data-provider.ts

export async function getDataById(id: string) {
  await new Promise((res) => setTimeout(res, 1 * 100));
  return `mock mock data ${id}`;
}

测试文件:src/__tests__/mock-module-with-mock.test.ts

import * as provider from '../async-data-provider';

jest.mock('../async-data-provider');

test('getDataById', async () => {
  let data = await provider.getDataById('11');
  expect(data).toBe('mock mock data 11');
});

node_modules 中的模块

  • 需要在 jest 配置中的roots目录下,创建__mocks__文件夹
  • 模块命名规则:__mocks__/@scope/project-name.ts

Mock 文件:src/__mocks__/lodash.ts

function nth<T>(items: T[], n: number) {
  console.log('mock lodash-----');
  return items[n];
}
let _ = { nth };
export default _;

测试文件:src/__tests__/mock-npm-module.test.ts

import _ from 'lodash';

test('mock nth', async () => {
  let items = [0, 1, 2];
  let n = _.nth(items, 2);
  expect(n).toBe(2);
});

执行结果:

    mock lodash-----
 PASS  src/__tests__/mock-npm-module.test.ts
  ✓ mock nth (19 ms)

其它:mock 万物

Todo: mysql,mongodb,redis,mq...

jest.requireActual

其他

覆盖率

细化统计

命令:yarn jest --coverage --silent

------------------------|---------|----------|---------|---------|-------------------
File                    | % Stmts | % Branch | % Funcs | % Lines | Uncovered Line #s 
------------------------|---------|----------|---------|---------|-------------------
All files               |      25 |      100 |       0 |   33.33 |                   
 async-data-provider.ts |      25 |      100 |       0 |   33.33 | 2-3               
------------------------|---------|----------|---------|---------|-------------------

汇总统计

命令:yarn jest --coverage --silent --coverageReporters="text-summary"

=============================== Coverage summary ===============================
Statements   : 25% ( 1/4 )
Branches     : 100% ( 0/0 )
Functions    : 0% ( 0/2 )
Lines        : 33.33% ( 1/3 )
================================================================================

expect 源码

jest/packages/expect/src/index.ts:

export const expect: Expect = (actual: any, ...rest: Array<any>) => {
  if (rest.length !== 0) {
    throw new Error('Expect takes at most one argument.');
  }

  const allMatchers = getMatchers();
  const expectation: any = {
    not: {},
    rejects: {not: {}},
    resolves: {not: {}},
  };

  const err = new JestAssertionError();

  Object.keys(allMatchers).forEach(name => {
    const matcher = allMatchers[name];
    const promiseMatcher = getPromiseMatcher(name, matcher) || matcher;
    expectation[name] = makeThrowingMatcher(matcher, false, '', actual);
    expectation.not[name] = makeThrowingMatcher(matcher, true, '', actual);

    expectation.resolves[name] = makeResolveMatcher(
      name,
      promiseMatcher,
      false,
      actual,
      err,
    );
    expectation.resolves.not[name] = makeResolveMatcher(
      name,
      promiseMatcher,
      true,
      actual,
      err,
    );

    expectation.rejects[name] = makeRejectMatcher(
      name,
      promiseMatcher,
      false,
      actual,
      err,
    );
    expectation.rejects.not[name] = makeRejectMatcher(
      name,
      promiseMatcher,
      true,
      actual,
      err,
    );
  });

  return expectation;
};

参考

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,324评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,303评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,192评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,555评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,569评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,566评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,927评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,583评论 0 257
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,827评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,590评论 2 320
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,669评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,365评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,941评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,928评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,159评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,880评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,399评论 2 342

推荐阅读更多精彩内容