我想对第三方指令(特别是Angular UI Bootstrap)做一个小修改。我只想添加pane
指令的范围:
angular.module('ui.bootstrap.tabs', [])
.controller('TabsController', ['$scope', '$element', function($scope, $element) {
// various methods
}])
.directive('tabs', function() {
return {
// etc...
};
})
.directive('pane', ['$parse', function($parse) {
return {
require: '^tabs',
restrict: 'EA',
transclude: true,
scope:{
heading:'@',
disabled:'@' // <- ADDED SCOPE PROPERTY HERE
},
link: function(scope, element, attrs, tabsCtrl) {
// link function
},
templateUrl: 'template/tabs/pane.html',
replace: true
};
}]);
但我也希望Angular-Bootstrap与Bower保持同步。只要我运行bower update
,我就会覆盖我的更改。
那么我该如何从这个凉亭组件中单独扩展这个指令呢?
答案 0 :(得分:96)
解决此问题的最简单方法可能是在您的应用上创建一个与第三方指令同名的指令。这两个指令都将运行,您可以使用priority
属性指定其运行顺序(优先级先高优先运行)。
这两个指令将共享范围,您可以通过指令的link
方法访问和修改第三方指令的范围。
选项2:您还可以通过简单地将自己的任意命名指令放在同一元素上来访问第三方指令的范围(假设两个指令都不使用隔离范围)。 元素上的所有非隔离范围指令都将共享范围。
进一步阅读: https://github.com/angular/angular.js/wiki/Dev-Guide%3A-Understanding-Directives
注意:我之前的回答是修改第三方服务,而非指令。
答案 1 :(得分:59)
TL; DR - gimme tha demo!
使用$provide
的{{3}}来装饰第三方的指令。
在我们的例子中,我们可以像这样扩展指令的范围:
app.config(function($provide) {
$provide.decorator('paneDirective', function($delegate) {
var directive = $delegate[0];
angular.extend(directive.scope, {
disabled:'@'
});
return $delegate;
});
});
首先,我们请求通过传递它的名称来装饰pane
指令,与Directive
连接作为第一个参数,然后我们从回调参数(这是一个匹配的指令数组)中检索它名称)。
一旦我们得到它,我们就可以获得它的范围对象并根据需要进行扩展。请注意,所有这一切都必须在config
块中完成。
建议只需添加一个具有相同名称的指令,然后设置其优先级。除了缺乏语义(我知道decorator()
之后......),它会带来问题,例如如果第三方指令的优先级发生变化怎么办?
JeetendraChauhan声称(我还没有测试过)这个解决方案在版本1.13中不起作用。
答案 2 :(得分:8)
虽然这不是您问题的直接答案,但您可能想知道http://angular-ui.github.io/bootstrap/的最新版本(在主版中)添加了对禁用标签的支持。此功能通过以下方式添加: https://github.com/angular-ui/bootstrap/commit/2b78dd16abd7e09846fa484331b5c35ece6619a2
答案 3 :(得分:6)
另一种解决方案,您可以创建一个扩展它的新指令而不修改原始指令
解决方案类似于装饰器解决方案:
创建一个新指令并将您希望扩展的指令注入依赖
app.directive('extendedPane', function (paneDirective) {
// to inject a directive as a service append "Directive" to the directive name
// you will receive an array of directive configurations that match this
// directive (usually only one) ordered by priority
var configExtension = {
scope: {
disabled: '@'
}
}
return angular.merge({}, paneDirective[0], configExtension)
});
这样您就可以在同一个应用程序中使用原始指令和扩展版本
答案 4 :(得分:1)
Here is another solution用于将绑定扩展到具有bindToController
属性的指令的不同方案。
注意:这不是此处提供的其他解决方案的替代方案。它仅解决了原始指令设置为bindToController
的特定情况(未在其他答案中涵盖)。