如果单个 DOM 元素上有多个指令,并且这些指令的应用顺序很重要,则可以使用该属性对其应用程序进行排序。较高的数字首先运行。如果未指定,则默认优先级为 0。priority
编辑:讨论结束后,这是完整的工作解决方案。关键是删除属性:,并且(如果用户在html中指定)element.removeAttr("common-things");
element.removeAttr("data-common-things");
data-common-things
angular.module('app')
.directive('commonThings', function ($compile) {
return {
restrict: 'A',
replace: false,
terminal: true, //this setting is important, see explanation below
priority: 1000, //this setting is important, see explanation below
compile: function compile(element, attrs) {
element.attr('tooltip', '{{dt()}}');
element.attr('tooltip-placement', 'bottom');
element.removeAttr("common-things"); //remove the attribute to avoid indefinite loop
element.removeAttr("data-common-things"); //also remove the same attribute with data- prefix in case users specify data-common-things in the html
return {
pre: function preLink(scope, iElement, iAttrs, controller) { },
post: function postLink(scope, iElement, iAttrs, controller) {
$compile(iElement)(scope);
}
};
}
};
});
工作 plunker 可在以下位置找到: http://plnkr.co/edit/Q13bUt?p=preview
艺术
angular.module('app')
.directive('commonThings', function ($compile) {
return {
restrict: 'A',
replace: false,
terminal: true,
priority: 1000,
link: function link(scope,element, attrs) {
element.attr('tooltip', '{{dt()}}');
element.attr('tooltip-placement', 'bottom');
element.removeAttr("common-things"); //remove the attribute to avoid indefinite loop
element.removeAttr("data-common-things"); //also remove the same attribute with data- prefix in case users specify data-common-things in the html
$compile(element)(scope);
}
};
});
演示
解释为什么我们必须设置终端:true
和优先级:1000
(一个高数字):
当 DOM 准备就绪时,angular 遍历 DOM 以标识所有已注册的指令,并根据这些指令是否位于同一元素上逐个编译这些指令。我们将自定义指令的优先级设置为一个较高的数字,以确保它将首先被编译,并且与此指令编译后将跳过其他指令。priority
terminal: true
编译我们的自定义指令时,它将通过添加指令和删除自身来修改元素,并使用$compile服务来编译所有指令(包括跳过的指令)。
如果我们不设置 和 ,则有可能某些指令在我们的自定义指令之前编译。当我们的自定义指令使用$compile编译元素 =>再次编译已编译的指令。这将导致不可预知的行为,尤其是在自定义指令之前编译的指令已经转换了 DOM 的情况下。terminal:true
priority: 1000
有关优先级和终端的更多信息,请查看如何理解指令的“终端”?
同时修改模板的指令的一个示例是(优先级 = 1000),在编译时,在应用其他指令之前复制模板元素。ng-repeat
ng-repeat
ng-repeat
感谢@Izhaki的评论,以下是对源代码的引用:https://github.com/angular/angular.js/blob/master/src/ng/directive/ngRepeat.jsngRepeat