日日操夜夜添-日日操影院-日日草夜夜操-日日干干-精品一区二区三区波多野结衣-精品一区二区三区高清免费不卡

公告:魔扣目錄網為廣大站長提供免費收錄網站服務,提交前請做好本站友鏈:【 網站目錄:http://www.ylptlb.cn 】, 免友鏈快審服務(50元/站),

點擊這里在線咨詢客服
新站提交
  • 網站:51998
  • 待審:31
  • 小程序:12
  • 文章:1030137
  • 會員:747

使用匹配器

使用不同匹配器可以測試輸入輸出的值是否符合預期。下面介紹一些常見的匹配器。普通匹配器最簡單的測試值的方法就是看是否精確匹配。首先是toBe()

test('two plus two is four', () => {
  expect(2 + 2).toBe(4);
});

toBe用的是JAVAScript中的Object.is(),屬于ES6中的特性,所以不能檢測對象,如果要檢測對象的值的話,需要用到toEqual。toEquel遞歸檢查對象或者數組中的每個字段。

test('object assignment', () => {
  const data = {one: 1};
  data['two'] = 2;
  expect(data).toEqual({one: 1, two: 2});
});

Truthiness

在實際的測試中,我們有時候需要區(qū)分undefined、null和false。以下的一些規(guī)則有助于我們進行。

  • toBeNull只匹配null
  • toBeUndefined只匹配undefined
  • toBeDefine與toBeUndefined相反
  • toBeTruthy匹配任何if語句為真
  • toBeFalsy匹配任何if語句為假

數字匹配器

大多數的比較數字有等價的匹配器。

  • 大于。toBeGreaterThan()
  • 大于或者等于。toBeGreaterThanOrEqual()
  • 小于。toBeLessThan()
  • 小于或等于。toBeLessThanOrEqual()
  • toBe和toEqual同樣適用于數字 注意:對比兩個浮點數是否相等的時候,使用toBeCloseTo而不是toEqual

例子如下:

test('two plus two', () => {
  const value = 2 + 2;
  expect(value).toBeGreaterThan(3);
  expect(value).toBeGreaterThanOrEqual(3.5);
  expect(value).toBeLessThan(5);
  expect(value).toBeLessThanOrEqual(4.5);

  // toBe and toEqual are equivalent for numbers
  expect(value).toBe(4);
  expect(value).toEqual(4);
});
test('兩個浮點數字相加', () => {
  const value = 0.1 + 0.2;
  //expect(value).toBe(0.3);           這句會報錯,因為浮點數有舍入誤差
  expect(value).toBeCloseTo(0.3); // 這句可以運行
});

如果使用toBe就會產生以下結果:

前端測試框架Jest——語法篇

 

字符串

使用toMatch()測試字符串,傳遞的參數是正則表達式。

test('there is no I in team', () => {
  expect('team').not.toMatch(/I/);
});

test('but there is a "stop" in Christoph', () => {
  expect('Christoph').toMatch(/stop/);
});

數組

如何檢測數組中是否包含特定某一項?可以使用toContain()

const shoppingList = [
  'diapers',
  'kleenex',
  'trash bags',
  'paper towels',
  'beer',
];

test('購物清單(shopping list)里面有啤酒(beer)', () => {
  expect(shoppingList).toContain('beer');
});

另外

如果你想在測試特定函數的時候拋出一個錯誤,在它調用的時候可以使用toThrow。

function compileAndroidCode() {
  throw new ConfigError('you are using the wrong JDK');
}

test('compiling android goes as expected', () => {
  expect(compileAndroidCode).toThrow();
  expect(compileAndroidCode).toThrow(ConfigError);

  // You can also use the exact error message or a regexp
  expect(compileAndroidCode).toThrow('you are using the wrong JDK');
  expect(compileAndroidCode).toThrow(/JDK/);
});

測試異步代碼

