我一直在尝试使用以下javascript代码验证联系表单上的多个字段。验证适用于要验证的第一个项目,即名称字段,但不适用于第二个电子邮件字段。如果填写了名称字段,则验证似乎会跳过电子邮件字段检查,如果该字段为空并且表单已提交。
function validateForm()
{
var n = document.contact.name.value;
n = n.trim();
var ema = document.contact.email.value;
ema = ema.trim();
//Check if the name is missing
if (n == null || n == "" || empty(n))
{
alert("Please enter your name.");
document.contact.name.focus();
return false;
}
//Check if the email is missing
else if ( ema == null || ema == "" || empty(ema) )
{
alert( "Please enter your email address." );
document.contact.email.focus();
return false;
}
else
{
return( true );
}
}
以下是联系表单上的HTML:
<FORM name="contact" METHOD="POST" ACTION="thankyou.php" onsubmit="return validateForm()">
<input type="checkbox" name="newsletter" value="YES" width="30" height="30"> Check the box to subscribe to Herb's Newsletter
<input type="text" class="form-control" size=20 name="name" placeholder="Your name" />
<input type="email" class="form-control" name="email" placeholder="Email Address" />
<input class="btn btn-theme btn-subscribe" type="submit" value="Send" />
</form>
谢谢
答案 0 :(得分:1)
您似乎在empty
条款中使用了if
函数,这些函数似乎没有被定义,也不是标准javascript函数的一部分。试着摆脱它:
function validateForm() {
var n = document.contact.name.value;
n = n.trim();
var ema = document.contact.email.value;
ema = ema.trim();
//Check if the name is missing
if (n == null || n == "") {
alert("Please enter your name.");
document.contact.name.focus();
return false;
} else if (ema == null || ema == "") {
//Check if the email is missing
alert( "Please enter your email address." );
document.contact.email.focus();
return false;
} else {
return true;
}
}
这里是live demo。
答案 1 :(得分:0)
在您的代码中,您使用else if语句。
基本上你的代码所做的是:
check name -> if that is falsy check email -> if that is falsy move into else condition
。
但是当名称为true时,if语句不会移动到else
条件,因为它已经满足了。因此,如果要同时检查两者,则要么将语句分开并创建5个单独的ifs,将其设置为switch语句,要么创建一个长检查。例如:
if ((n == null || n == "" || empty(n)) || ( ema == null || ema == "" || empty(ema) ))
{
alert("Something is missing");
return false;
}
else
{
return( true );
}
或您使用多个ifs:
function validateForm() {
var n = document.contact.name.value;
n = n.trim();
var ema = document.contact.email.value;
ema = ema.trim();
//Check if the name is missing
if (n == null || n == "" || empty(n))
{
alert("Please enter your name.");
document.contact.name.focus();
return false;
}
//Check if the email is missing
if ( ema == null || ema == "" || empty(ema) )
{
alert( "Please enter your email address." );
document.contact.email.focus();
return false;
}
return( true );
}
除非触发其中一个if语句,否则后者将始终返回true。
请参阅下面的回答关于empty()的事情。我不知道那是什么,如果它搞砸了什么。