1、Form表单验证
JavaScript提供了一种在将表单数据发送到web服务器之前在客户端计算机上验证表单数据的方法。表单验证通常有两种:
必填字段验证:必须检查表单,确保填写了所有必填字段。它只需要循环遍历表单中的每个字段并检查数据。
数据格式验证:必须检查输入的数据的格式和值是否正确。代码必须包含适当的逻辑以测试数据的正确性。
例如,
<html>
<head>
<title>Form Validation</title>
<script type = "text/javascript">
<!--
// 表单验证代码应该写在这里。
//-->
</script>
</head>
<body>
<form action = "/cjavapy/test.cgi" name = "myForm" onsubmit = "return(validate());">
<table cellspacing = "2" cellpadding = "2" border = "1">
<tr>
<td align = "right">名字</td>
<td><input type = "text" name = "Name" /></td>
</tr>
<tr>
<td align = "right">邮箱</td>
<td><input type = "text" name = "EMail" /></td>
</tr>
<tr>
<td align = "right">邮编</td>
<td><input type = "text" name = "Code" /></td>
</tr>
<tr>
<td align = "right">国家</td>
<td>
<select name = "Country">
<option value = "-1" selected>[choose yours]</option>
<option value = "1">北京</option>
<option value = "2">上海</option>
<option value = "3"></option>
</select>
</td>
</tr>
<tr>
<td align = "right"></td>
<td><input type = "submit" value = "提交" /></td>
</tr>
</table>
</form>
</body>
</html>
2、Form表单必填字段验证
上面的表单中,当onsubmit
事件触发时,表单数据提交之前,调用validate()
来验证数据。
例如,
<script type = "text/javascript">
function validate() {
if( document.myForm.Name.value == "" ) {
alert( "请输入名字!" );
document.myForm.Name.focus() ;
return false;
}
if( document.myForm.EMail.value == "" ) {
alert( "请输入邮箱!" );
document.myForm.EMail.focus() ;
return false;
}
if( document.myForm.Code.value == "" || isNaN( document.myForm.Code.value ) ||
document.myForm.Code.value.length != 6 ) {
alert( "请输入邮编格式为 ######" );
document.myForm.Code.focus() ;
return false;
}
if( document.myForm.Country.value == "-1" ) {
alert( "请输入国家!" );
return false;
}
return( true );
}
</script>
3、数据格式验证
除了必填字段验证,还需要验证一下提交的数据是否满足指定的格式,例如邮箱的格式需要有@,邮编的格式应该是6位数字。
例如,
<script type = "text/javascript">
function validateEmail() {
var emailID = document.myForm.EMail.value;
atpos = emailID.indexOf("@");
dotpos = emailID.lastIndexOf(".");
if (atpos < 1 || ( dotpos - atpos < 2 )) {
alert("Please enter correct email ID")
document.myForm.EMail.focus() ;
return false;
}
return( true );
}
function validateCode(){
var postcode = document.myForm.Code.value;
if (postcode != "") { //邮政编码判断
var pattern = /^[0-9]{6}$/;
flag = pattern.test(postcode);
if (!flag) {
alert("非法的邮政编码!")
document.myForm.Code.focus();
return false;
}
}
}
</script>