如何允许使用连字符,逗号,斜杠,空格键,退格键,删除键以及字母数字值等特殊字符并限制jQuery中的其余部分?
由于此标准(允许的字符/输入值)因字段而异,我想将其作为一种实用方法,它接受输入字段id和允许的字符作为参数。 例如:limitCharacters(textid,pattern)
答案 0 :(得分:5)
您可以查看keydown
上的keyCode,如果匹配则运行preventDefault()
:
$('input').keydown(function(e) {
if (e.which == 8) { // 8 is backspace
e.preventDefault();
}
});
如果您需要限制某些字符和键码+将其变成jQuery插件,请尝试以下操作:
$.fn.restrict = function( chars ) {
return this.keydown(function(e) {
var found = false, i = -1;
while(chars[++i] && !found) {
found = chars[i] == String.fromCharCode(e.which).toLowerCase() ||
chars[i] == e.which;
}
found || e.preventDefault();
});
};
$('input').restrict(['a',8,'b']);
答案 1 :(得分:1)
我用jQuery插件格式做了类似的事情。此示例仅允许数字和句号。
你可以写一下:
$("input").forceNumeric();
插件:
jQuery.fn.forceNumeric = function () {
return this.each(function () {
$(this).keydown(function (e) {
var key = e.which || e.keyCode;
if (!e.shiftKey && !e.altKey && !e.ctrlKey &&
// numbers
key >= 48 && key <= 57 ||
// Numeric keypad
key >= 96 && key <= 105 ||
// comma, period and minus, . on keypad
key == 190 || key == 188 || key == 109 || key == 110 ||
// Backspace and Tab and Enter
key == 8 || key == 9 || key == 13 ||
// Home and End
key == 35 || key == 36 ||
// left and right arrows
key == 37 || key == 39 ||
// Del and Ins
key == 46 || key == 45)
return true;
return false;
});
});
}
答案 2 :(得分:0)
我建议将 David 解决方案用于修改键,例如退格和删除,以下代码用于字符:
var chars = /[,\/\w]/i; // all valid characters
$('input').keyup(function(e) {
var value = this.value;
var char = value[value.length-1];
if (!chars.test(char)) {
$(this).val(value.substring(0, value.length-1));
}
});
此外,我遇到了keydown
的一些问题,所以我会在keyup
上进行此操作。
演示: http://jsfiddle.net/elclanrs/QjVGV/(尝试输入点.
或分号;
)