在AngularJS应用程序中,我有一个父指令和一个子指令。
angular
.module('myApp')
.directive('customForm', function(customService, apiV1, Constants, $timeout) {
return {
restrict: 'E',
scope: {
param1: '=',
param2: '=?',
boolean1: '@?'
},
template,
link: function(scope, parentController) {
scope.data = customService.newClient;
//some stuff...
angular
.module('myApp')
.directive('customToolForm', function () {
return {
restrict: 'E',
scope: {
name: '=',
city: '=',
postalCode: '='
},
template,
controller: function ($scope, $rootScope, Constants, apiV1, customService) {
$scope.doSomethingWithPostalCode = function() {
$scope.$parent.doSomethingWithPostalCode();
}
//some stuff...
<address-client-creation name="data.client.name" city="data.client.city"
postal-code="data.client.postalCode">
</address-client-creation>
<input maxlength="5" type="text" data-ng-model="postalCode"
data-ng-change="doSomethingWithPostalCode();">
我的问题是:
从childDirective触发方法doSomethingWithPostalCode
时,子代中postalCode的值与父代的client.postalCode不同,但在方法末尾是。
似乎在函数调用后发生了更新父值的双向绑定事件
所以我的问题是,在调用方法之前,确保$ parent范围被更新的最佳方法是什么?
答案 0 :(得分:1)
AngularJS框架通过向子作用域添加观察者来实现双向(emulator64-crash-service
)绑定,该观察者将数据从子作用域传输到父作用域。观察者需要一个摘要周期来检测更改并进行传输。
一种更现代的方法是对输入使用单向('='
)绑定,对输出使用表达("<"
)绑定:
"&"
用法:
app.directive('customToolForm', function () {
return {
restrict: 'E',
scope: {
name: '<',
city: '<',
̶p̶o̶s̶t̶a̶l̶C̶o̶d̶e̶:̶ ̶'̶=̶'̶
postalCode: '<',
postalCodeChange: '&',
},
template: `
<input maxlength="5" type="text" data-ng-model="postalCode"
data-ng-change="doSomethingWithPostalCode(postalCode);">
`,
controller: function ($scope, $rootScope, Constants, apiV1, customService) {
$scope.doSomethingWithPostalCode = function(postalCode) {
̶$̶s̶c̶o̶p̶e̶.̶$̶p̶a̶r̶e̶n̶t̶.̶d̶o̶S̶o̶m̶e̶t̶h̶i̶n̶g̶W̶i̶t̶h̶P̶o̶s̶t̶a̶l̶C̶o̶d̶e̶(̶)̶;̶
$scope.postalCodeChange({$event: postalCode});
}
//some stuff...
使用表达式(<custom-form-tool
name="data.client.name" city="data.client.city"
postal-code="data.client.postalCode"
postal-code-change="data.client.postalCode=$event; doSomething($event)"
>
</custom-form-tool>
)绑定可立即使事件数据可用于父控制器。
这也使向Angular 2+的迁移路径更加容易。
有关更多信息,请参见
答案 1 :(得分:0)
我发现一个解决方案是在 childDirective 中使用$watch
:
/**
* Using $watch instead of data-ng-change ensure that bindings are updated
*/
$scope.$watch('postalCode', function() {
$scope.$parent.doSomethingWithPostalCode();
});
因此在子指令的输入上删除the data-ng-change
:
<input maxlength="5" type="text" data-ng-model="postalCode">
在$ watch方法中进行调试时,我可以验证父$ scope已被更新。
不确定是真正的解决方案还是更像黑客。