2

我想创建一个指令,它对表单中的所有输入字段做一些很棒的事情。

但是,如果我只能将该指令应用一次(对自身<form>)而不是让它绑定到所有<input>

我应该如何确定所有表单输入元素?

我看到了一些可能的解决方案:

element[0].childNodes  // filter all inputs
element[0].children
element[0].elements   // seems to contain nothing but the stuff i want

也许我什至心胸狭窄,在这里看不到正确的解决方案。

任何帮助和意见表示赞赏

4

2 回答 2

3

警告:这只是一个在简单示例中起作用的想法。我并不是说它是错误的(尽管这可以讨论),但我没有在更复杂的环境中使用它。

所以...您实际上可以创建第二个input指令,并且仅在将另一个指令(比如说myDirective)应用于封闭表单时才应用它。

假设您有两种形式:

<body>
    <form name="myForm1" ng-controller="MainCtrl">
      Name: <input id="name1" type="text" ng-model="data.name" /><br/>
      Surname: <input id="surname1" type="text" ng-model="data.surname" />
      <pre>{{data}}</pre>
    </form>
    <br/>
    <form name="myForm2" ng-controller="MainCtrl" my-directive>
      Name: <input id="name2" type="text" ng-model="data.name" /><br/>
      Surname: <input id="surname2" type="text" ng-model="data.surname" />
      <pre>{{data}}</pre>
    </form>
</body>

只有第二种形式带有标记my-directive。现在,您的指令可能如下所示:

app.directive("myDirective", function(){
    return {
        restrict: 'A',
        require: ['form'],
        controller: function() {
          // nothing here
        },
        link: function(scope, ele, attrs, controllers){
          var formCtrl = controllers[0];
          console.log("myDirective applied to form:", formCtrl.$name);
        }
    };
});

app.directive("input", function(){
    return {
        restrict: 'E',
        priority: -1000,
        require: '^?myDirective',
        link: function(scope, ele, attrs, ctrl){
          if (ctrl) {
            console.log("applying custom behaviour to input: ", ele.attr('id'));
            // ... awesomeness here
          }
        }
    };
});

现场查看并查看日志。原始input指令与您自己的指令并存。对此的证明是表单仍然有效(当您键入时,模型会更新:这是input's 然后是ngModel's 的工作)。

您的input指令还可以使用 ngModel 来操作输入值:

app.directive("input", function(){
    return {
        restrict: 'E',
        priority: -1000,
        require: ['?ngModel', '^?myDirective'],
        link: function(scope, ele, attrs, ctrls){
          var ngModel = ctrls[0];
          var myDirective = ctrls[1];
          if (myDirective) {
            console.log("applying custom behaviour to input: ", ele.attr('id'));
            // ... awesomeness here
          }
        }
    };
});
于 2013-11-07T10:07:22.977 回答
2

为什么不使用 Angular 的jqLit​​e(或者 jQuery,如果你选择加载它)

angular.forEach(element.find('input'), function(node){ 
 awesomize(node)
});
于 2013-11-07T08:50:29.160 回答