JQuery validator и настраиваемое правило, использующее AJAX
Я прочитал ваш ответ о валидаторе jQuery, где вы изложите метод проверки имени пользователя на значение в базе данных.
Ive попытался реализовать этот метод, но независимо от того, что возвращается из файла PHP, я всегда получаю сообщение о том, что имя пользователя уже выполнено.
Вот какой пользовательский метод...
$.validator.addMethod("uniqueUserName", function(value, element) {
$.ajax({
type: "POST",
url: "php/get_save_status.php",
data: "checkUsername="+value,
dataType:"html",
success: function(msg)
{
// if the user exists, it returns a string "true"
if(msg == "true")
return false; // already exists
return true; // username is free to use
}
})}, "Username is Already Taken");
И вот код подтверждения...
username: {
required: true,
uniqueUserName: true
},
Есть ли какой-то конкретный способ, я должен возвращать сообщение из php.
Спасибо
А
Ответы
Ответ 1
Вы выполняете запрос AJAX, ergo: проверка уже завершена, когда ваш пользовательский валидатор возвращает true или false.
Вам нужно будет работать с async
. См. Также этот пост: Как я могу получить jQuery для выполнения синхронного, а не асинхронного запроса Ajax?
Что-то вроде:
function myValidator() {
var isSuccess = false;
$.ajax({ url: "",
data: {},
async: false,
success:
function(msg) { isSuccess = msg === "true" ? true : false }
});
return isSuccess;
}
Предупреждение:
Как и в jQuery 1.8, использование async: false с jqXHR ($.Deferred) является осуждается; вы должны использовать параметры успешного/ошибочного/полного ответа вместо соответствующих методов объекта jqXHR, таких как jqXHR.done() или устаревший jqXHR.success().
Ответ 2
Для всех, кто наткнулся на это, подтвердите поддержку метода 'remote', который, возможно, не существовал в 2010 году:
http://docs.jquery.com/Plugins/Validation/Methods/remote
$("#myform").validate({
rules: {
email: {
required: true,
email: true,
remote: {
url: "check-email.php",
type: "post",
data: {
username: function() {
return $("#username").val();
}
}
}
}
}
});
Ответ 3
Мне потребовалось много времени, чтобы выяснить, как получить jsonified строку, содержащую значение элемента на странице, в удаленный запрос - это результат комбинации нескольких часов и попытки поиска многих результатов поиска.
Ключевые моменты:
-
async:false
устарел,
-
вызов функции сразу после remote:
является ключом для создания строки данных со значением элемента. Попытка получить доступ к текущему значению из формы после того, как data:
возвращала пустое значение для поля с dataType
, установленным как json.
$("#EmailAddress").rules("add", {
required: true,
remote: function () { // the function allows the creation of the data string
// outside of the remote call itself, which would not
// return a current value from the form.
var emailData = "{'address':'" +
$('#SignupForm :input[id$="EmailAddress"]').val() +
"'}";
var r = {
url: "foobar.aspx/IsEmailAvailable",
type: "post",
dataType: "json",
contentType: "application/json; charset=utf-8",
cache: false,
data: emailData,
dataFilter: function(response) {
this.email_run = true; //fix for race condition with next button
return isAvailable(data); //return true or false
}
};
return r;
},
messages: {
remote: "* Email in use"
}
});
.ASPX:
<input id="EmailAddress" required name="Email" type="email" placeholder="Email Address*" runat="server"/>
Код С#:
[WebMethod]
public static object IsEmailAvailable(string address){...}
Форматирование объекта ответа:
function isAvailable(data) {
var response = JSON.parse(getJsonObject(data));
return (response.isAvailable === "True") ? true : false;
};
//transform response string to a JavaScript Object()
//http://encosia.com/never-worry-about-asp-net-ajaxs-d-again/
function getJsonObject(data) {
var msg = eval('(' + data + ')');
if (msg.hasOwnProperty('d'))
return msg.d;
else
return msg;
};
Ответ 4
Вот мой взлом старой школы...
Ниже служебная функция, которая позволяет использовать "асинхронные" проверки с библиотекой "jquery.validate.js". Эта функция создает задержку между пользовательскими нажатиями клавиш, в противном случае функция проверки "validFunc" будет вызываться "все время", что в некоторых случаях не очень эффективно и особенно проблематично для функций, которые выполняют проверки на "серверной стороне"/"бэкэнде" (в основном ajax вызывает). Таким образом, функция проверки validFunc вызывается только тогда, когда пользователь перестает печатать в течение определенного периода времени, что также позволяет выполнять проверку в реальном времени ("onkeyup": true
в настройках jqv), как это происходит, когда пользователь печатает.
ВАЖНО: Проверки, включающие использование функции "jqvAsyncValid", всегда должны быть последними, чтобы избежать конфликтов с другими из-за асинхронности.
{
[...]
"rules": {
"field_name": {
"required": true,
"maxlength": 12,
"minlength": 4,
// NOTE: Validation involving the use of the "jqvAsyncValid" function. By Questor
"my_custom_ajax_validation": true
},
[...]
}
ОТВЕТНЫЙ КОД:
// NOTE: Adds the custom validation "my_custom_ajax_validation". By Questor
$.validator.addMethod("my_custom_ajax_validation", function (value, element) {
return jqvAsyncValid(element, "my_custom_ajax_validation", myValidationFunc, this);
}, "My error message!");
// NOTE: My validation function. By Questor
function myValidationFunc(domElement) {
if (someFuncWithAjaxCall(domElement.value) == "ALL_RIGHT!") {
return true;
} else {
return false;
}
}
// NOTE: Global "json" variable that stores the "status" ("isValid") and cycle control
// ("toCtrl") of asynchronously validated elements using the "jqvAsyncValid" function.
// By Questor
var jqvAsyncVState = {};
// NOTE: A utility function that allows the use of asynchronous validations with
// "jquery.validate.js". This function creates a delay between one user keystroke and
// another otherwise the validation function "validFunc" will be called "all time"
// which is not very performative in some circumstances and especially problematic
// for functions that perform validations on the serverside/backend (ajax calls basically).
// In this way the "validFunc" validation function is only called when the user stops
// typing for a certain period of time, which also allows a "realtime" validation
// as it occurs while the user is typing. By Questor
// [Ref .: https://jqueryvalidation.org/ ]
//. domElement - DOM element informed by jqv in the "addMethod" for the anonymous
// function;
//. asyncRuleNm - Validation name added via "addMethod";
//. validFunc - Function that will do the validation. Must have the signature
// "funcName(domElement)" returning "true" for valid and "false" for not;
//. jQValidInst - Instance of the current jqv within "addMethod". It is usually
// denoted by "this";
//. toInMsecs - "Timeout" in "milliseconds". If not informed the default will be
// 1500 milliseconds. Be careful not to use a very short timeout especially in
// "ajax" calls so as not to overload the serverside/backend.
// Eg.: 'return jqvAsyncValid(element, "my_custom_ajax_validation", myValidationFunc, this);'.
function jqvAsyncValid(domElement, asyncRuleNm, validFunc, jQValidInst, toInMsecs) {
if (typeof toInMsecs === "undefined" || toInMsecs === "") {
toInMsecs = 1500;
}
var domEKey = jQValidInst.currentForm.id + domElement.name;
// NOTE: The validation messages need to be "displayed" and "hidden" manually
// as they are displayed asynchronously. By Questor
function errMsgHandler() {
if (jqvAsyncVState[domEKey]["isValid"]) {
// NOTE: If the current error message displayed on the element was that
// set in the rule added via "addMethod" then it should be removed since
// the element is valid. By Questor
// [Ref.: https://stackoverflow.com/a/11652922/3223785 ,
// https://stackoverflow.com/a/11952571/3223785 ]
if (jQValidInst.errorMap[domElement.name] == $.validator.messages[asyncRuleNm]) {
var iMsgNow = {};
iMsgNow[domElement.name] = "";
jQValidInst.showErrors(iMsgNow);
}
} else {
var iMsgNow = {};
// NOTE: If the element is invalid, get the message set by "addMethod"
// for current rule in "$.validator.messages" and show it. By Questor
iMsgNow[domElement.name] = $.validator.messages[asyncRuleNm];
jQValidInst.showErrors(iMsgNow);
}
}
if (!jqvAsyncVState.hasOwnProperty(domEKey)) {
// NOTE: Set the global json variable "jqvAsyncVState" the control attributes
// for the element to be asynchronously validated if it has not already been
// set. The key "domEKey" is formed by the "id" of the "form" that contains
// the element and the element "name". By Questor
jqvAsyncVState[domEKey] = {
"toCtrl": null,
"isValid": undefined
};
}
var useOnKeyup = true;
// NOTE: The "onblur" event is required for "first validation" that only occurs
// in a "blur" event - this is inherent to jqv - and for situations where the
// user types very fast and triggers "tab" and the event "onkeyup" can not deal
// with it. By Questor
domElement.onblur = function (e) {
jqvAsyncVState[domEKey]["isValid"] = validFunc(domElement);
errMsgHandler();
useOnKeyup = false;
}
if (useOnKeyup) {
// NOTE: The strategy with the event "onkeyup" below was created to create
// a "delay" between a "keystroke" and another one otherwise the validation
// function "validFunc" will be called "all time" which is not very performative
// in some circumstances and especially problematic for functions that perform
// serverside/backend validations (ajax calls basically). In this way the
// "validFunc" validation function is only called when the user stops typing
// for a certain period of time ("toInMsecs"). By Questor
domElement.onkeyup = function (e) {
// NOTE: Clear the "toCtrl" if it has already been set. This will
// prevent the previous task from executing if it has been less than
// "toInMsecs". By Questor
clearTimeout(jqvAsyncVState[domEKey]["toCtrl"]);
// NOTE: Make a new "toCtrl" set to go off in "toInMsecs" ms. By Questor
jqvAsyncVState[domEKey]["toCtrl"] = setTimeout(function () {
jqvAsyncVState[domEKey]["isValid"] = validFunc(domElement);
errMsgHandler();
}, toInMsecs);
};
}
return jqvAsyncVState[domEKey]["isValid"];
}