사용자가 필드를 떠난 후 필드 유효성 검사
AngularJS를 사용 하면 사용자가 필드에 입력했는지 여부를 사용 ng-pristine
하거나 ng-dirty
감지 할 수 있습니다 . 그러나 사용자가 필드 영역을 떠난 후에 만 클라이언트 측 유효성 검사를 수행하고 싶습니다. 이는 사용자가 전자 메일 또는 전화와 같은 필드에 입력 할 때 전체 전자 메일 입력을 완료 할 때까지 항상 오류가 발생하며 이는 최적의 사용자 환경이 아니기 때문입니다.
최신 정보:
Angular는 이제 사용자 정의 흐림 이벤트와 함께 제공됩니다 : https://docs.angularjs.org/api/ng/directive/ngBlur
Angular 1.3에는 이제 ng-model-options가 있으며 { 'updateOn': 'blur'}
예를 들어 옵션을 설정할 수 있으며 사용이 너무 빨리 입력하거나 값 비싼 DOM 작업을 저장하려는 경우 (모델 작성과 같은) 디 바운스 할 수도 있습니다. 여러 DOM 장소로 이동하고 모든 키를 누를 때마다 $ digest 사이클이 발생하는 것을 원하지 않습니다)
https://docs.angularjs.org/guide/forms#custom-triggers 및 https://docs.angularjs.org/guide/forms#non-immediate-debounced-model-updates
기본적으로 콘텐츠를 변경하면 모델 업데이트 및 양식 유효성 검사가 트리거됩니다. ngModelOptions 지시문을 사용하여이 동작을 재정 의하여 지정된 이벤트 목록에만 바인딩 할 수 있습니다. Ie ng-model-options = "{updateOn : 'blur'}"는 컨트롤이 포커스를 잃은 후에 만 업데이트하고 유효성을 검사합니다. 공백으로 구분 된 목록을 사용하여 여러 이벤트를 설정할 수 있습니다. Ie ng-model-options = "{updateOn : '마우스 다운 흐림'}"
그리고 디 바운스
ngModelOptions 지시문과 함께 debounce 키를 사용하여 모델 업데이트 / 검증을 지연 할 수 있습니다. 이 지연은 파서, 유효성 검사기 및 $ dirty 또는 $ pristine과 같은 모델 플래그에도 적용됩니다.
Ie ng-model-options = "{debounce : 500}"는 모델 업데이트 및 양식 유효성 검사를 트리거하기 전에 마지막 콘텐츠 변경 이후 0.5 초 동안 기다립니다.
버전 1.3.0부터는를 사용하여 쉽게 수행 할 수 있으며 $touched
, 이는 사용자가 필드를 떠난 후에 적용됩니다.
<p ng-show="form.field.$touched && form.field.$invalid">Error</p>
https://docs.angularjs.org/api/ng/type/ngModel.NgModelController
@jlmcdonald가 제안한 내용을 확장하여이 문제를 해결했습니다. 모든 입력 및 선택 요소에 자동으로 적용되는 지시문을 만들었습니다.
var blurFocusDirective = function () {
return {
restrict: 'E',
require: '?ngModel',
link: function (scope, elm, attr, ctrl) {
if (!ctrl) {
return;
}
elm.on('focus', function () {
elm.addClass('has-focus');
scope.$apply(function () {
ctrl.hasFocus = true;
});
});
elm.on('blur', function () {
elm.removeClass('has-focus');
elm.addClass('has-visited');
scope.$apply(function () {
ctrl.hasFocus = false;
ctrl.hasVisited = true;
});
});
elm.closest('form').on('submit', function () {
elm.addClass('has-visited');
scope.$apply(function () {
ctrl.hasFocus = false;
ctrl.hasVisited = true;
});
});
}
};
};
app.directive('input', blurFocusDirective);
app.directive('select', blurFocusDirective);
이렇게하면 사용자가 요소에 집중 / 방문 할 때 다양한 요소 에 has-focus
및 has-visited
클래스 가 추가됩니다 . 그런 다음 이러한 클래스를 CSS 규칙에 추가하여 유효성 검사 오류를 표시 할 수 있습니다.
input.has-visited.ng-invalid:not(.has-focus) {
background-color: #ffeeee;
}
이것은 요소가 여전히 $ invalid 속성 등을 얻는다는 점에서 잘 작동하지만 CSS를 사용하여 사용자에게 더 나은 경험을 제공 할 수 있습니다.
저는 아주 간단한 CSS로 이것을 할 수있었습니다. 이렇게하려면 오류 메시지가 관련된 입력의 형제 여야하고 error
.
:focus ~ .error {
display:none;
}
이 두 가지 요구 사항을 충족하면 집중된 입력 필드와 관련된 오류 메시지가 숨겨집니다. angularjs가 어쨌든해야 할 일이라고 생각합니다. 감독처럼 보입니다.
이것은 angular의 최신 버전에서 표준으로 구현 된 것 같습니다.
ng-untouched 및 ng-touched 클래스 는 사용자가 검증 된 요소에 초점을 맞추기 전과 후에 각각 설정됩니다.
CSS
input.ng-touched.ng-invalid {
border-color: red;
}
@lambinator의 솔루션 과 관련하여 ... angular.js 1.2.4에서 다음 오류가 발생했습니다.
오류 : [$ rootScope : inprog] $ digest가 이미 진행 중입니다.
내가 잘못했는지 또는 이것이 Angular의 변경인지 확실하지 않지만 scope.$apply
문을 제거하면 문제가 해결되고 클래스 / 상태가 여전히 업데이트되고 있습니다.
이 오류도 표시되는 경우 다음을 시도해보십시오.
var blurFocusDirective = function () {
return {
restrict: 'E',
require: '?ngModel',
link: function (scope, elm, attr, ctrl) {
if (!ctrl) {
return;
}
elm.on('focus', function () {
elm.addClass('has-focus');
ctrl.$hasFocus = true;
});
elm.on('blur', function () {
elm.removeClass('has-focus');
elm.addClass('has-visited');
ctrl.$hasFocus = false;
ctrl.$hasVisited = true;
});
elm.closest('form').on('submit', function () {
elm.addClass('has-visited');
scope.$apply(function () {
ctrl.hasFocus = false;
ctrl.hasVisited = true;
});
});
}
};
};
app.directive('input', blurFocusDirective);
app.directive('select', blurFocusDirective);
javascript blur () 메서드를 래핑하고 트리거 될 때 유효성 검사 함수를 실행하는 사용자 지정 지시문을 작성하는 것이 좋습니다. 샘플 1이있는 Angular 문제가 있습니다 (Angular에서 기본적으로 지원되지 않는 다른 이벤트에 바인딩 할 수있는 일반 지시문도 포함) :
https://github.com/angular/angular.js/issues/1277
해당 경로로 이동하지 않으려면 다른 옵션은 필드에 $ watch를 설정하고 필드가 채워지면 유효성 검사를 다시 트리거하는 것입니다.
주어진 답변을 더 선택하기 위해 CSS3 의사 클래스를 사용하고 방문한 필드 만 클래스로 표시하여 사용자가 필드에 초점을 잃을 때까지 유효성 검사 오류 표시를 지연하여 입력 태그 지정을 단순화 할 수 있습니다.
(예제에는 jQuery가 필요합니다)
자바 스크립트
module = angular.module('app.directives', []);
module.directive('lateValidateForm', function () {
return {
restrict: 'AC',
link: function (scope, element, attrs) {
$inputs = element.find('input, select, textarea');
$inputs.on('blur', function () {
$(this).addClass('has-visited');
});
element.on('submit', function () {
$inputs.addClass('has-visited');
});
}
};
});
CSS
input.has-visited:not(:focus):required:invalid,
textarea.has-visited:not(:focus):required:invalid,
select.has-visited:not(:focus):required:invalid {
color: #b94a48;
border-color: #ee5f5b;
}
HTML
<form late-validate-form name="userForm">
<input type="email" name="email" required />
</form>
@nicolas 대답을 기반으로합니다. 순수한 CSS가 트릭이어야합니다. 흐림에 오류 메시지 만 표시됩니다.
<input type="email" id="input-email" required
placeholder="Email address" class="form-control" name="email"
ng-model="userData.email">
<p ng-show="form.email.$error.email" class="bg-danger">This is not a valid email.</p>
CSS
.ng-invalid:focus ~ .bg-danger {
display:none;
}
다음은 ng-messages (angular 1.3에서 사용 가능) 및 사용자 지정 지시문을 사용하는 예입니다.
사용자가 입력 필드를 처음 떠날 때 유효성 검사 메시지가 흐리게 표시되지만 값을 수정하면 유효성 검사 메시지가 즉시 제거됩니다 (더 이상 흐리게 표시되지 않음).
자바 스크립트
myApp.directive("validateOnBlur", [function() {
var ddo = {
restrict: "A",
require: "ngModel",
scope: {},
link: function(scope, element, attrs, modelCtrl) {
element.on('blur', function () {
modelCtrl.$showValidationMessage = modelCtrl.$dirty;
scope.$apply();
});
}
};
return ddo;
}]);
HTML
<form name="person">
<input type="text" ng-model="item.firstName" name="firstName"
ng-minlength="3" ng-maxlength="20" validate-on-blur required />
<div ng-show="person.firstName.$showValidationMessage" ng-messages="person.firstName.$error">
<span ng-message="required">name is required</span>
<span ng-message="minlength">name is too short</span>
<span ng-message="maxlength">name is too long</span>
</div>
</form>
추신. 모듈에 ngMessages를 다운로드하고 포함하는 것을 잊지 마십시오.
var myApp = angular.module('myApp', ['ngMessages']);
AngularJS 1.3의 ng-model-options (이 글을 쓰는 시점에서 베타 버전)는 {updateOn : 'blur'}를 지원하도록 문서화되었습니다. 이전 버전의 경우 다음과 같은 것이 저에게 효과적이었습니다.
myApp.directive('myForm', function() {
return {
require: 'form',
link: function(scope, element, attrs, formController) {
scope.validate = function(name) {
formController[name].isInvalid
= formController[name].$invalid;
};
}
};
});
다음과 같은 템플릿으로 :
<form name="myForm" novalidate="novalidate" data-my-form="">
<input type="email" name="eMail" required="required" ng-blur="validate('eMail')" />
<span ng-show="myForm.eMail.isInvalid">Please enter a valid e-mail address.</span>
<button type="submit">Submit Form</button>
</form>
Use field state $ touched 필드는 아래 예제와 같이이를 위해 터치되었습니다.
<div ng-show="formName.firstName.$touched && formName.firstName.$error.required">
You must enter a value
</div>
You can dynamically set the has-error css class (assuming you're using bootstrap) using ng-class and a property on the scope of the associated controller:
plunkr: http://plnkr.co/edit/HYDlaTNThZE02VqXrUCH?p=info
HTML:
<div ng-class="{'has-error': badEmailAddress}">
<input type="email" class="form-control" id="email" name="email"
ng-model="email"
ng-blur="emailBlurred(email.$valid)">
</div>
Controller:
$scope.badEmailAddress = false;
$scope.emailBlurred = function (isValid) {
$scope.badEmailAddress = !isValid;
};
If you use bootstrap 3 and lesscss you can enable on blur validation with the following less snippet:
:focus ~ .form-control-feedback.glyphicon-ok {
display:none;
}
:focus ~ .form-control-feedback.glyphicon-remove {
display:none;
}
.has-feedback > :focus {
& {
.form-control-focus();
}
}
outI used a directive. Here is the code:
app.directive('onBlurVal', function () {
return {
restrict: 'A',
link: function (scope, element, attrs, controller) {
element.on('focus', function () {
element.next().removeClass('has-visited');
element.next().addClass('has-focus');
});
element.on('blur', function () {
element.next().removeClass('has-focus');
element.next().addClass('has-visited');
});
}
}
})
All my input control has a span element as the next element, which is where my validation message is displayed and so the directive as an attribute is added to each input control.
I also have (optional).has-focus and has-visited css class in my css file which you see being referenced in the directive.
NOTE: remember to add 'on-blur-val' exactly this way to your input control without the apostrophes
By using ng-focus you can achieve your goal. you need to provide ng-focus in your input field. And while writing your ng-show derivatives you have to write a logic not equal too. Like the below code:
<input type="text" class="form-control" name="inputPhone" ng-model="demo.phoneNumber" required ng-focus> <div ng-show="demoForm.inputPhone.$dirty && demoForm.inputPhone.$invalid && !demoForm.inputPhone.$focused"></div>
We can use onfocus and onblur functions. Would be simple and best.
<body ng-app="formExample">
<div ng-controller="ExampleController">
<form novalidate class="css-form">
Name: <input type="text" ng-model="user.name" ng-focus="onFocusName='focusOn'" ng-blur="onFocusName=''" ng-class="onFocusName" required /><br />
E-mail: <input type="email" ng-model="user.email" ng-focus="onFocusEmail='focusOn'" ng-blur="onFocusEmail=''" ng-class="onFocusEmail" required /><br />
</form>
</div>
<style type="text/css">
.css-form input.ng-invalid.ng-touched {
border: 1px solid #FF0000;
background:#FF0000;
}
.css-form input.focusOn.ng-invalid {
border: 1px solid #000000;
background:#FFFFFF;
}
</style>
Try here:
http://plnkr.co/edit/NKCmyru3knQiShFZ96tp?p=preview
참고URL : https://stackoverflow.com/questions/15798594/validate-fields-after-user-has-left-a-field
'development' 카테고리의 다른 글
Android 투명 상태 표시 줄 및 작업 표시 줄 (0) | 2020.09.02 |
---|---|
ASP.NET의 div에 대한 코드 숨김 파일에서 CSS 스타일을 어떻게 수정합니까? (0) | 2020.09.02 |
jquery를 사용하여 배경색을 어떻게 페이드 인 / 아웃합니까? (0) | 2020.09.02 |
BeautifulSoup을 사용하여 노드의 자식을 찾는 방법 (0) | 2020.09.02 |
ASP MVC 3의 한보기에 두 모델 (0) | 2020.09.02 |