在Jasmine中生成测试

时间:2015-09-04 12:00:24

标签: javascript jasmine

我正在使用Jasmine测试一些JavaScript。这时,我的一个套房看起来像这样:

var library = require('../library');

describe('My App -', function() {
   afterEach(function(done) {
      // some clean up code goes here
      library.cleanUp(done);
      done();       
   });

   describe('Test Operation 1 -', function() {
      beforeEach(function(done) {
         library.init(done);
      });

      it('should load fine', function() {
        if (library) {
          expect(true).toBe(true);
        } else {
          expect(false).toBe(true);
        }
      });

      var parameters = [1, 8.24, -1];
      var results = [5, 4, 0];

      // [TODO]: Create tests here
   });   
});

我有没有办法从我的parametersresults数组生成规范?换句话说,在运行时,我基本上想要动态运行:

it('should be 5 when parameter is 1', function(done)) {
  var result = library.calculate(1);
  expect(result).toBe(5);
  done();
});

it('should be 4 when parameter is 8.24', function(done) {
  var result = library.calculate(8.24);
  expect(result).toBe(4);
  done();
});

it('should be 0 when parameter is -1', function(done) {
  var result = library.calculate(-1);
  expect(result).toBe(0);
  done();
});

我不想要以下内容:

it('should test the parameters', function() {
  for (var i=0; i<parameters.length; i++) {
    var result = library.calculate(parameters[i]);
    expect(results[i]).toBe(result);
  }
});

我试图弄清楚如何在运行时动态生成一些测试。

谢谢!

1 个答案:

答案 0 :(得分:8)

基于@Michael Radionov的评论,您可以使用for循环动态生成测试用例。下面提供了动态测试用例生成的示例代码:

describe("Generating Tests with Jasmine",function(){
        //var parameters = [1, 8.24, -1];
        //var results = [5, 4, 0];

        var tests = [
            {parameter: 1,       result: 5},
            {parameter: 8.24,    result: 4},
            {parameter: -1, result: 0}
        ];

        tests.forEach(function(test) {
            it('should be ' + test.result + ' when parameter is '+test.parameter, function(done) {
                var result = library.calculate(test.parameter);
                expect(result).toBe(test.result);
                done();
            });
        });

    });