扩大我的评论以回答。这是一个简单的比较指令验证,如果它与输入的值不匹配,可用于使表单和输入无效。使用 ngModelController 的 (>= V1.3.x) $validators变得很容易处理它。
指令将如下所示:
.directive('comparewith', ['$parse', function($parse){
return {
require:'ngModel',
link:function(scope, elm, attr, ngModel){
//Can use $parse or also directly comparing with scope.$eval(attr.comparewith) will work as well
var getter = $parse(attr.comparewith);
ngModel.$validators.comparewith = function(val){
return val === getter(scope);
}
scope.$watch(attr.comparewith, function(v, ov){
if(v !== ov){
ngModel.$validate();
}
});
}
}
}]);
并将其用作:
<li>
<label for="email">Email</label>
<input type="email" id="email" name="email"
ng-model="data.account.email" required>
</li>
<li>
<label for="confirmEmail">Confirm Email</label>
<input type="text" id="confirmEmail" name="confirmEmail"
comparewith="data.account.email" required
ng-model="data.account.confirmEmail">
</li>
演示
var app = angular.module('plunker', []);
app.controller('MainCtrl', function($scope) {
$scope.submit = function(form) {
if (form.$invalid) {
alert("oops password and confirm must match and must be valid");
} else {
alert("Äll good!!");
}
};
}).directive('comparewith', ['$parse', function($parse) {
return {
require: 'ngModel',
link: function(scope, elm, attr, ngModel) {
var getter = $parse(attr.comparewith);
ngModel.$validators.comparewith = function(val) {
return val === getter(scope);
}
scope.$watch(attr.comparewith, function(v, ov){
if(v !== ov){
ngModel.$validate();
}
});
}
}
}]);
/* Put your css in here */
form.ng-invalid {
border: 1px solid red;
box-sizing: border-box;
}
input.ng-invalid {
border: 2px solid red;
box-sizing: border-box;
}
<!DOCTYPE html>
<html ng-app="plunker">
<head>
<meta charset="utf-8" />
<title>AngularJS Plunker</title>
<script>
document.write('<base href="' + document.location + '" />');
</script>
<link rel="stylesheet" href="style.css" />
<script data-require="angular.js@1.3.x" src="https://code.angularjs.org/1.3.9/angular.js" data-semver="1.3.9"></script>
<script src="app.js"></script>
</head>
<body ng-controller="MainCtrl">
<form name="form" ng-submit="submit(form)" novalidate>
<ul>
<li>
<label for="email">Email</label>
<input type="email" id="email" name="email" ng-model="data.account.email" required>
</li>
<li>
<label for="confirmEmail">Confirm Email</label>
<input type="text" id="confirmEmail" name="confirmEmail" comparewith="data.account.email" required ng-model="data.account.confirmEmail">
</li>
</ul>
<button>Submit</button>
</form>
</body>
</html>