带默认选项的Angular指令
我刚刚开始使用angularjs,并且正在将几个旧的JQuery插件转换为Angular指令。 我想为我的(element)指令定义一组默认选项,可以通过在属性中指定选项值来覆盖这些选项。
我查看了其他人做这件事的方式,在angular-ui库中,ui.bootstrap.pagination似乎做了类似的事情。
首先,所有的默认选项都在一个常量对象中定义:
.constant('paginationConfig', {
itemsPerPage: 10,
boundaryLinks: false,
...
})
然后将一个getAttributeValue
实用程序函数附加到指令控制器:
this.getAttributeValue = function(attribute, defaultValue, interpolate) {
return (angular.isDefined(attribute) ?
(interpolate ? $interpolate(attribute)($scope.$parent) :
$scope.$parent.$eval(attribute)) : defaultValue);
};
最后,在链接函数中使用它来读取属性
.directive('pagination', ['$parse', 'paginationConfig', function($parse, config) {
...
controller: 'PaginationController',
link: function(scope, element, attrs, paginationCtrl) {
var boundaryLinks = paginationCtrl.getAttributeValue(attrs.boundaryLinks, config.boundaryLinks);
var firstText = paginationCtrl.getAttributeValue(attrs.firstText, config.firstText, true);
...
}
});
对于想要替换一组默认值的标准,这似乎是一个相当复杂的设置。 有没有其他方法可以做到这一点很常见? 或者以这种方式总是定义诸如getAttributeValue
类的效用函数并解析选项是否正常? 我有兴趣了解人们对这个共同任务有什么不同的策略。
另外,作为奖励,我不清楚为什么需要interpolate
参数。
如果未设置,可以使用compile
功能 - 读取属性 - 填充它们的默认值。
.directive('pagination', ['$parse', 'paginationConfig', function($parse, config) {
...
controller: 'PaginationController',
compile: function(element, attrs){
if (!attrs.attrOne) { attrs.attrOne = 'default value'; }
if (!attrs.attrTwo) { attrs.attrTwo = 42; }
},
...
}
});
使用=?
该指令的范围块中属性的标志。
angular.module('myApp',[])
.directive('myDirective', function(){
return {
template: 'hello {{name}}',
scope: {
// use the =? to denote the property as optional
name: '=?'
},
controller: function($scope){
// check if it was defined. If not - set a default
$scope.name = angular.isDefined($scope.name) ? $scope.name : 'default name';
}
}
});
链接地址: http://www.djcxy.com/p/77913.html