如何使用Mocha创建参数化测试?
示例用例:我有10个类,它们是同一个接口的10个不同的实现。我想为每个班级运行完全相同的测试。我可以创建一个函数,它将类作为参数并运行该类的所有测试,但随后我将在单个函数中进行所有测试 - 我将无法将它们很好地分离到不同的“describe”子句。 ..
在摩卡有自然的方法吗?
答案 0 :(得分:25)
您不需要async
个包裹。您可以直接使用forEach循环:
[1,2,3].forEach(function (itemNumber) {
describe("Test # " + itemNumber, function () {
it("should be a number", function (done) {
expect(itemNumber).to.be.a('number')
expect(itemNumber).to.be(itemNumber)
});
});
});
答案 1 :(得分:10)
看看async.each。它应该使您能够调用相同的describe,it和expect / should语句,并且可以将参数传递给闭包。
var async = require('async')
var expect = require('expect.js')
async.each([1,2,3], function(itemNumber, callback) {
describe('Test # ' + itemNumber, function () {
it("should be a number", function (done) {
expect(itemNumber).to.be.a('number')
expect(itemNumber).to.be(itemNumber)
done()
});
});
callback()
});
给了我:
$ mocha test.js -R spec
Test # 1
✓ should be a number
Test # 2
✓ should be a number
Test # 3
✓ should be a number
3 tests complete (19 ms)
这是一个更复杂的例子,结合了async.series和async.parallel:Node.js Mocha async test doesn't return from callbacks
答案 2 :(得分:9)
我知道这是在不久前发布的,但现在有一个节点模块让这真的很容易!! mocha param
const itParam = require('mocha-param').itParam;
const myData = [{ name: 'rob', age: 23 }, { name: 'sally', age: 29 }];
describe('test with array of data', () => {
itParam("test each person object in the array", myData, (person) => {
expect(person.age).to.be.greaterThan(20);
})
})
答案 3 :(得分:0)
实际上,mocha文档指定了如何创建所需的内容here
describe('add()', function() {
var tests = [
{args: [1, 2], expected: 3},
{args: [1, 2, 3], expected: 6},
{args: [1, 2, 3, 4], expected: 10}
];
tests.forEach(function(test) {
it('correctly adds ' + test.args.length + ' args', function() {
var res = add.apply(null, test.args);
assert.equal(res, test.expected);
});
});
});
所以雅各布提供的答案是正确的,只是您需要在迭代之前定义变量fir。