我正在从这个article学习TDD,作者谈论了Mocha的beforeEach
将如何在为您声明每个断言之前运行代码。但是我不明白为什么只需在describe范围内运行代码就需要这样做。
describe('Test suite for UserComponent', () => {
beforeEach(() => {
// Prevent duplication
wrapper = shallow(<UserComponent
name={ 'Reign' }
age={ 26 } />);
});
it('UserComponent should exist', () => {
expect(wrapper).to.exist;
});
it('Correctly displays the user name and age in paragraphs wrapped under a parent div', () => {
expect(wrapper.type()).to.equal('div');
// more code...
});
});
但是不使用
beforeEach
仍然可以工作-describe('Test suite for UserComponent', () => {
wrapper = shallow(<UserComponent
name={ 'Reign' }
age={ 26 } />);
it('UserComponent should exist', () => {
expect(wrapper).to.exist;
});
it('Correctly displays the user name and age in paragraphs wrapped under a parent div', () => {
expect(wrapper.type()).to.equal('div');
// more code...
});
});
最佳答案
beforeEach
在每次测试之前执行。当代码从beforeEach
移到直接传递给describe
的函数内部时,此迭代丢失。但是,还不是全部。
在某些情况下,直接在传递给describe
的函数内部执行的代码可以执行与beforeEach
挂钩相同的任务。 例如,如果其功能是初始化describe
块中测试本地的只读结构,则可以跳过beforeEach
挂钩。
但是,Mocha立即执行传递给describe
调用的所有回调,而beforeEach
调用将注册传递给它的函数以供将来执行,并且仅在需要时才执行。如果初始化开销很大,最好使用beforeEach
挂钩,因为如果您使用--grep
仅选择某些测试,或者使用it.only
运行单个测试,则Mocha仅在与该测试有关的情况下才会运行该挂钩。实际运行。 如果describe
中包含初始化代码,则Mocha无法跳过它,因此您每次都要支付初始化费用。 但是,如果您将使用挂钩并且数据是不可变的,那么before
比beforeEach
更好,因为它只会运行一次,而不是在每次测试之前运行。
在某些情况下,直接在传递给describe
的函数中直接运行代码根本无法工作。 在下面想象一下,sharedResource
是所有测试都需要使用的资源。例如,它可能是带有状态的第三方库。一些测试需要将其设置为特定状态。其他测试需要它处于不同的状态。这不起作用:
"use strict";
const assert = require('assert');
let sharedResource;
describe("in condition a", () => {
sharedResource = true;
it("sharedResource is true", () => assert(sharedResource));
});
describe("in condition b", () => {
sharedResource = false;
it("sharedResource is false", () => assert(!sharedResource));
});
第一次测试将失败,因为关键语句的执行顺序为:
sharedResource = true;
sharedResource = false;
assert(sharedResource);
assert(!sharedResource);
使用
beforeEach
可以轻松解决此问题。运行良好:"use strict";
const assert = require('assert');
let sharedResource;
describe("in condition a", () => {
beforeEach(() => {
sharedResource = true;
});
it("sharedResource is true", () => assert(sharedResource));
});
describe("in condition b", () => {
beforeEach(() => {
sharedResource = false;
});
it("sharedResource is false", () => assert(!sharedResource));
});
关于javascript - 只需在#describe范围内运行代码,Mocha的#beforeEach的目的是什么?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40125947/