注: これは angular 1.2.0-rc.3 の例です。他のバージョンでは動作が異なる場合があります
他の人が述べているように、角度のデフォルトの入力検証をオフにするのは少し複雑です。入力要素に独自のディレクティブを追加し、そこで処理する必要があります。セルゲイの答えは正しいですが、要素に複数のバリデーターが必要で、組み込みのバリデーターを起動したくない場合は、いくつかの問題が発生します。
必要なバリデーターが追加されたメールフィールドを検証する例を次に示します。何が起こっているのかを説明するために、コードにコメントを追加しました。
入力要素
<input type="email" required>
指令
angular.module('myValidations', [])
.directive('input', function () {
var self = {
// we use ?ngModel since not all input elements
// specify a model, e.g. type="submit"
require: '?ngModel'
// we need to set the priority higher than the base 0, otherwise the
// built in directive will still be applied
, priority: 1
// restrict this directive to elements
, restrict: 'E'
, link: function (scope, element, attrs, controller) {
// as stated above, a controller may not be present
if (controller) {
// in this case we only want to override the email validation
if (attrs.type === 'email') {
// clear this elements $parsers and $formatters
// NOTE: this will disable *ALL* previously set parsers
// and validators for this element. Beware!
controller.$parsers = [];
controller.$formatters = [];
// this function handles the actual validation
// see angular docs on how to write custom validators
// http://docs.angularjs.org/guide/forms
//
// in this example we are not going to actually validate an email
// properly since the regex can be damn long, so apply your own rules
var validateEmail = function (value) {
console.log("Validating as email", value);
if (controller.$isEmpty(value) || /@/.test(value)) {
controller.$setValidity('email', true);
return value;
} else {
controller.$setValidity('email', false);
return undefined;
}
};
// add the validator to the $parsers and $formatters
controller.$parsers.push(validateEmail);
controller.$formatters.push(validateEmail);
}
}
}
};
return self;
})
// define our required directive. It is a pretty standard
// validation directive with the exception of it's priority.
// a similar approach must be take with all validation directives
// you would want to use alongside our `input` directive
.directive('required', function () {
var self = {
// required should always be applied to a model element
require: 'ngModel'
, restrict: 'A'
// The priority needs to be higher than the `input` directive
// above, or it will be removed when that directive is run
, priority: 2
, link: function (scope, element, attrs, controller) {
var validateRequired = function (value) {
if (value) {
// it is valid
controller.$setValidity('required', true);
return value;
} else {
// it is invalid, return undefined (no model update)
controller.$setValidity('required', false);
return undefined;
}
};
controller.$parsers.push(validateRequired);
}
};
return self;
})
;
そこにあります。type="email"
入力の検証を制御できるようになりました。ただし、適切な正規表現を使用してメールをテストしてください。
注意すべきことの 1 つは、この例validateEmail
では の前に実行されることvalidateRequired
です。他の検証の前に実行する必要がある場合はvalidateRequired
、それを$parsers
配列の先頭に追加します (unshift
の代わりに使用しますpush
)。