我正在尝试对表单的密码字段进行一些验证检查。我正在调用函数onkeypress
来检查capsLock是打开还是关闭,然后onblur
函数检查密码字段值。但是,当我在密码字段中输入任何值时,onblur和onkeypress一起立即运行。这违背了我检查大写锁定然后检查字段值的目的。
HTML:
<input type="password" size=50 name="password" value="" onkeypress="checkCapsLock(event);" onblur="chkPsw(this.value);">
JavaScript:
function chkPsw(inpsw){
var psw = inpsw.toLowerCase(inpsw);
psw = trim(psw);
if (psw.length<4 || psw.length>15){
alert ('password length can be min. 4 and max. 15 chars' );
return false;
}
var p1=/^[a-z0-9_\-\!\@\$\%\&\(\)\{\}\[\]\<\>]+$/;/* a-z 0-9 _ - ! @ $ % & ( ) { } [ ] < > */
if(p1.test(psw)) {
alert("The password:::: "+psw+" :::: is ok.");
return true;
} else {
var p2 = /\s+/;
if (p2.test(psw)){
alert(psw+" is not ok. Space is not allowed.");
return false;
} else{
alert(psw+"\n is not ok only a-z 0-9 _ - ! @ $ % & ( ) { } [ ] < > ");
return false;
}
}
}
function checkCapsLock( e ) {
var myKeyCode=0;
var myShiftKey=false;
var myMsg='Caps Lock is On.\n\nTo prevent entering your password incorrectly,\nyou should press Caps Lock to turn it off.';
// Internet Explorer 4+
if ( document.all ) {
myKeyCode=e.keyCode;
myShiftKey=e.shiftKey;
}
if ( ( myKeyCode >= 65 && myKeyCode <= 90 ) && !myShiftKey ) {
alert( myMsg );
return false;
} else if ( ( myKeyCode >= 97 && myKeyCode <= 122 ) && myShiftKey ) {
alert( myMsg );
return false;
} else {
return true;
}
}
我想我说得很清楚。如果有人可以帮助我,那将是很好。
我要的是,当有人开始在此密码字段中输入内容时,将检查capsLock的状态并告知用户,然后在填写完整字段并将用户移至下一个字段时,将检查密码值。
最佳答案
好吧,问题在于您使用警报框来通知用户(错误做法和令人讨厌),这会导致密码字段失去焦点。
解决方案?使用布尔条件,
这是一个jQuery示例(我正在清理您的代码),
jsFiddle:http://jsfiddle.net/MnMps/
jQuery.fn.caps = function(cb){
return this.keypress(function(e){
var w = e.which ? e.which : (e.keyCode ? e.keyCode : -1);
var s = e.shiftKey ? e.shiftKey : (e.modifiers ? !!(e.modifiers & 4) : false);
var c = ((w >= 65 && w <= 90) && !s) || ((w >= 97 && w <= 122) && s);
cb.call(this, c);
});
};
var alerting = false;
$('#password').caps(function(caps){
if(caps){
alerting = true;
alert('Unintentional uppercase leads to wars!');
}
});
$('#password').blur(function() {
if(alerting == false && !this.value.match(/^[a-z0-9_\-\!\@\$\%\&\(\)\{\}\[\]\<\>]+$/)) {
alert("Abort! Invalid character detected!");
}
alerting = false;
});
PS:Capslock检测的道具,http://plugins.jquery.com/plugin-tags/caps-lock
编辑:放弃清理代码。