数字と文字のみを許可するフォームテキストフィールドがあります(つまり、#$!などは使用できません)。ユーザーが数字と文字以外の文字を使用しようとしていますか?プラグインを見つけようとしましたが、実際にこれを行うものは見つかりませんでした...
$('input').keyup(function() {
var $th = $(this);
$th.val( $th.val().replace(/[^a-zA-Z0-9]/g, function(str) { alert('You typed " ' + str + ' ".\n\nPlease use only letters and numbers.'); return ''; } ) );
});
編集:
ここには、入力が行われないようにする良い答えがいくつかあります。
あなたもエラーを表示したかったので、私は私のものを更新しました。置換では、文字列の代わりに関数を使用できます。関数が実行され、置換値が返されます。エラーを表示するためにalert
を追加しました。
まあパトリックの答えは、実際には防止文字がフィールドに挿入されないようにするために、間違っている場合は文字を削除します
$("#field").keypress(function(e) {
// Check if the value of the input is valid
if (!valid)
e.preventDefault();
});
この方法では、手紙はtextareaに来ません
$('#yourfield').keydown(function(e) {
// Check e.keyCode and return false if you want to block the entered character.
});
Keypressとkeyupの検証を組み合わせると、最良の結果が得られることがわかりました。貼り付けたテキストのコピーを処理する場合は、キーアップが必須です。また、テキストボックスに数値以外の値を許可するクロスブラウザーの問題の場合にも、すべてをキャッチします。
$("#ZipCode").keypress(function (event) {
var key = event.which || event.keyCode; //use event.which if it's truthy, and default to keyCode otherwise
// Allow: backspace, delete, tab, and enter
var controlKeys = [8, 9, 13];
//for mozilla these are arrow keys
if ($.browser.mozilla) controlKeys = controlKeys.concat([37, 38, 39, 40]);
// Ctrl+ anything or one of the conttrolKeys is valid
var isControlKey = event.ctrlKey || controlKeys.join(",").match(new RegExp(key));
if (isControlKey) {return;}
// stop current key press if it's not a number
if (!(48 <= key && key <= 57)) {
event.preventDefault();
return;
}
});
$('#ZipCode').keyup(function () {
//to allow decimals,use/[^0-9\.]/g
var regex = new RegExp(/[^0-9]/g);
var containsNonNumeric = this.value.match(regex);
if (containsNonNumeric)
this.value = this.value.replace(regex, '');
});
この拡張機能を試すことができます:
jQuery.fn.ForceAlphaNumericOnly =
function()
{
return this.each(function()
{
$(this).keydown(function(e)
{
var key = e.charCode || e.keyCode || 0;
// allow backspace, tab, delete, arrows, letters, numbers and keypad numbers ONLY
return (
key == 8 ||
key == 9 ||
key == 46 ||
(key >= 37 && key <= 40) ||
(key >= 48 && key <= 57) ||
(key >= 65 && key <= 90) ||
(key >= 96 && key <= 105));
})
})
};
使用法:
$("#yourInput").ForceAlphaNumericOnly();
上記のjquery拡張(ForceAlphaNumericOnly)は適切ですが、!@#$%^&*()
を介して次の文字を許可します
私のMacでは、 shift キー(キーコード16
)その後 1、!
と入力しますが、キーコードは49
のキーコードである1
です。
$(document).ready(function() {
$('.ipFilter').keydown((e) => {
if ($.inArray(e.keyCode, [46, 8, 9, 27, 13, 110, 190]) !== -1 ||
(e.keyCode === 65 && (e.ctrlKey === true || e.metaKey === true) ||
e.keyCode === 67 && (e.ctrlKey === true || e.metaKey === true) ||
e.keyCode === 86 && (e.ctrlKey === true || e.metaKey === true) ||
e.keyCode === 82 && (e.ctrlKey === true || e.metaKey === true)) ||
(e.keyCode >= 35 && e.keyCode <= 40 )) {
return;
}
if ((e.shiftKey || (e.keyCode < 48 || e.keyCode > 57)) && (e.keyCode < 96 || e.keyCode > 105)) {
e.preventDefault();
}
});
});