我需要根据范围变量ng-form="myForm"
在$scope.isValidationRequired
下的Angular表单或子表单中启用/禁用所有验证规则。因此,如果isValidationRequired
为false
,则不会为指定的字段组设置任何验证,结果将始终为myForm.$valid==true
,否则验证规则将照常运行
我做了很多研究,并意识到Angular没有开箱即用的这个功能。但是,我发现了一些附加组件或一些自定义,这是可能的。
例如,我可以将加载项angular-conditional-validation(github和demo)与自定义指令enable-validation="isValidationRequired"
一起使用。这将是完美的,除了我不能将此功能应用于ng-form
下的一组字段。我必须为适用的每个字段添加此指令。
另一种解决方案是使用Angular $validators
管道进行自定义验证。这需要一些额外的努力,因为冲刺几乎结束所以我没有时间,我必须在几天内给出一些结果。
如果您有任何其他建议,请发表回答。
为了澄清对此的需要,我将提到用例。最终用户可以使用无效数据填写表单,他可以单击Save
按钮,在这种情况下,不应触发验证规则。只有当用户点击Validate and Save
时,才会触发验证规则。
查看最终的plunker代码here。
更新:根据下面的评论,如果在ng-form
下使用内部子表单,解决方案将导致浏览器挂起。调试和解析此发行者需要更多的努力。如果只使用一个级别,那么它可以正常工作。
更新:使用更通用的解决方案更新了plunker here。现在,代码将使用包含ng-form
下的子表单的表单。函数setAllInputsDirty()
检查对象是否为$$parentForm
以停止递归。此外,changeValidity()
将检查对象是否是使用$addControl
的表单,然后它将调用自身来验证其子对象。到目前为止,这个函数工作正常,但它需要一些额外的优化。
答案 0 :(得分:1)
如果禁用验证标志,一个想法是重置摘要循环中的错误。您可以在更改时迭代表单错误,并将它们逐个设置为有效。
$scope.$watch(function() {
$scope.changeValidity();
}, true);
$scope.changeValidity = function() {
if ($scope.isValidationRequired === "false") {
for (var error in $scope.form.$error) {
while ($scope.form.$error[error]) {
$scope.form.$error[error][0].$setValidity(error, true);
}
}
}
}
答案 1 :(得分:0)
这是更新的答案,可以防止无限循环和无限递归。此外,代码依赖于已知的根形式,可以稍微调整一下以使其更通用。
参考文献:Pixelastic blog和Larry's answer
Plunker:https://plnkr.co/edit/ycPmYDSg6da10KdoNCiM?p=preview
更新:代码改进使其适用于每个子表单中每个字段的多个错误,并循环以确保在子表单级别清除错误
var app = angular.module('plunker', []);
app.controller('MainCtrl', ["$scope", function($scope) {
$scope.isValidationRequired = true;
var rootForm = "form";
function setAllInputsDirty(scope) {
angular.forEach(scope, function(value, key) {
// We skip non-form and non-inputs
if (!value || value.$dirty === undefined) {
return;
}
// Recursively applying same method on all forms included in the form except the parent form
if (value.$addControl && key !== "$$parentForm") {
return setAllInputsDirty(value);
}
if (value.$validate){
value.$validate();
}
// Setting inputs to $dirty, but re-applying its content in itself
if (value.$setViewValue) {
//debugger;
return value.$setViewValue(value.$viewValue);
}
});
}
$scope.$watch(function() {
$scope.changeValidity();
}, true);
$scope.changeValidity = function(theForm) {
debugger;
//This will check if validation is truned off, it will
// clear all validation errors
if (!theForm) {
theForm = $scope[rootForm];
}
if ($scope.isValidationRequired === "false") {
for (var error in theForm.$error) {
errTypeArr = theForm.$error[error];
angular.forEach (errTypeArr, function(value, idx) {
var theObjName = value.$name;
var theObj = value;
if (theObj.$addControl) {
//This is a subform, so call the function recursively for each of the children
var isValid=false;
while (!isValid) {
$scope.changeValidity(theObj);
isValid = theObj.$valid;
}
} else {
while (theObj.$error[error]) {
theObj.$setValidity(error, true);
}
}
})
}
} else {
setAllInputsDirty($scope);
}
}
}]);