我有以下代码,当长度为0时,阻止用户输入空格。现在,当长度为0时,如何防止用户输入所有特殊字符(az AZ 0-9以外的任何字符)?
$('#DivisionName').bind('keypress', function(e) {
if($('#DivisionName').val().length == 0){
if (e.which == 32){//space bar
e.preventDefault();
}
}
});
这是我的文本框。
<input type="text" id="DivisionName" />
答案 0 :(得分:19)
字母和数字范围是(包括):
这是您对e.which
的比较。
if (e.which < 48 ||
(e.which > 57 && e.which < 65) ||
(e.which > 90 && e.which < 97) ||
e.which > 122) {
e.preventDefault();
}
或者,使用逆逻辑:
var valid = (e.which >= 48 && e.which <= 57) || (e.which >= 65 && e.which <= 90) || (e.which >= 97 && e.which <= 122);
if (!valid) {
e.preventDefault();
}
<强>更新强>
即便如此,您仍可能希望使用正则表达式验证字段内容:
if (/^[A-Z0-9]+$/i.test(value)) {
// it looks okay now
}
或者通过替换坏东西来修复该字段:
var stripped = value.replace(/[^A-Z0-9]+/i, '');
答案 1 :(得分:7)
这就是你要找的东西:
$('#DivisionName').bind('keypress', function(e) {
if($('#DivisionName').val().length == 0){
var k = e.which;
var ok = k >= 65 && k <= 90 || // A-Z
k >= 97 && k <= 122 || // a-z
k >= 48 && k <= 57; // 0-9
if (!ok){
e.preventDefault();
}
}
});
答案 2 :(得分:-1)
您可以使用正则表达式来验证字符串。
像^[a-zA-z0-9].*
这是一篇关于在javascript中测试正则表达式的文章 :http://www.w3schools.com/jsref/jsref_regexp_test.asp
你甚至可以绑定一个改变事件,而不是一个按键。