我正在为我的DetailCtrl编写一个茉莉花测试。我有10个json文件,每个文件都有这样的文件名
1.json 2.json 3.json
在我的数据文件夹中
这是我的详细信息Ctrl
backpagecontrollers.controller('DetailCtrl', function($scope, $stateParams, $http) { $http.get('data/' + $stateParams.listingId + '.json').success(function(data) { $scope.extrainfo = data; }); });
detail控制器正在从我的数据文件夹中提取每个1.json,2.json,3.json文件。
这是我路线的一部分
.state('listingdetail', { url: "/listings/:listingId", templateUrl: "partials/detail.html", controller: 'DetailCtrl' })
让我们回到测试中,我将$stateParams和都$state注入了测试。
$stateParams
$state
我想测试每个json文件上面的图像存在于我的json文件中。我正在设置httpbackend,以获取本地主机url以及$stateparams我从中配置为路由的一部分的listingId,但是listingId返回的是undefined。我是否应该向测试中注入其他内容?
$stateparams
listingId
describe('Detail Ctrl', function() { var scope, ctrl, httpBackend, stateparams, listingId; beforeEach(angular.mock.module("backpageApp")); beforeEach(angular.mock.inject(function($controller, $rootScope, _$httpBackend_, $stateParams, $state) { httpBackend = _$httpBackend_; stateparams = $stateParams; listingId = stateparams.listingId; httpBackend.expectGET('http://localhost:8000/#/listings/' + listingId).respond([{id: 1 }, {id: 2}, {id:3}, {id:4}, {id:5}, {id:6}, {id:7}, {id:8}, {id:9}, {id:10}]); scope = $rootScope.$new(); ctrl = $controller("DetailCtrl", {$scope:scope}); })); it('the images for each listing should exist', function() { httpBackend.flush(); expect(scope.images).toBe(true) }); });
我收到这个错误
Error: Unexpected request: GET data/undefined.json Expected GET http://localhost:8000/#/listings/undefined
我认为您可能会误解路由器如何与控制器一起使用。在对控制器进行单元测试时,您没有在执行路由或进入ui- router状态。这些状态和路由是应用程序正常运行时要执行的触发控制器。但是在单元测试中,您将使用$ controller显式执行控制器。因此,您将完全跳过路由部分。这意味着您需要模拟ui路由器通常为您创建的对象$ stateparams。
describe('Detail Ctrl', function() { var scope, ctrl, httpBackend, stateparams, listingId; beforeEach(angular.mock.module("backpageApp")); //don't need to inject state or stateparams here beforeEach(angular.mock.inject(function($controller, $rootScope, _$httpBackend_) { httpBackend = _$httpBackend_; stateparams = { listingId: 1 }; //mock your stateparams object with your id //you should be expecting the get request url from the controller, not the route httpBackend.expectGET('data/' + stateparams.listingId + '.json').respond([{id: 1 }, {id: 2}, {id:3}, {id:4}, {id:5}, {id:6}, {id:7}, {id:8}, {id:9}, {id:10}]); scope = $rootScope.$new(); //pass your mock stateparams object to the controller ctrl = $controller("DetailCtrl", {$scope:scope, $stateParams:stateparams}); })); it('the images for each listing should exist', function() { httpBackend.flush(); //I don't see images set in your controller, but you //could check scope.extrainfo here expect(scope.images).toBe(true) }); });