我偶然发现了一个应该是常见且明显的问题,但我似乎无法绕过它。
我正在开发一个小型原型应用。我的后端开发人员在JSON对象中为我提供了配置文件数据。让我们说,它看起来像这样:
profile = {Name: 'John', Email: 'john@mail.com', DOB: '1980-11-03'}
我需要在多个位置使用这些值,而且我也不想在控制器中放入后端http调用,所以我已经创建了一个服务来处理这个:
angular.module('app', [])
.service('ProfileService', ['$http', function ($http) {
var service = this;
service.Name = null;
service.Email = null;
service.DOB = null;
service.getProfile = function () {
return $http.get('/profile').then(function (response) {
service.Name = response.data.Name;
service.Email = response.data.Email;
service.DOB = response.data.DOB;
return true;
});
};
return service;
}])
.controller('ProfileCtr', ['ProfileService', function (service) {
var vm = this;
service.getProfile().then(function () {
vm.Name = service.Name;
vm.Email = service.Email;
vm.DOB = service.DOB;
});
}]);
此解决方案存在许多问题:
一种解决方案是添加一个间接层并在服务中创建一个对象:
angular.module('app', [])
.service('ProfileService', ['$http', function ($http) {
var service = this;
service.profile = {};
service.getProfile = function () {
return $http.get('/profile').then(function (response) {
for (key in response.data) {
service.profile[key] = response.data[key];
};
return true;
});
};
return service;
}])
.controller('ProfileCtr', ['ProfileService', function (service) {
var vm = this;
service.getProfile().then(function () {
vm.profile = service.profile;
});
}]);
这一般都有效,但现在我的控制器语法很尴尬:
<div ng-controller="ProfileCtr as ctr">
<h1> {{ ctr.profile.Name }}</h1>
<p> Email: {{ ctr.profile.Email }} <br /> DOB: {{ ctr.profile.DOB }}</p>
</div>
我想知道是否有一种方法可以同时提供这两种方法:干净的HTML {{ ctr.Name }}
语法和
干燥的编程风格。
感谢任何提示!
答案 0 :(得分:4)
我有一种感觉,你想要更多,但这对我来说至少是干的:
angular.module('app', [])
.service('ProfileService', ['$http', function ($http) {
var service = this;
service.getProfile = function () {
return $http.get('/profile').then(function (response) {
return response.data;
});
};
return service;
}])
.controller('ProfileCtr', ['ProfileService', function (ProfileService) {
var vm = this;
ProfileService.getProfile().then(function (profile) {
vm.profile= profile;
});
}]);
该服务获取数据。您也可以在此处添加缓存功能。控制器使用该服务来获取数据。没有重复的代码。
我喜欢使用$scope
变量,这将删除单层间接问题。但是,控制器确实具有它的优点,特别是如果您使用嵌套控制器并希望明确您正在使用哪个控制器。版本2中将删除$scope
标识符。
使用html的这一部分而不是控制器的指令应该使代码更容易阅读和重用。建议将其升级到版本2。
然后:
app.directive('isolateScopeWithControllerAs', function () {
var controller = ['ProfileService', function (ProfileService) {
var vm = this;
ProfileService.getProfile().then(function (profile) {
vm.profile= profile;
});
}];
return {
restrict: 'EA', //Default for 1.3+
controller: controller,
controllerAs: 'vm',
bindToController: true, //required in 1.3+ with controllerAs
templateUrl: // path to template
};
});
然后你的HTML仍然给你:
<h1> {{ vm.profile.Name }}</h1>
<p> Email: {{ vm.profile.Email }} <br /> DOB: {{ vm.profile.DOB }}</p>
如果您将指令用于多个对象,ProfileCtr as vm
会更有用。例如,如果您有一个用户指令,那么您可以:
controllerAs: 'user',
user.profile.name
和ng-repeat='friend in user.friends'
等