我的html代码中有两个不同的div标签引用AngularJS中的同一个控制器。我怀疑是因为这些div不是嵌套的,所以每个div都有自己的控制器实例,因此两者的数据都不同。
<div ng-controller="AlertCtrl">
<ul>
<li ng-repeat="alert in alerts">
<div class="span4">{{alert.msg}}</div>
</li>
</ul>
</div>
<div ng-controller="AlertCtrl">
<form ng-submit="addAlert()">
<button type="submit" class="btn">Add Alert</button>
</form>
</div>
我知道这可以通过在第一个div中包含按钮轻松修复,但我觉得这是一个非常简洁的例子来传达我想要实现的目标。如果我们按下按钮并将另一个对象添加到我们的警报数组中,则更改将不会反映在第一个div中。
function AlertCtrl($scope) {
$scope.alerts = [{
type: 'error',
msg: 'Oh snap! Change a few things up and try submitting again.'
}, {
type: 'success',
msg: 'Well done! You successfully read this important alert message.'
}];
$scope.addAlert = function() {
$scope.alerts.push({
type: 'sucess',
msg: "Another alert!"
});
};
}
答案 0 :(得分:17)
这是一个非常常见的问题。似乎最好的方法是创建一个服务/值并在那之间共享。
mod.service('yourService', function() {
this.sharedInfo= 'default value';
});
function AlertCtrl($scope, yourService) {
$scope.changeSomething = function() {
yourService.sharedInfo = 'another value from one of the controllers';
}
$scope.getValue = function() {
return yourService.sharedInfo;
}
}
<div ng-controller="AlertCtrl">{{getValue()}}</div>
<div ng-controller="AlertCtrl">{{getValue()}}</div>
答案 1 :(得分:1)
如果我正确理解了这个问题,你想用同一个控制器同步两个html区域,保持数据同步。
因为这些div没有嵌套,所以每个div都有自己的控制器实例,因此两者的数据都不同
如果您使用相同的别名声明控制器(我使用更多的临时角度版本),则不是这样:
<div ng-controller="AlertCtrl as instance">
{{instance.someVar}}
</div>
<div ng-controller="AlertCtrl as instance">
{{instance.someVar}} (this will be the same as above)
</div>
但是,如果你希望他们彼此不同并相互交流,你必须声明不同的别名:
<div ng-controller="AlertCtrl as instance1">
{{instance1.someVar}}
</div>
<div ng-controller="AlertCtrl as instance2">
{{instance2.someVar}} (this will not necessarily be the same as above)
</div>
然后你可以使用服务或广播在它们之间进行交流(第二种应该避免,很难)。