我有一个使用ng-repeat创建的表。我想为表中的每个元素添加验证。问题是每个输入单元格与其上方和下方的单元格具有相同的名称。我尝试使用{{$index}}
值来命名输入,但尽管HTML中的字符串文字显示正确,但它现在正在工作。
以下是我的代码:
<tr ng-repeat="r in model.BSM ">
<td>
<input ng-model="r.QTY" class="span1" name="QTY{{$index}}" ng-pattern="/^[\d]*\.?[\d]*$/" required/>
<span class="alert-error" ng-show="form.QTY{{$index}}.$error.pattern"><strong>Requires a number.</strong></span>
<span class="alert-error" ng-show="form.QTY{{$index}}.$error.required"><strong>*Required</strong></span>
</td>
</tr>
我尝试从索引中删除{{}}
,但这也不起作用。截至目前,输入的验证属性工作正常,但不显示错误消息。
有人有任何建议吗?
修改:除了以下优秀答案之外,还有一篇博客文章更详细地介绍了此问题:http://www.thebhwgroup.com/blog/2014/08/angularjs-html-form-design-part-2/
答案 0 :(得分:220)
自从问到这个问题以来,Angular团队已经通过动态创建输入名称来解决了这个问题。
使用 Angular 1.3及更高版本,您现在可以执行此操作:
<form name="vm.myForm" novalidate>
<div ng-repeat="p in vm.persons">
<input type="text" name="person_{{$index}}" ng-model="p" required>
<span ng-show="vm.myForm['person_' + $index].$invalid">Enter a name</span>
</div>
</form>
Angular 1.3还引入了ngMessages,这是一种更强大的表单验证工具。您可以使用与ngMessages相同的技术:
<form name="vm.myFormNgMsg" novalidate>
<div ng-repeat="p in vm.persons">
<input type="text" name="person_{{$index}}" ng-model="p" required>
<span ng-messages="vm.myFormNgMsg['person_' + $index].$error">
<span ng-message="required">Enter a name</span>
</span>
</div>
</form>
答案 1 :(得分:194)
AngularJS依赖输入名称来公开验证错误。
不幸的是,截至今天,不可能(不使用自定义指令)动态生成输入名称。实际上,检查input docs我们可以看到name属性只接受字符串。
要解决“动态名称”问题,您需要创建内部表单(请参阅ng-form):
<div ng-repeat="social in formData.socials">
<ng-form name="urlForm">
<input type="url" name="socialUrl" ng-model="social.url">
<span class="alert error" ng-show="urlForm.socialUrl.$error.url">URL error</span>
</ng-form>
</div>
另一种选择是为此编写自定义指令。
以下是显示ngForm使用情况的jsFiddle:http://jsfiddle.net/pkozlowski_opensource/XK2ZT/2/
答案 2 :(得分:13)
如果您不想使用ng-form,则可以使用将更改表单名称属性的自定义指令。将此指令作为属性放在与ng-model相同的元素上。
如果您正在使用其他指令,请注意它们没有设置“terminal”属性,否则此函数将无法运行(假设它的优先级为-1)。< / p>
例如,将此指令与ng-options一起使用时,必须运行以下一行monkeypatch: https://github.com/AlJohri/bower-angular/commit/eb17a967b7973eb7fc1124b024aa8b3ca540a155
angular.module('app').directive('fieldNameHack', function() {
return {
restrict: 'A',
priority: -1,
require: ['ngModel'],
// the ngModelDirective has a priority of 0.
// priority is run in reverse order for postLink functions.
link: function (scope, iElement, iAttrs, ctrls) {
var name = iElement[0].name;
name = name.replace(/\{\{\$index\}\}/g, scope.$index);
var modelCtrl = ctrls[0];
modelCtrl.$name = name;
}
};
});
我经常发现使用ng-init将$ index设置为变量名是很有用的。例如:
<fieldset class='inputs' ng-repeat="question questions" ng-init="qIndex = $index">
这会将您的正则表达式更改为:
name = name.replace(/\{\{qIndex\}\}/g, scope.qIndex);
如果你有多个嵌套的ng-repeats,你现在可以使用这些变量名而不是$ parent。$ index。
指令的“终端”和“优先级”的定义:https://docs.angularjs.org/api/ng/service/ $ compile#directive-definition-object
Github评论是否需要ng-option monkeypatch: https://github.com/angular/angular.js/commit/9ee2cdff44e7d496774b340de816344126c457b3#commitcomment-6832095 https://twitter.com/aljohri/status/482963541520314369
更新:
您也可以使用ng-form进行此操作。
angular.module('app').directive('formNameHack', function() {
return {
restrict: 'A',
priority: 0,
require: ['form'],
compile: function() {
return {
pre: function(scope, iElement, iAttrs, ctrls) {
var parentForm = $(iElement).parent().controller('form');
if (parentForm) {
var formCtrl = ctrls[0];
delete parentForm[formCtrl.$name];
formCtrl.$name = formCtrl.$name.replace(/\{\{\$index\}\}/g, scope.$index);
parentForm[formCtrl.$name] = formCtrl;
}
}
}
}
};
});
答案 3 :(得分:11)
在使用ng-repeat指令的标记内使用ng-form指令。然后,您可以使用ng-form指令创建的作用域来引用通用名称。例如:
<div class="form-group col-sm-6" data-ng-form="subForm" data-ng-repeat="field in justificationInfo.justifications"">
<label for="{{field.label}}"><h3>{{field.label}}</h3></label>
<i class="icon-valid" data-ng-show="subForm.input.$dirty && subForm.input.$valid"></i>
<i class="icon-invalid" data-ng-show="subForm.input.$dirty && subForm.input.$invalid"></i>
<textarea placeholder="{{field.placeholder}}" class="form-control" id="{{field.label}}" name="input" type="text" rows="3" data-ng-model="field.value" required>{{field.value}}</textarea>
</div>
感谢:http://www.benlesh.com/2013/03/angular-js-validating-form-elements-in.html
答案 4 :(得分:3)
在控制器http://jsfiddle.net/82PX4/3/
一侧添加了更多复杂的“自定义验证”示例<div class='line' ng-repeat='line in ranges' ng-form='lineForm'>
low: <input type='text'
name='low'
ng-pattern='/^\d+$/'
ng-change="lowChanged(this, $index)" ng-model='line.low' />
up: <input type='text'
name='up'
ng-pattern='/^\d+$/'
ng-change="upChanged(this, $index)"
ng-model='line.up' />
<a href ng-if='!$first' ng-click='removeRange($index)'>Delete</a>
<div class='error' ng-show='lineForm.$error.pattern'>
Must be a number.
</div>
<div class='error' ng-show='lineForm.$error.range'>
Low must be less the Up.
</div>
</div>
答案 5 :(得分:1)
看看这些解决方案,Al Johri提供的解决方案最接近我的需求,但他的指令比我想要的那样可编程性稍差。这是我的解决方案版本:
angular.module("app", [])
.directive("dynamicFormName", function() {
return {
restrict: "A",
priority: 0,
require: ["form"],
compile: function() {
return {
pre: function preLink(scope, iElement, iAttrs, ctrls) {
var name = "field" + scope.$index;
if (iAttrs.dnfnNameExpression) {
name = scope.$eval(iAttrs.dnfnNameExpression);
}
var parentForm = iElement.parent().controller("form");
if (parentForm) {
var formCtrl = ctrls[0];
delete parentForm[formCtrl.$name];
formCtrl.$name = name;
parentForm[formCtrl.$name] = formCtrl;
}
}
}
}
};
});
此解决方案允许您将名称生成器表达式传递给指令,并避免锁定到他正在使用的模式替换。
我最初在使用此解决方案时遇到了麻烦,因为它没有显示在标记中使用它的示例,所以这就是我如何使用它。
<form name="theForm">
<div ng-repeat="field in fields">
<input type="number" ng-form name="theInput{{field.id}}" ng-model="field.value" dynamic-form-name dnfn-name-expression="'theInput' + field.id">
</div>
</form>
我在github上有一个更完整的工作示例。
答案 6 :(得分:1)
scope.step3Form['item[107][quantity]'].$touched
我不知道它是最佳做法或最佳解决方案,但它有效
<tr ng-repeat="item in items">
<td>
<div class="form-group">
<input type="text" ng-model="item.quantity" name="item[<% item.id%>][quantity]" required="" class="form-control" placeholder = "# of Units" />
<span ng-show="step3Form.$submitted || step3Form['item[<% item.id %>][quantity]'].$touched">
<span class="help-block" ng-show="step3Form['item[<% item.id %>][quantity]'].$error.required"> # of Units is required.</span>
</span>
</div>
</td>
</tr>
答案 7 :(得分:1)
在pkozlowski.opensource answer的基础上,我添加了一种方法,让动态输入名称也适用于ngMessages。请注意ng-init
元素上的ng-form
部分以及furryName
的使用。 furryName
成为包含input
name
属性的变量值的变量名称。
<ion-item ng-repeat="animal in creatures track by $index">
<ng-form name="animalsForm" ng-init="furryName = 'furry' + $index">
<!-- animal is furry toggle buttons -->
<input id="furryRadio{{$index}}"
type="radio"
name="{{furryName}}"
ng-model="animal.isFurry"
ng-value="radioBoolValues.boolTrue"
required
>
<label for="furryRadio{{$index}}">Furry</label>
<input id="hairlessRadio{{$index}}"
name="{{furryName}}"
type="radio"
ng-model="animal.isFurry"
ng-value="radioBoolValues.boolFalse"
required
>
<label for="hairlessRadio{{$index}}">Hairless</label>
<div ng-messages="animalsForm[furryName].$error"
class="form-errors"
ng-show="animalsForm[furryName].$invalid && sectionForm.$submitted">
<div ng-messages-include="client/views/partials/form-errors.ng.html"></div>
</div>
</ng-form>
</ion-item>
答案 8 :(得分:1)
现在为时已晚,但也许可以帮助任何人
fromname[uniquname].$error
示例代码:
<input
ng-model="r.QTY"
class="span1"
name="QTY{{$index}}"
ng-pattern="/^[\d]*\.?[\d]*$/" required/>
<div ng-messages="formName['QTY' +$index].$error"
ng-show="formName['QTY' +$index].$dirty || formName.$submitted">
<div ng-message="required" class='error'>Required</div>
<div ng-message="pattern" class='error'>Invalid Pattern</div>
</div>
见工作demo here
答案 9 :(得分:0)
这是可能的,这是我如何使用输入表做同样的事情。
以类似的形式包装表格
然后使用此
我有一个包含多嵌套指令的表单,它们都包含输入,选择等等... 这些元素都包含在ng-repeats和动态字符串值中。
这是如何使用该指令:
<form name="myFormName">
<nested directives of many levels>
<your table here>
<perhaps a td here>
ex: <input ng-repeat=(index, variable) in variables" type="text"
my-name="{{ variable.name + '/' + 'myFormName' }}"
ng-model="variable.name" required />
ex: <select ng-model="variable.name" ng-options="label in label in {{ variable.options }}"
my-name="{{ variable.name + index + '/' + 'myFormName' }}"
</select>
</form>
注意:如果需要序列化输入表,可以添加字符串并置索引;这就是我做的。
app.directive('myName', function(){
var myNameError = "myName directive error: "
return {
restrict:'A', // Declares an Attributes Directive.
require: 'ngModel', // ngModelController.
link: function( scope, elem, attrs, ngModel ){
if( !ngModel ){ return } // no ngModel exists for this element
// check myName input for proper formatting ex. something/something
checkInputFormat(attrs);
var inputName = attrs.myName.match('^\\w+').pop(); // match upto '/'
assignInputNameToInputModel(inputName, ngModel);
var formName = attrs.myName.match('\\w+$').pop(); // match after '/'
findForm(formName, ngModel, scope);
} // end link
} // end return
function checkInputFormat(attrs){
if( !/\w\/\w/.test(attrs.rsName )){
throw myNameError + "Formatting should be \"inputName/formName\" but is " + attrs.rsName
}
}
function assignInputNameToInputModel(inputName, ngModel){
ngModel.$name = inputName
}
function addInputNameToForm(formName, ngModel, scope){
scope[formName][ngModel.$name] = ngModel; return
}
function findForm(formName, ngModel, scope){
if( !scope ){ // ran out of scope before finding scope[formName]
throw myNameError + "<Form> element named " + formName + " could not be found."
}
if( formName in scope){ // found scope[formName]
addInputNameToForm(formName, ngModel, scope)
return
}
findForm(formName, ngModel, scope.$parent) // recursively search through $parent scopes
}
});
这应该处理许多你不知道表单在哪里的情况。或者您可能有嵌套表单,但出于某种原因,您希望将此输入名称附加到两个表单中?好吧,只需传入要将输入名称附加到的表单名称。
我想要的是一种将动态值分配给我永远不会知道的输入的方法,然后只需调用$ scope.myFormName。$ valid。
您可以添加任何您想要的内容:更多表格更多表格输入,嵌套表格,无论您想要什么。只需传递要验证输入的表单名称即可。然后在表单提交上询问是否$ scope.yourFormName。$ valid
答案 10 :(得分:0)
这将使ng-repeat中的名称在表单验证中单独出现。
<td>
<input ng-model="r.QTY" class="span1" name="{{'QTY' + $index}}" ng-pattern="/^[\d]*\.?[\d]*$/" required/>
</td>
但是我在查询验证消息时遇到了麻烦,所以我不得不使用ng-init来解析变量作为对象密钥。
<td>
<input ng-model="r.QTY" class="span1" ng-init="name = 'QTY' + $index" name="{{name}}" ng-pattern="/^[\d]*\.?[\d]*$/" required/>
<span class="alert-error" ng-show="form[name].$error.pattern"><strong>Requires a number.</strong></span>
<span class="alert-error" ng-show="form[name].$error.required"><strong>*Required</strong></span>
答案 11 :(得分:0)
这是我如何做到这一点的一个例子,我不知道它是否是最好的解决方案,但效果很好。
首先,用HTML编写代码。 看看ng-class,它调用hasError函数。 另请参阅输入的名称声明。我使用$ index创建不同的输入名称。
<div data-ng-repeat="tipo in currentObject.Tipo"
ng-class="{'has-error': hasError(planForm, 'TipoM', 'required', $index) || hasError(planForm, 'TipoM', 'maxlength', $index)}">
<input ng-model="tipo.Nombre" maxlength="100" required
name="{{'TipoM' + $index}}"/>
现在,这是hasError函数:
$scope.hasError = function (form, elementName, errorType, index) {
if (form == undefined
|| elementName == undefined
|| errorType == undefined
|| index == undefined)
return false;
var element = form[elementName + index];
return (element != null && element.$error[errorType] && element.$touched);
};
答案 12 :(得分:0)
我的要求与原问题上的要求略有不同,但希望我可以帮助那些遇到同样问题的人。
我必须根据范围变量来定义是否需要字段。所以我基本上必须设置ng-required="myScopeVariable"
(这是一个布尔变量)。
<div class="align-left" ng-repeat="schema in schemas">
<input type="text" ng-required="schema.Required" />
</div>
答案 13 :(得分:0)
如果你使用ng-repeat $ index就像这样工作
name="QTY{{$index}}"
和
<td>
<input ng-model="r.QTY" class="span1" name="QTY{{$index}}" ng-
pattern="/^[\d]*\.?[\d]*$/" required/>
<span class="alert-error" ng-show="form['QTY' + $index].$error.pattern">
<strong>Requires a number.</strong></span>
<span class="alert-error" ng-show="form['QTY' + $index].$error.required">
<strong>*Required</strong></span>
</td>
我们必须在ng-pattern中显示ng-show
<span class="alert-error" ng-show="form['QTY' + $index].$error.pattern">
<span class="alert-error" ng-show="form['QTY' + $index].$error.required">