1

尝试测试返回$httpGET 请求和then处理程序的角度服务,但我无法测试逻辑是否在then函数内部实际工作。这是服务代码的基本截断版本:

angular.module('app').factory('User', function ($http) {
  var User = {};

  User.get = function(id) {
    return $http.get('/api/users/' + id).then(function (response) {
      var user = response.data;
      user.customProperty = true;  
      return user;
    });
  };

  return User;
});

这是测试:

beforeEach(module('app'));
beforeEach(inject(function(_User_, _$q_, _$httpBackend_, _$rootScope_) {
  $q = _$q_;
  User = _User_;
  $httpBackend = _$httpBackend_;
  $scope = _$rootScope_.$new();
}));

afterEach(function () {
  $httpBackend.verifyNoOutstandingRequest();
  $httpBackend.verifyNoOutstandingExpectation();
});

describe('User factory', function () {

  it('gets a user and updates customProperty', function () {
    $httpBackend.expectGET('/api/users/123').respond({ id: 123 });
    User.get(123).then(function (user) {
      expect(user.customProperty).toBe(true);  // this never runs
    });

    $httpBackend.flush();
  });

});

我觉得我已经尝试了几乎所有方法来测试then通话中的逻辑,所以如果有人可以提供建议,我将不胜感激。

编辑:我的问题也是由于非标准的注射做法,所以下面的答案在此之外起作用。

4

1 回答 1

4

有几件事需要改变

  • 使用whenGET而不是expectGET为了伪造响应
  • 在测试then回调中,将响应设置为回调外部可用的变量,以便您可以在expect调用中对其进行测试
  • 确保expect调用在任何回调之外,因此它始终运行并显示任何失败。

把它们放在一起:

it('gets a user and updates customProperty', function () {
  $httpBackend.whenGET('/api/users/123').respond({ id: 123 });
  User.get(123).then(function(response) {
    user = response;
  })
  $httpBackend.flush();
  expect(user.customProperty).toBe(true); 
});

可以在http://plnkr.co/edit/9zON7ALKnrKpcOVrBupQ?p=preview看到

于 2014-08-04T20:30:01.053 回答