有一个方法不依赖于服务$broadcast或$emit。它并不适用于所有情况,但如果你有两个相关的控制器可以抽象成指令,那么你可以在指令定义中使用require选项。这是ngModel和ngForm最可能的通信方式。你可以使用它在嵌套的指令控制器之间通信,或者在同一个元素上。
对于父母/孩子的情况,使用方法如下:
<div parent-directive>
<div inner-directive></div>
</div>
在父指令中,使用要调用的方法,你应该在this(而不是$scope)上定义它们:
controller: function($scope) {
this.publicMethodOnParentDirective = function() {
// Do something
}
}
在子指令定义上,你可以使用require选项,这样父控制器就被传递给了链接函数(这样你就可以从子指令的作用域调用它上的函数)。
require: '^parentDirective',
template: '<span ng-click="onClick()">Click on this to call parent directive</span>',
link: function link(scope, iElement, iAttrs, parentController) {
scope.onClick = function() {
parentController.publicMethodOnParentDirective();
}
}
以上内容可以在http://plnkr.co/edit/poeq460VmQER8Gl9w8Oz?p=preview上看到
兄弟指令的用法类似,但两个指令都在同一个元素上:
<div directive1 directive2>
</div>
用于在directive1上创建一个方法:
controller: function($scope) {
this.publicMethod = function() {
// Do something
}
}
在directive2中,可以使用require选项调用,这将导致siblingController被传递给link函数:
require: 'directive1',
template: '<span ng-click="onClick()">Click on this to call sibling directive1</span>',
link: function link(scope, iElement, iAttrs, siblingController) {
scope.onClick = function() {
siblingController.publicMethod();
}
}
这可以在http://plnkr.co/edit/MUD2snf9zvadfnDXq85w?p=preview上看到。
它的用途是什么?
Parent: Any case where child elements need to "register" themselves with a parent. Much like the relationship between ngModel and ngForm. These can add certain behaviour that can affects models. You might have something purely DOM based as well, where a parent element needs to manage the positions of certain children, say to manage or react to scrolling.
Sibling: allowing a directive to have its behaviour modified. ngModel is the classic case, to add parsers / validation to ngModel use on inputs.