0

我正在验证电子邮件地址。但这并不能验证我是否使用了正确的 tld。我只想验证 .com、.in、.org、.gov 和 .jo 。如何做到这一点?我的代码是这样的:

function validateConsumerEmail(){
    email = document.getElementById('customer_email').value;
    if ((email == null)||(email == "")){
        alert("Please Enter a Valid Consumer Email Address...")
        document.consumerEmail.customer_email.focus();
        return false
    }
    if (echeck(email)==false){
       email=""
       document.consumerEmail.customer_email.focus();
       return false
    }
    if(email != ''){
      var splitting = email.split('@');
      if(!isNaN(splitting[0])){
    alert('Please provide proper email address...');
    document.consumerEmail.customer_email.focus();
    return false;
      }
      if(splitting[0].length<6 || splitting[0].length > 250){
    alert('Please provide proper email address...');
    document.consumerEmail.customer_email.focus();
    return false;
       }

    }
}

其中 customer_email 是字段名称的 id。

function echeck(str) {

   var at="@"
   var dot="."
   var lat=str.indexOf(at)
   var lstr=str.length
   var ldot=str.indexOf(dot)
   if (str.indexOf(at)==-1){
      alert("Please provide valid email ID.");
      return false
   }
   if (str.indexOf(at)==-1 || str.indexOf(at)==0 || str.indexOf(at)==lstr){
      alert("Please provide valid email ID.");
      return false
   }

   if (str.indexOf(dot)==-1 || str.indexOf(dot)==0 || str.indexOf(dot)==lstr){
     alert("Please provide valid email ID.");
     return false
   }

   if (str.indexOf(at,(lat+1))!=-1){
     alert("Please provide valid email ID.");
     return false
   }

   if (str.substring(lat-1,lat)==dot || str.substring(lat+1,lat+2)==dot){
    alert("Please provide valid email ID.");
    return false
   }

   if (str.indexOf(dot,(lat+2))==-1){
    alert("Please provide valid email ID.");
    return false
   }

   if (str.indexOf(" ")!=-1){
    alert("Please provide valid email ID.");
    return false
   }

  return true                   
}
4

1 回答 1

0

试试这个。对于电子邮件地址的验证,您确实想使用 REGEX,因为您当前的代码允许通过各种无效的电子邮件,并且不允许许多有效的电子邮件。

也就是说,能够真正验证任何有效的电子邮件是一个讨论点,并且已经存在多年。我的示例基于此电子邮件匹配器 REGEX的改编版本。

我还稍微简化了您的代码。echeck因为你没有提供这个,所以我没有打电话。根据需要重新添加。

function validateConsumerEmail(){

    //prep
    var email = document.getElementById('customer_email'), error;

    //validate
    if (!email.value || !/^[\w\.%\+\-]+@[a-z0-9.-]+\.(com|gov|in|jo|org)$/i.test(email.value))
        error = 'Please enter a valid e-mail, with the domain .com, .in, .org, .jo or .gov';

    //feedback
    if (error) {
        email.focus();
        return false;
    } else {
        //OK - do something here
    }

}

​</p>

于 2012-07-05T07:51:27.160 回答