--- title: Constraint validation slug: Web/Guide/HTML/HTML5/Constraint_validation tags: - Селекторы translation_of: Web/Guide/HTML/HTML5/Constraint_validation original_slug: HTML/HTML5/Constraint_validation ---
Создание веб форм всегда было комплексной задачей. В то время как сама по себе разметка формы - задача не сложная, проверка каждого поля на валидность - сложнее, а информирование пользователя о проблеме - может стать головной болью. Стандарт HTML5 предоставил новые механизмы для форм: были добавлены новые семантические типы для элемента {{ HTMLElement("input") }} и обязательная валидация, чтобы облегчить работу по проверке содержимого формы на стороне браузера. Проще говоря, обычная проверка может быть выполнена без JavaScript, простой установкой новых атрибутов; более сложные ограничения могут быть реализованы через HTML5 Constraint Validation API.
В HTML5, базовые ограничения описываются двумя способами:
Атрибуты, присущие элементам {{ htmlattrxref("type", "input") }}:
Input type | Определение ограничения | Связанное с этим нарушение |
---|---|---|
<input type="URL"> | Значение должно быть абсолютным URL, одним из: | Type mismatch constraint violation |
<input type="email"> | Значение должно следовать ABNF: 1*( atext / "." ) "@" ldh-str 1*( "." ldh-str ) где:
Внимание: если установлен атрибут {{ htmlattrxref("multiple", "input") }}, в поле могут быть вписаны несколько e-mail адресов, разделённых запятыми. Если любое из этих условий не выполнено, будет вызвано Type mismatch constraint violation.
|
Type mismatch constraint violation |
Следует учесть, что большинство типов input не имеют "нативных" ограничений, а некоторые из них просто лишены валидации или имеют автоматическую корректировку невалидных значений по умолчанию.
Ниже перечислены атрибуты, которые описывают базовые ограничения:
Атрибут | Типы input с поддержкой атрибута | Возможные значения | Описание ограничения | Связанное нарушение |
---|---|---|---|---|
{{ htmlattrxref("pattern", "input") }} | text, search, url, tel, email, password | Регулярное выражение JavaScript (по стандарту ECMAScript 5, флаги global , ignoreCase , и multiline отключены) |
Значение должно подходить под паттерн | Pattern mismatch constraint violation |
{{ htmlattrxref("min", "input") }} | range, number | Валидное число | Значение поля должно быть больше или равно значению атрибута | Underflow constraint violation |
date, month, week | Валидная дата | |||
datetime, datetime-local, time | Валидная дата и время | |||
{{ htmlattrxref("max", "input") }} | range, number | Валидное число | Значение поля должно быть меньше или равно значению атрибута | Overflow constraint violation |
date, month, week | Валидная дата | |||
datetime, datetime-local, time | Валидная дата и время | |||
{{ htmlattrxref("required", "input") }} | text, search, url, tel, email, password, date, datetime, datetime-local, month, week, time, number, checkbox, radio, file; also on the {{ HTMLElement("select") }} and {{ HTMLElement("textarea") }} elements | никакое так как это Boolean атрибут: его присутствие означает true, а отсутствие - false | Значение должно быть не пустым (если установлено). | Missing constraint violation |
{{ htmlattrxref("step", "input") }} | date | Целое число дней | Пока в атрибут step не установлен любой литерал, значение может быть min + любое число, красное шагу. |
Step mismatch constraint violation |
month | Целое число месяцев | |||
week | Целое число недель | |||
datetime, datetime-local, time | Целое число секунд | |||
range, number | Целое число | |||
{{ htmlattrxref("maxlength", "input") }} | text, search, url, tel, email, password; также на элементе {{ HTMLElement("textarea") }} | Длина (целое число) | Количество символов (знаков) не должно превышать значение атрибута. | Too long constraint violation |
Constraint validation is done through the Constraint Validation API either on a single form element or at the form level, on the {{ HTMLElement("form") }} element itself. The constraint validation is done in the following ways:
HTMLInputElement
, HTMLSelectElement
, HTMLButtonElement
or HTMLTextAreaElement
), which evaluates the constraints only on this element, allowing a script to get this information. (This is typically done by the user-agent when determining which of the CSS pseudo-classes, {{ Cssxref(":valid") }} or {{ Cssxref(":invalid") }}, applies.)HTMLFormElement
interface, which is called statically validating the constraints.
The postal code format varies from one country to another. Not only do most countries allow an optional prefix with the country code (like D-
in Germany, F-
in France or Switzerland), but some countries have postal codes with only a fixed number of digits; others, like the UK, have more complex structures, allowing letters at some specific positions.
Note: This is not a comprehensive postal code validation library, but rather a demonstration of the key concepts.
As an example, we will add a script checking the constraint validation for this simple form:
<form> <label for="ZIP">ZIP : </label> <input type="text" id="ZIP"> <label for="Country">Country : </label> <select id="Country"> <option value="ch">Switzerland</option> <option value="fr">France</option> <option value="de">Germany</option> <option value="nl">The Netherlands</option> </select> <input type="submit" value="Validate"> </form>
This displays the following form:
First, we write a function checking the constraint itself:
function checkZIP() { // For each country, defines the pattern that the ZIP has to follow var constraints = { ch : [ '^(CH-)?\\d{4}$', "Switzerland ZIPs must have exactly 4 digits: e.g. CH-1950 or 1950" ], fr : [ '^(F-)?\\d{5}$' , "France ZIPs must have exactly 5 digits: e.g. F-75012 or 75012" ], de : [ '^(D-)?\\d{5}$' , "Germany ZIPs must have exactly 5 digits: e.g. D-12345 or 12345" ], nl : [ '^(NL-)?\\d{4}\\s*([A-RT-Z][A-Z]|S[BCE-RT-Z])$', "Nederland ZIPs must have exactly 4 digits, followed by 2 letters except SA, SD and SS" ] }; // Read the country id var country = document.getElementById("Country").value; // Get the NPA field var ZIPField = document.getElementById("ZIP"); // Build the constraint checker var constraint = new RegExp(constraints[country][0], ""); console.log(constraint); // Check it! if (constraint.test(ZIPField.value)) { // The ZIP follows the constraint, we use the ConstraintAPI to tell it ZIPField.setCustomValidity(""); } else { // The ZIP doesn't follow the constraint, we use the ConstraintAPI to // give a message about the format required for this country ZIPField.setCustomValidity(constraints[country][1]); } }
Then we link it to the onchange event for the {{ HTMLElement("select") }} and the oninput event for the {{ HTMLElement("input") }}:
window.onload = function () { document.getElementById("Country").onchange = checkZIP; document.getElementById("ZIP").oninput = checkZIP; }
You can see a live example of the postal code validation.
Another common constraint is to limit the size of a file to be uploaded. Checking this on the client side before the file is transmitted to the server requires combining the Constraint API, and especially the field.setCustomValidity() method, with another JavaScript API, here the HTML5 File API.
Here is the HTML part:
<label for="FS">Select a file smaller than 75 kB : </label> <input type="file" id="FS">
This displays:
The JavaScript reads the file selected, uses the File.size() method to get its size, compares it to the (hard coded) limit, and calls the Constraint API to inform the browser if there is a violation:
function checkFileSize() { var FS = document.getElementById("FS"); var files = FS.files; // If there is (at least) one file selected if (files.length > 0) { if (files[0].size > 75 * 1024) { // Check the constraint FS.setCustomValidity("The selected file must not be larger than 75 kB"); return; } } // No custom constraint violation FS.setCustomValidity(""); }
Finally we hook the method with the correct event:
window.onload = function () { document.getElementById("FS").onchange = checkFileSize; }
You can see a live example of the File size constraint validation.
Apart from setting constraints, web developers want to control what messages are displayed to the users and how they are styled.
The look of elements can be controlled via CSS pseudo-classes.
The :required
and :optional
pseudo-classes allow writing selectors that match form elements that have the {{ htmlattrxref("required") }} attribute, or that don't have it.
See :-moz-placeholder.
The :valid and :invalid pseudo-classes are used to represent <input> elements whose content validates and fails to validate respectively according to the input's type setting. These classes allow the user to style valid or invalid form elements to make it easier to identify elements that are either formatted correctly or incorrectly.
The x-moz-errormessage attribute is a Mozilla extension that allows you to specify the error message to display when a field does not successfully validate.
Note: This extension is non-standard.
The element.setCustomValidity(error) method is used to set a custom error message to be displayed when a form is submitted. The method works by taking a string parameter error. If error is a non-empty string, the method assumes validation was unsuccessful and displays error as an error message. If error is an empty string, the element is considered validated and resets the error message.
The DOM ValidityState
interface represents the validity states that an element can be in, with respect to constraint validation. Together, they help explain why an element's value fails to validate, if it's not valid.