我正在尝试将AngularJs的第一个花絮配置成一个微不足道的东西,但遗憾的是在相当长的时间后它没有成功。
我的前提:
用户从下拉列表中选择一个选项,并将相应的模板加载到选择下方的div中。我已经设置了服务,一个自定义指令(通过@Josh David Miller在这个post上跟随ans,并且有一个控制器。服务中的ajax调用工作正常,除了我传递给的params服务器是硬编码的。我希望这是用户选择的下拉列表中的“密钥”。目前我没有将此代码传递给服务。
我的配置:
var firstModule = angular.module('myNgApp', []);
// service that will request a server for a template
firstModule.factory( 'katTplLoadingService', function ($http) {
return function() {
$http.get("${createLink(controller:'kats', action:'loadBreedInfo')}", {params:{'b1'}}
).success(function(template, status, headers, config){
return template
})
};
});
firstModule.controller('KatController', function($scope, katTplLoadingService) {
$scope.breed = {code:''}
// here I am unsuccessfully trying to set the user selected code to a var in service,
//var objService = new katTplLoadingService();
//objService.breedCode({code: $scope.breed.code});
$scope.loadBreedData = function(){
$scope.template = katTplLoadingService();
}
});
firstModule.directive('showBreed', function ($compile) {
return {
scope: true,
link: function (scope, element, attrs) {
var el;
attrs.$observe( 'template', function (tpl) {
if (angular.isDefined(tpl)) {
el = $compile(tpl)(scope);
element.html("");
element.append(el);
}
});
}
};
})
,HTML设置
<form ng-controller="KatController">
<select name="catBreeds" from="${breedList}" ng-change="loadBreedData()"
ng-model="breed.code" />
<div>
<div show-breed template="{{template}}"></div>
</div>
</form>
我需要$ http ajax调用中当前的硬编码值'b1'作为$ scope.breed.code中的值。
答案 0 :(得分:18)
您的ajax请求是异步的,而您的控制器就像请求同步一样。
我认为get请求具有正确执行所需的一切。
首先将回调传递给您的服务(注意fn的用法):
firstModule.factory( 'katTplLoadingService', function ($http) {
return {
fn: function(code, callback) { //note the callback argument
$http.get("${createLink(controller:'kats', action:'loadBreedInfo')}",
params:{code: code}}) //place your code argument here
.success(function (template, status, headers, config) {
callback(template); //pass the result to your callback
});
};
};
});
在您的控制器中:
$scope.loadBreedData = function() {
katTplLoadingService.fn($scope.breed.code, function(tmpl) { //note the tmpl argument
$scope.template = tmpl;
});
}
这样做,您的代码现在正在处理您的异步获取请求。
我没有测试它,但它必须完成这项工作。
答案 1 :(得分:0)
我认为你没有以正确的方式定义factory
。试试这个:
firstModule.factory('katTplLoadingService', ['$resource', '$q', function ($resource, $q) {
var factory = {
query: function (selectedSubject) {
$http.get("${createLink(controller:'kats', action:'loadBreedInfo')}", {
params: {
'b1'
}
}).success(function (template, status, headers, config) {
return template;
})
}
}
return factory;
}]);
firstModule.controller('KatController', function($scope, katTplLoadingService) {
$scope.breed = {code:''}
$scope.loadBreedData = function(){
$scope.template = katTplLoadingService.query({code: $scope.breed.code});
}
});