我正在编写以下指令:
.directive('mypagination', function () {
return {
restrict: 'E',
scope: {
pageCount: "=",
},
template: "{{pageCount}}",
link: function ($scope, $element, $attrs) {
$scope.pages = [];
for (var i = 1; i <= $scope.pageCount; i++) {
$scope.pages.push(i);
}
}
}
})
我的问题是$scope.pageCount
循环中的for
设置为0,但模板中的{{pageCount}}
正在呈现正确的值。
在HTML中,指令的调用如下:
<mypagination page-count="mjaController.pages.length"
on-page-change="mjaController.fetchStuff(page)">
</mypagination>
为什么pageCount
函数中link
的值为0,但在页面上正确呈现?
答案 0 :(得分:3)
当link
函数执行时,pageCount
可以是0
,因为它绑定到mjaController.pages.length
属性,我猜这是从API中检索到的async
属性{ {1}}致电。在mjaController.pages
填充一些数据后,pageCount
将设置为其长度,并通过template
周期显示在$digest
上,但link
函数将不会执行再次。为了使其按预期工作,请执行以下操作
.directive('mypagination', function () {
return {
restrict: 'E',
scope: {
pageCount: "=",
},
template: "{{ pages()|json }}",
link: function ($scope, $element, $attrs) {
$scope.pages = function () {
var pages = [];
for (var i = 1; i <= $scope.pageCount; i++) {
pages.push(i);
}
return pages;
}
}
}
})
在method
中添加$scope
并在模板中使用其返回值。
答案 1 :(得分:0)
使用$watch
等待数据从服务器到达:
.directive('mypagination', function () {
return {
restrict: 'E',
scope: {
pageCount: "<",
onPageChange: "&"
},
template: "{{pageCount}}",
link: function (scope, elem, attrs) {
scope.$watch("pageCount", function(newValue) {
if(newValue)
scope.pages = [];
for (var i = 1; i <= newValue; i++) {
scope.pages.push(i);
}
}
});
}
}
})
通常,这种类型的数据操作应该在指令的控制器中完成,以利用life-cycle hooks,例如$onChanges
。有关更多信息,请参阅AngularJS Developer Guide - Component-based Application Architecture。