3

我正在使用 angularJS,并且我了解如何使用 karma-jasmine 测试我的 $scope 对象,但是我在测试控制器文件中的常规函数​​和变量时遇到了困难

//controller.js
angular.module('myApp').controller('mainCtrl', function ($scope) {
    $scope.name = "bob";

    var aNumber = 34;

    function myFunction(string){
      return string;
    }
});

我想做的是测试是否期望(aNumber).toBe(34);

// test.js
describe('Controller: mainCtrl', function () {

  // load the controller's module
  beforeEach(module('myApp'));

  var mainCtrl,
    scope;

  // Initialize the controller and a mock scope
  beforeEach(inject(function ($controller, $rootScope) {
    scope = $rootScope.$new();
    mainCtrl = $controller('mainCtrl', {
      $scope: scope
    });
  }));

  // understand this
  it('should expect scope.name to be bob', function(){
   expect(scope.name).toBe('bob');
  });

  // having difficulties testing this
  it('should expect aNumber to be 34', function(){
    expect(aNumber).toBe(34);
  });

  // having difficulties testing this    
  it('should to return a string', function(){
    var mystring = myFunction('this is a string');
    expect(mystring).toBe('this is a string');
  });


}); 
4

1 回答 1

4

看起来您正在尝试测试在角度控制器中声明的私有变量。未通过 $scope 公开的变量无法测试,因为它们是隐藏的,并且仅在控制器内部的函数范围内可见。有关私人成员和隐藏在 javascript 中的信息的更多信息,您可以在此处找到

您应该如何在测试中处理私有字段的方式是通过公开的 api 对其进行测试。如果该变量未在任何公开的公开方法中使用,则意味着它未使用,因此保留并测试它是没有意义的。

于 2014-04-15T01:14:06.487 回答