我决定编写一个自定义指令来帮助我验证输入框。我的想法是,我将新的花哨nx-validate
指令添加到引导程序div.form-group
,然后检查我的<input/>
是$dirty
还是$invalid
并且根据需要应用.has-success
或.has-error
课程。
由于一些奇怪的原因,我的指令在正常情况下完美运行,但在ui-bootstrap模式中完全忽略了添加的ng-class
。
模式和表单中的相同代码
<form name="mainForm">
<div class="row">
<div nx-validate class="form-group has-feedback col-lg-6 col-md-6 col-xs-12">
<label class="control-label">Green if long enough, red if not</label>
<input type="text" id="name" class="form-control" ng-model="property.name" required="required" ng-minlength="5"/>
(once touched I do change colour - happy face)
</div>
</div>
我可爱的指示
nitro.directive("nxValidate", function($compile) {
return {
restrict: 'A',
priority: 2000,
compile: function(element) {
var node = element;
while (node && node[0].tagName != 'FORM') {
console.log (node[0].tagName)
node = node.parent();
}
if (!node) console.error("No form node as parent");
var formName = node.attr("name");
if (!formName) console.error("Form needs a name attribute");
var label = element.find("label");
var input = element.find("input");
var inputId = input.attr("id")
if (!label.attr("for")) {
label.attr("for", inputId);
}
if (!input.attr("name")) {
input.attr("name", inputId);
}
if (!input.attr("placeholder")) {
input.attr("placeholder", label.html());
}
element.attr("ng-class", "{'has-error' : " + formName + "." + inputId + ".$invalid && " + formName + "." + inputId + ".$touched, 'has-success' : " + formName + "." + inputId + ".$valid && " + formName + "." + inputId + ".$touched}");
element.removeAttr("nx-validate");
var fn = $compile(element);
return function($scope) {
fn($scope);
}
}
}
});
在plunker上查看:http://plnkr.co/edit/AjvNi5e6hmXcTgpXgTlH?
答案 0 :(得分:3)
我建议您最简单的方法是,您可以在这些字段上使用监视来放置这些类,编译DOM后,watcher
将位于postlink
函数内
return function($scope, element) {
fn($scope);
$scope.$watch(function(){
return $scope.modalForm.name.$invalid && $scope.modalForm.name.$touched;
}, function(newVal){
if(newVal)
element.addClass('has-error');
else
element.removeClass('has-error');
})
$scope.$watch(function(){
return $scope.modalForm.name.$valid && $scope.modalForm.name.$touched;
}, function(newVal){
if(newVal)
element.addClass('has-success');
else
element.removeClass('has-success');
})
}
<强>更新强>
实际上更好的方法是编译元素而不是编译元素,我们需要$compile
函数本身的link
元素。使用$compile
在链接fn中编译DOM的原因是我们的ng-class
属性确实包含范围变量,就像myForm.name.$invalid
一样,所以当我们$compile
编译的DOM时函数然后他们没有评估myForm.name.$invalid
变量的值,因为编译器无法访问范围&amp;总是undefined
或blank
。因此,虽然在link
内编译DOM会使所有范围值都可用,但是包含myForm.name.$invalid
,所以在使用指令范围编译之后,您的ng-class
指令绑定将起作用。
<强>代码强>
compile: function(element) {
//..other code will be as is..
element.removeAttr("nx-validate");
//var fn = $compile(element); //remove this line from compile fn
return function($scope, element) {
//fn($scope);
$compile(element)($scope); //added in postLink to compile dom to get binding working
}
}