我目前有一个AngularJS controller
,它基本上通过JSON
调用异步获得一些$http.get()
,然后将获得的数据链接到某个范围变量。
controller
代码的恢复版本:
mapsControllers.controller('interactionsController', ['$http', function($http) {
var ctrlModel = this;
$http.get("data/interactionsPages.json").
success(function(data) {
ctrlModel.sidebar = {};
ctrlModel.sidebar.pages = data;
}).
error(function() {...});
}]);
然后,我有一个自定义directive
,它通过HTML
元素接收相同的范围变量。
directive
代码的恢复版本:
mapsDirectives.directive('sidebar', function() {
return {
restrict : 'E',
scope : {
pages : '@'
},
controller : function($scope) {
$scope.firstPage = 0;
$scope.lastPage = $scope.pages.length - 1;
$scope.activePage = 0;
//...
},
link : function(scope) {
console.log(scope.pages);
},
templateURL : 'sidebar.html'
}
});
HTML
的恢复版本:
<body>
<div ng-controller='interactionsController as interactionsCtrl'>
<mm-sidebar pages='{{interactionsCtrl.ctrlModel.sidebar.pages}}'>
</mm-sidebar>
</div>
</body>
问题是,由于$http.get()
是异步的,因此指令被初始化很严重(例如:$scope.pages.length - 1
未定义)。
我找不到任何可以解决这个问题的方法,虽然有一些解决方案可以解决这个问题。也就是说,我试图观察变量,只在检测到变化后初始化变量,正如许多其他帖子所建议的那样。为了测试,我使用了类似的东西:
//... inside the directive's return{ }
link: function() {
scope.$watch('pages', function(pages){
if(pages)
console.log(pages);
});
}
我已经测试过了,并且$ watch函数没有被多次调用(记录的值为undefined
),我认为这意味着它没有检测到变量值的变化。但是,我确认价值正在改变。
那么,这里有什么问题?
答案 0 :(得分:2)
在控制器中移动sidebar
对象的声明,并将范围绑定更改为=
。
mapsDirectives.controller("interactionsController", ["$http", "$timeout",
function($http, $timeout) {
var ctrlModel = this;
ctrlModel.sidebar = {
pages: []
};
/*
$http.get("data/interactionsPages.json").
success(function(data) {
//ctrlModel.sidebar = {};
ctrlModel.sidebar.pages = data;
}).
error(function() {});
*/
$timeout(function() {
//ctrlModel.sidebar = {};
ctrlModel.sidebar.pages = ["one", "two"];
}, 2000);
}
]);
mapsDirectives.directive('mmSidebar', [function() {
return {
restrict: 'E',
scope: {
pages: '='
},
controller: function() {},
link: function(scope, element, attrs, ctrl) {
scope.$watch("pages", function(val) {
scope.firstPage = 0;
scope.lastPage = scope.pages.length - 1;
scope.activePage = 0;
});
},
templateUrl: 'sidebar.html'
};
}]);
然后匹配指令名称并删除大括号。
<mm-sidebar pages='interactionsCtrl.sidebar.pages'>
</mm-sidebar>
以下是一个有效的例子:http://plnkr.co/edit/VP79w4vL5xiifEWqAUGI
答案 1 :(得分:1)
问题似乎是你的HTML标记。
在您的控制器中,您指定ctrlModel
等于this
。
在您的html标记中,您已声明相同的this
被命名为interactionsController
因此,ctrlModel
到interactionsController
的标记不正确。
<body>
<div ng-controller='interactionsController as interactionsCtrl'>
<!-- remove this -->
<mm-sidebar pages='{{interactionsCtrl.ctrlModel.sidebar.pages}}'>
<!-- replace with this -->
<mm-sidebar pages='{{interactionsCtrl.sidebar.pages}}'>
</mm-sidebar>
</div>
</body>