最佳答案
我刚开始使用 AngularJS,正在将一些旧的 jQuery 插件转换为 Angular 指令。我想为我的(element)指令定义一组默认选项,可以通过在属性中指定选项值来覆盖它们。
我已经看了看周围的方式,其他人已经这样做,在 角度库的 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
参数。