我对测试还很陌生,所以这个问题是关于最佳实践以及应该如何编写这个测试。我将 Karma 与 Mocha 和 Chai 一起使用来测试 Angular.js 应用程序。
我目前正在测试一个函数,该函数计算以特定顺序排列字母组合的方式数量。它遵循从辅音集或元音集提取字母的模式。
这些是我目前的测试:
describe("should count the number of combinations correctly", function() {
describe("with 2-item arrays", function() {
beforeEach(function(){
scope.vowels = ['a', 'e'];
scope.consonants = ['b', 'c'];
})
it("with 2 letters in pattern", function() {
scope.pattern = 'CV';
expect(scope.combinationCounter()).to.equal(4);
});
it("with 3 letters in pattern", function() {
scope.pattern = 'CVC';
expect(scope.combinationCounter()).to.equal(8);
});
it("with 4 letters in pattern", function() {
scope.pattern = 'CVCV';
expect(scope.combinationCounter()).to.equal(16);
});
});
describe("with 3-item arrays", function() {
beforeEach(function(){
scope.vowels = ['a', 'e', 'i'];
scope.consonants = ['b', 'c', 'd'];
})
it("with 2 letters in pattern", function() {
scope.pattern = 'CV';
expect(scope.combinationCounter()).to.equal(9);
});
it("with 3 letters in pattern", function() {
scope.pattern = 'CVC';
expect(scope.combinationCounter()).to.equal(27);
});
it("with 4 letters in pattern", function() {
scope.pattern = 'CVCV';
expect(scope.combinationCounter()).to.equal(81);
});
});
});
这些测试有效,它们给了我有用的错误消息,但我不禁觉得我在做一些不必要的重复,因为我本质上是在用不同的值执行相同的测试。
有没有办法编写这些测试来维护错误消息结构,但不需要我写出来
it("with x letters in pattern", function() {
scope.pattern = 'whatever';
expect(scope.combinationCounter()).to.equal(y);
});
每一次?
我想在没有大量测试文件的情况下测试大量案例,但要保持错误消息的可读性。
编辑: @Stas 回答的问题
@Stas 给了我正确的答案,那就是使用带有对象的循环来保存不同的测试用例。但是,由于他的答案是用我没有使用的 lodash 编写的,因此我在下面包含了我的最终循环代码以供参考。
scenarios
我在这里循环的对象与@Stas 示例中的对象相同。
for (var x in scenarios) {
var vowels = scenarios[x].arrays.vowels;
var consonants = scenarios[x].arrays.consonants;
var v = vowels;
var c = consonants;
describeStuff();
}
function describeStuff(){
describe("with " + x, function(){
setLetters(v,c);
});
}
function setLetters(vowels, consonants){
describe("("+vowels + ' & ' + consonants + "),", function(){
beforeEach(function(){
scope.vowels = vowels;
scope.consonants = consonants;
});
innerLoop();
});
}
function innerLoop(){
for (var y in scenarios[x].combinations) {
var combinations = scenarios[x].combinations;
var pat = scenarios[x].combinations[y].pattern;
var res = scenarios[x].combinations[y].result;
setResults(pat, res);
}
}
function setResults(p, r){
var pattern = p;
var result = r;
it("with " + p.length + " letters in pattern (" + p + ")", function(){
scope.pattern = pattern;
expect(scope.combinationCounter()).to.equal(result);
});
}
我不得不使用一个由四个相互调用的函数组成的链来编写循环,因为在循环内使用 Mocha 的回调语法for in
只会导致最终的测试用例被保存到函数变量中。在循环外部定义函数,然后在内部调用它们可以解决此问题。