0

我已经定义了一个这样的指令:

angular.module('MyModule', [])
    .directive('datePicker', function($filter) {
        return {
            require: 'ngModel',
            link: function(scope, elem, attrs, ctrl) {
                ctrl.$formatters.unshift(function(modelValue) {
                    console.log('formatting',modelValue,scope,elem,attrs,ctrl);
                    return $filter('date')(modelValue, 'MM/dd/yyyy');
                });
                ctrl.$parsers.unshift(function(viewValue) {
                    console.log('parsing',viewValue);
                    var date = new Date(viewValue);
                    return isNaN(date) ? '' : date;
                });
            }
        }
    });

我将其应用于这样的元素:

<input type="text" date-picker="MM/dd/yyyy" ng-model="clientForm.birthDate" />

每当我将date-picker属性添加到元素时,都会触发我的指令,但我想知道如何MM/dd/yyyy在指令 JS 中访问属性的值 (),以便我可以删除旁边的常量$filter。我不确定是否有任何我有权提供的变量。

4

2 回答 2

4

只需直接从attrs

return $filter('date')(modelValue, attrs.datePicker);

顺便说一句,如果您使用的唯一过滤器是date,那么您可以直接注入:

.directive('datePicker', function (dateFilter) {
    // Keep all your code, just update this line:
    return dateFilter(modelValue, attrs.datePicker || 'MM/dd/yyyy');
    // etc.
}
于 2013-01-24T04:45:36.433 回答
1

您可以从链接函数的 attrs 参数访问它。

演示:http ://plnkr.co/edit/DBs4jX9alyCZXt3LaLnF?p=preview

angModule.directive('moDateInput', function ($window) {
    return {
        require:'^ngModel',
        restrict:'A',
        link:function (scope, elm, attrs, ctrl) {
            var moment = $window.moment;
            var dateFormat = attrs.moMediumDate;
            attrs.$observe('moDateInput', function (newValue) {
                if (dateFormat == newValue || !ctrl.$modelValue) return;
                dateFormat = newValue;
                ctrl.$modelValue = new Date(ctrl.$setViewValue);
            });

            ctrl.$formatters.unshift(function (modelValue) {
                scope = scope;
                if (!dateFormat || !modelValue) return "";
                var retVal = moment(modelValue).format(dateFormat);
                return retVal;
            });

            ctrl.$parsers.unshift(function (viewValue) {
                scope = scope;
                var date = moment(viewValue, dateFormat);
                return (date && date.isValid() && date.year() > 1950 ) ? date.toDate() : "";
            });
        }
    };
});
于 2013-01-24T05:40:50.817 回答