41

我有一个 AngularJS 属性指令,我想在其父输入的值发生变化时采取行动。现在我正在用 jQuery 做这件事:

angular.module("myDirective", [])
.directive("myDirective", function()
{
    return {
        restrict: "A",
        scope:
        {
            myDirective: "=myDirective"
        },
        link: function(scope, element, attrs)
        {
            element.keypress(function()
            {
                // do stuff
            });
        }
    };
});

有没有办法在没有 jQuery 的情况下做到这一点?我发现 keyPress 事件并没有完全按照我的意愿去做,虽然我确信我会想出一个解决方案,但当我在 Angular 项目中使用 jQuery 时我有点紧张。

那么 Angular 的方法是什么?

4

3 回答 3

66

AngularJS 文档中有一个很好的例子。

它的评论很好,应该让你指出正确的方向。

一个简单的例子,你正在寻找的可能更多如下:

jsfiddle


HTML

<div ng-app="myDirective" ng-controller="x">
    <input type="text" ng-model="test" my-directive>
</div>

JavaScript

angular.module('myDirective', [])
    .directive('myDirective', function () {
    return {
        restrict: 'A',
        link: function (scope, element, attrs) {
            scope.$watch(attrs.ngModel, function (v) {
                console.log('value changed, new value is: ' + v);
            });
        }
    };
});

function x($scope) {
    $scope.test = 'value here';
}


编辑:同样的事情,不需要ngModel jsfiddle

JavaScript

angular.module('myDirective', [])
    .directive('myDirective', function () {
    return {
        restrict: 'A',
        scope: {
            myDirective: '='
        },
        link: function (scope, element, attrs) {
            // set the initial value of the textbox
            element.val(scope.myDirective);
            element.data('old-value', scope.myDirective);

            // detect outside changes and update our input
            scope.$watch('myDirective', function (val) {
                element.val(scope.myDirective);
            });

            // on blur, update the value in scope
            element.bind('propertychange keyup paste', function (blurEvent) {
                if (element.data('old-value') != element.val()) {
                    console.log('value changed, new value is: ' + element.val());
                    scope.$apply(function () {
                        scope.myDirective = element.val();
                        element.data('old-value', element.val());
                    });
                }
            });
        }
    };
});

function x($scope) {
    $scope.test = 'value here';
}
于 2013-04-30T20:31:44.210 回答
12

由于这必须有一个输入元素作为父元素,因此您可以使用

<input type="text" ng-model="foo" ng-change="myOnChangeFunction()">

或者,您可以使用ngModelController并将函数添加到$formatters,该函数在输入更改时执行函数。见http://docs.angularjs.org/api/ng.directive:ngModel.NgModelController

.directive("myDirective", function() {
  return {
    restrict: 'A',
    require: 'ngModel',
    link: function(scope, element, attr, ngModel) {
      ngModel.$formatters.push(function(value) {
        // Do stuff here, and return the formatted value.
      });
  };
};
于 2013-04-30T20:34:18.377 回答
0

要注意自定义指令值的运行时变化,请使用对象$observe方法attrs,而不是放入$watch自定义指令中。这是相同的文档... $observe docs

于 2016-11-07T17:40:50.817 回答