在實際開發(fā)過程中,我們經常會遇到一些異步的JavaScript代碼。當你有以異步方式運行的代碼的時候,Jest需要知道當前它測試的代碼是否已經完成,然后它可以轉移動另一個測試。也就是說,測試用例一定要在測試對象結束之后才能夠結束

為了達到這一目的,Jest有多種方法可以做到。

回調

最常見的異步模式就是回調函數。

注意:回調函數和異步沒有必然的聯(lián)系,回調只是異步的一種調用方式而已,不要將異步和回調兩個概念結合起來談

比如以下代碼:

// 這里是同步執(zhí)行的,完全沒有異步
function fun1(callback) {
  callback();
}

現在假設一個fetchData(call)函數,獲取一些數據并在完成的時候調用call(data),而我想要測試返回的數據是不是字符串'peanut butter'

默認情況下,一旦到達運行上下文底部,jest測試就會立即結束。這意味著這個測試將不能按照預期的進行。

function fetchData(call) {
  setTimeout(() => {
    call('peanut butter1')
  },1000);
}

test('the data is peanut butter', () => {
  function callback(data) {
    expect(data).toBe('peanut butter'); // 這里沒有執(zhí)行到
    // done()
  }
  fetchData(callback);
});

這樣做是不會報錯的,因為沒有執(zhí)行到我們想要測試的語句中的時候Jest測試已經結束了。(一旦fetchData執(zhí)行結束,此測試就在沒有調用回調函數前結束,因為使用了setTimeout,產生了異步)

而我們可以改成以下: 使用單個參數調用done,而不是將測試放在一個空參數的函數中,Jest會等done回調函數執(zhí)行結束后,結束測試。

function fetchData(call) {
  setTimeout(() => {
    call('peanut butter1')
  },1000);
}

test('the data is peanut butter', (done) => {
  function callback(data) {
    expect(data).toBe('peanut butter');
    done()
  }
  fetchData(callback);
});
前端測試框架Jest——語法篇

 

如果done()永遠不會被調用,則說明這個測試將失敗,這也正是我們所希望看到的。

Promise

如果我們的代碼中使用到了Promises,只需要從你的測試中返回一個Promise,Jest就會等待這個Promise來解決。如果承諾被拒絕,則測試將會自動失敗。

舉個例子,如果fetchData,使用Promise代替回調的話,返回值是應該解析為一個字符串'peanut butter'的Promise。那么我們可以使用以下方式進行測試代碼:

test('the data is peanut butter', () => {
  expect.assertions(1);
  return fetchData().then(data => {
    expect(data).toBe('peanut butter');
  });
});

注意:一定要返回Promise,如果省略了return語句,測試將會在fetchData完成之前完成。

另外一種情況,就是想要Promise被拒絕,我們可以使用.catch方法。另外,要確保添加了expect.assertions來驗證一定數量的斷言被調用。否則一個fulfilled態(tài)的Promise不會讓測試失敗。

test('the fetch fails with an error', () => {
  expect.assertions(1);
  return fetchData().catch(e => expect(e).toMatch('error'));
});

.resolves/.rejects

可以使用./resolves匹配器匹配你的期望的聲明(跟Promise類似),如果想要被拒絕,可以使用.rejects

test('the data is peanut butter', () => {
  expect.assertions(1);
  return expect(fetchData()).resolves.toBe('peanut butter');
});
test('the fetch fails with an error', () => {
  expect.assertions(1);
  return expect(fetchData()).rejects.toMatch('error');
});

Async/Await

若要編寫async測試,只要在函數前面使用async關鍵字傳遞到test。比如,可以用來測試相同的fetchData()方案

test('the data is peanut butter', async () => {
  expect.assertions(1);
  const data = await fetchData();
  expect(data).toBe('peanut butter');
});

test('the fetch fails with an error', async () => {
  expect.assertions(1);
  try {
    await fetchData();
  } catch (e) {
    expect(e).toMatch('error');
  }
});

setup and teardown

寫測試的時候,我們經常需要進行測試之前做一些準備工作,和在進行測試后需要進行一些整理工作。Jest提供輔助函數來處理這個問題。

為多次測試重復設置

如果你有一些要為多次測試重復設置的工作,可以使用beforeEach和afterEach。

有這樣一個需求,需要我們在每個測試之前調用方法initializeCityDatabase(),在每個測試后,調用方法clearCityDatabase()

beforeEach(() => {
  initializeCityDatabase();
});

afterEach(() => {
  clearCityDatabase();
});

test('city database has Vienna', () => {
  expect(isCity('Vienna')).toBeTruthy();
});

test('city database has San Juan', () => {
  expect(isCity('San Juan')).toBeTruthy();
});

一次性設置

在某些情況下,你只需要在文件的開頭做一次設置。這種設置是異步行為的時候,你不太可能一行處理它。Jest提供了beforeAll和afterAll處理這種情況。

beforeAll(() => {
  return initializeCityDatabase();
});

afterAll(() => {
  return clearCityDatabase();
});

test('city database has Vienna', () => {
  expect(isCity('Vienna')).toBeTruthy();
});

test('city database has San Juan', () => {
  expect(isCity('San Juan')).toBeTruthy();
});

作用域

默認情況下,before和after的塊可以應用到文件中的每一個測試。此外可以通過describe塊來將將測試中的某一塊進行分組。當before和after的塊在describe塊內部的時候,則只適用于該describe塊內的測試。

比如說,我們不僅有一個城市的數據庫,還有一個食品數據庫。我們可以為不同的測試做不同的設置︰

// Applies to all tests in this file
beforeEach(() => {
  return initializeCityDatabase();
});

test('city database has Vienna', () => {
  expect(isCity('Vienna')).toBeTruthy();
});

test('city database has San Juan', () => {
  expect(isCity('San Juan')).toBeTruthy();
});

describe('matching cities to foods', () => {
  // Applies only to tests in this describe block
  beforeEach(() => {
    return initializeFoodDatabase();
  });

  test('Vienna <3 sausage', () => {
    expect(isValidCityFoodPair('Vienna', 'Wiener Schnitzel')).toBe(true);
  });

  test('San Juan <3 plantains', () => {
    expect(isValidCityFoodPair('San Juan', 'Mofongo')).toBe(true);
  });
});

注意:頂級的beforeEach描述塊內的beforeEach之前執(zhí)行,以下的例子可以方便我們認識到執(zhí)行的順序

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', () => {
  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'));
});

// 1 - beforeAll
// 1 - beforeEach
// 1 - test
// 1 - afterEach
// 2 - beforeAll
// 1 - beforeEach  //特別注意
// 2 - beforeEach
// 2 - test
// 2 - afterEach
// 1 - afterEach
// 2 - afterAll
// 1 - afterAll

以上內容就是本篇的全部內容以上內容希望對你有幫助,有被幫助到的朋友歡迎點贊,評論。

分享到:
標簽:框架 測試
用戶無頭像

網友整理

注冊時間:

網站:5 個   小程序:0 個  文章:12 篇

  • 51998

    網站

  • 12

    小程序

  • 1030137

    文章

  • 747

    會員

趕快注冊賬號,推廣您的網站吧!
最新入駐小程序

數獨大挑戰(zhàn)2018-06-03

數獨一種數學游戲,玩家需要根據9

答題星2018-06-03

您可以通過答題星輕松地創(chuàng)建試卷

全階人生考試2018-06-03

各種考試題,題庫,初中,高中,大學四六

運動步數有氧達人2018-06-03

記錄運動步數,積累氧氣值。還可偷

每日養(yǎng)生app2018-06-03

每日養(yǎng)生,天天健康

體育訓練成績評定2018-06-03

通用課目體育訓練成績評定