web-dev-qa-db-ja.com

jqueryで入力フィールドからの特殊文字をブロックまたは制限するにはどうすればよいですか?

Jqueryで特殊文字が入力フィールドに入力されるのをブロックするにはどうすればよいですか?

101
Nerd Stalker

正規表現を使用した簡単な例。好きなものを許可/禁止するように変更できます。

$('input').on('keypress', function (event) {
    var regex = new RegExp("^[a-zA-Z0-9]+$");
    var key = String.fromCharCode(!event.charCode ? event.which : event.charCode);
    if (!regex.test(key)) {
       event.preventDefault();
       return false;
    }
});
131
Dale

入力を英数字のみに制限し、制御文字(バックスペース、削除、タブなど)およびコピー+貼り付けの使用を許可する回答を探していました。提供した回答のどれもこれらの要件をすべて満たしていないため、inputイベントを使用して次のことを思いつきました。

$('input').on('input', function() {
  $(this).val($(this).val().replace(/[^a-z0-9]/gi, ''));
});

編集:
rinogo がコメントで指摘したように、上記のコードスニペットは、入力テキストの途中で入力するときにカーソルを強制的に入力の最後に移動します。以下のコードスニペットがこの問題を解決すると信じています。

$('input').on('input', function() {
  var c = this.selectionStart,
      r = /[^a-z0-9]/gi,
      v = $(this).val();
  if(r.test(v)) {
    $(this).val(v.replace(r, ''));
    c--;
  }
  this.setSelectionRange(c, c);
});
50
rexmac

短い答え: 'keypress'イベントを防ぎます:

$("input").keypress(function(e){
    var charCode = !e.charCode ? e.which : e.charCode;

    if(/* Test for special character */ )
        e.preventDefault();
})

長答:jquery.alphanum のようなプラグインを使用する

ソリューションを選択する際に考慮すべき事項がいくつかあります。

  • 貼り付けられたテキスト
  • バックスペースやF5などの制御文字は、上記のコードによって防止される場合があります。
  • é、í、äなど
  • アラビア語または中国語...
  • クロスブラウザの互換性

この領域は、サードパーティのプラグインの使用を保証するほど複雑だと思います。利用可能なプラグインをいくつか試してみましたが、それぞれにいくつかの問題が見つかったため、先に進んで jquery.alphanum と書きました。コードは次のようになります。

$("input").alphanum();

または、よりきめ細かな制御を行うには、いくつかの設定を追加します。

$("#username").alphanum({
    allow      : "€$£",
    disallow   : "xyz",
    allowUpper : false
});

それが役に立てば幸い。

47
KevSheedy

HTML5のパターン入力属性を使用してください!

<input type="text" pattern="^[a-zA-Z0-9]+$" />
14
keepitreal

JQuery英数字プラグインをご覧ください。 https://github.com/KevinSheedy/jquery.alphanum

//All of these are from their demo page
//only numbers and alpha characters
$('.sample1').alphanumeric();
//only numeric
$('.sample4').numeric();
//only numeric and the .
$('.sample5').numeric({allow:"."});
//all alphanumeric except the . 1 and a
$('.sample6').alphanumeric({ichars:'.1a'});
11
RSolberg

正規表現を使用して、何でも許可/禁止します。また、受け入れられた回答よりもわずかに堅牢なバージョンの場合、最初にkeypressイベントを渡すことにより、キー値が関連付けられていない文字(バックスペース、タブ、矢印キー、削除など)を許可できます値ではなくキーコードに基づいてキーを確認します。

$('#input').bind('keydown', function (event) {
        switch (event.keyCode) {
            case 8:  // Backspace
            case 9:  // Tab
            case 13: // Enter
            case 37: // Left
            case 38: // Up
            case 39: // Right
            case 40: // Down
            break;
            default:
            var regex = new RegExp("^[a-zA-Z0-9.,/ $@()]+$");
            var key = event.key;
            if (!regex.test(key)) {
                event.preventDefault();
                return false;
            }
            break;
        }
});
10
James Mart

あなたのテキストボックス:

<input type="text" id="name">

あなたのjavascript:

$("#name").keypress(function(event) {
    var character = String.fromCharCode(event.keyCode);
    return isValid(character);     
});

function isValid(str) {
    return !/[~`!@#$%\^&*()+=\-\[\]\\';,/{}|\\":<>\?]/g.test(str);
}
7
chandler

テキストボックスのonkeypressイベントにJavaScriptコードを記述します。要件に従って、テキストボックス内の文字を許可および制限します

function isNumberKeyWithStar(evt) {
    var charCode = (evt.which) ? evt.which : event.keyCode
    if (charCode > 31 && (charCode < 48 || charCode > 57) && charCode != 42)
        return false;
    return true;
}
function isNumberKey(evt) {
    var charCode = (evt.which) ? evt.which : event.keyCode
    if (charCode > 31 && (charCode < 48 || charCode > 57))
        return false;
    return true;
}
function isNumberKeyForAmount(evt) {
    var charCode = (evt.which) ? evt.which : event.keyCode
    if (charCode > 31 && (charCode < 48 || charCode > 57) && charCode != 46)
        return false;
    return true;
}
3
pratik1020

私はこのコードを使用して、私が見た他のものを変更します。キーが押された、または貼り付けられたテキストがパターンテスト(一致)に合格した場合にのみユーザーの書き込みにグランド(この例は8桁のみを許可するテキスト入力です)

$("input").on("keypress paste", function(e){
    var c = this.selectionStart, v = $(this).val();
    if (e.type == "keypress")
        var key = String.fromCharCode(!e.charCode ? e.which : e.charCode)
    else
        var key = e.originalEvent.clipboardData.getData('Text')
    var val = v.substr(0, c) + key + v.substr(c, v.length)
    if (!val.match(/\d{0,8}/) || val.match(/\d{0,8}/).toString() != val) {
        e.preventDefault()
        return false
    }
})
3
Pablo Padron

これは、ユーザーが文字「a」を入力できないようにする例です

$(function() {
$('input:text').keydown(function(e) {
if(e.keyCode==65)
    return false;

});
});

キーコードの参照はこちら:
http://www.expandinghead.net/keycode.html

2
user434917

特殊文字を置換するには、スペースを入れて小文字に変換します

$(document).ready(function (){
  $(document).on("keyup", "#Id", function () {
  $("#Id").val($("#Id").val().replace(/[^a-z0-9\s]/gi, '').replace(/[_\s]/g, '').toLowerCase());
 }); 
});
1
GirishBabuC

デールの答えに対するアレックスのコメントにコメントしたかった。不可能です(最初にどれだけ「担当者」が必要ですか?それはすぐに起こりません..奇妙なシステムです。)答えとして:

バックスペースを追加するには、次のように正規表現定義に\ bを追加します:[a-zA-Z0-9\b]。または、単に「非エキゾチック」文字(バックスペースなどの文字も制御)を含むラテン語の範囲全体を許可します:^ [\ u0000-\u024F\u20AC] + $

ラテン語以外の実際のユニコード文字にはユーロ記号(20ac)があり、他に必要なものをすべて追加します。

コピー&ペーストを介して入力された入力も処理するには、単に「変更」イベントにバインドし、そこで入力も確認します-削除またはストライピング/「サポートされていない文字」などのエラーメッセージを表示します。

if (!regex.test($j(this).val())) {
  alert('your input contained not supported characters');
  $j(this).val('');
  return false;
}
1
hyphan

数字だけ:

$( 'input.time')。keydown(function(e){if(e.keyCode> = 48 && e.keyCode <= 57){return true;} else {return false;}});

または「:」を含む時間

$( 'input.time')。keydown(function(e){if(e.keyCode> = 48 && e.keyCode <= 58){return true;} else {return false;}});

削除とバックスペースも含む:

$( 'input.time')。keydown(function(e){if((e.keyCode> = 46 && e.keyCode <= 58)|| e.keyCode == 8){return true;} else {return false;}});

幸いなことに、iMacで動作しない

1

はい、jQueryを次のように使用して実行できます。

<script>
$(document).ready(function()
{
    $("#username").blur(function()
    {
        //remove all the class add the messagebox classes and start fading
        $("#msgbox").removeClass().addClass('messagebox').text('Checking...').fadeIn("slow");
        //check the username exists or not from ajax
        $.post("user_availability.php",{ user_name:$(this).val() } ,function(data)
        {
          if(data=='empty') // if username is empty
          {
            $("#msgbox").fadeTo(200,0.1,function() //start fading the messagebox
            { 
              //add message and change the class of the box and start fading
              $(this).html('Empty user id is not allowed').addClass('messageboxerror').fadeTo(900,1);
            });
          }
          else if(data=='invalid') // if special characters used in username
          {
            $("#msgbox").fadeTo(200,0.1,function() //start fading the messagebox
            { 
              //add message and change the class of the box and start fading
              $(this).html('Sorry, only letters (a-z), numbers (0-9), and periods (.) are allowed.').addClass('messageboxerror').fadeTo(900,1);
            });
          }
          else if(data=='no') // if username not avaiable
          {
            $("#msgbox").fadeTo(200,0.1,function() //start fading the messagebox
            { 
              //add message and change the class of the box and start fading
              $(this).html('User id already exists').addClass('messageboxerror').fadeTo(900,1);
            });     
          }
          else
          {
            $("#msgbox").fadeTo(200,0.1,function()  //start fading the messagebox
            { 
              //add message and change the class of the box and start fading
              $(this).html('User id available to register').addClass('messageboxok').fadeTo(900,1); 
            });
          }

        });

    });
});
</script>
<input type="text" id="username" name="username"/><span id="msgbox" style="display:none"></span>

ser_availability.phpのスクリプトは次のようになります。

<?php
include'includes/config.php';

//value got from the get method
$user_name = trim($_POST['user_name']);

if($user_name == ''){
    echo "empty";
}elseif(preg_match('/[\'^£$%&*()}{@#~?><>,|=_+¬-]/', $user_name)){
    echo "invalid";
}else{
    $select = mysql_query("SELECT user_id FROM staff");

    $i=0;
    //this varible contains the array of existing users
    while($fetch = mysql_fetch_array($select)){
        $existing_users[$i] = $fetch['user_id'];
        $i++;
    }

    //checking weather user exists or not in $existing_users array
    if (in_array($user_name, $existing_users))
    {
        //user name is not availble
        echo "no";
    } 
    else
    {
        //user name is available
        echo "yes";
    }
}
?>

/\を追加しようとしましたが、成功しませんでした。


JavaScriptを使用してそれを行うこともできます。コードは次のようになります。

<!-- Check special characters in username start -->
<script language="javascript" type="text/javascript">
function check(e) {
    var keynum
    var keychar
    var numcheck
    // For Internet Explorer
    if (window.event) {
        keynum = e.keyCode;
    }
    // For Netscape/Firefox/Opera
    else if (e.which) {
        keynum = e.which;
    }
    keychar = String.fromCharCode(keynum);
    //List of special characters you want to restrict
    if (keychar == "'" || keychar == "`" || keychar =="!" || keychar =="@" || keychar =="#" || keychar =="$" || keychar =="%" || keychar =="^" || keychar =="&" || keychar =="*" || keychar =="(" || keychar ==")" || keychar =="-" || keychar =="_" || keychar =="+" || keychar =="=" || keychar =="/" || keychar =="~" || keychar =="<" || keychar ==">" || keychar =="," || keychar ==";" || keychar ==":" || keychar =="|" || keychar =="?" || keychar =="{" || keychar =="}" || keychar =="[" || keychar =="]" || keychar =="¬" || keychar =="£" || keychar =='"' || keychar =="\\") {
        return false;
    } else {
        return true;
    }
}
</script>
<!-- Check special characters in username end -->

<!-- in your form -->
    User id : <input type="text" id="txtname" name="txtname" onkeypress="return check(event)"/>
1
PHP Ferrari

キー押下で特殊文字を制限します。キーコードのテストページは次のとおりです。 http://www.asquare.net/javascript/tests/KeyCode.html

var specialChars = [62,33,36,64,35,37,94,38,42,40,41];

some_element.bind("keypress", function(event) {
// prevent if in array
   if($.inArray(event.which,specialChars) != -1) {
       event.preventDefault();
   }
});

Angularでは、テキストフィールドに適切な通貨形式が必要でした。私の解決策:

var angularApp = angular.module('Application', []);

...

// new angular directive
angularApp.directive('onlyNum', function() {
    return function( scope, element, attrs) {

        var specialChars = [62,33,36,64,35,37,94,38,42,40,41];

        // prevent these special characters
        element.bind("keypress", function(event) {
            if($.inArray(event.which,specialChars) != -1) {
                prevent( scope, event, attrs)
             }
        });

        var allowableKeys = [8,9,37,39,46,48,49,50,51,52,53,54,55,56
            ,57,96,97,98,99,100,101,102,103,104,105,110,190];

        element.bind("keydown", function(event) {
            if($.inArray(event.which,allowableKeys) == -1) {
                prevent( scope, event, attrs)
            }
        });
    };
})

// scope.$apply makes angular aware of your changes
function prevent( scope, event, attrs) {
    scope.$apply(function(){
        scope.$eval(attrs.onlyNum);
        event.preventDefault();
    });
    event.preventDefault();
}

Htmlにディレクティブを追加します

<input only-num type="text" maxlength="10" id="amount" placeholder="$XXXX.XX"
   autocomplete="off" ng-model="vm.amount" ng-change="vm.updateRequest()">

対応するangularコントローラーでは、ピリオドが1つだけになるようにし、テキストを数値に変換し、「ぼかし」に数値の丸めを追加します

...

this.updateRequest = function() {
    amount = $scope.amount;
    if (amount != undefined) {
        document.getElementById('spcf').onkeypress = function (e) {
        // only allow one period in currency
        if (e.keyCode === 46 && this.value.split('.').length === 2) {
            return false;
        }
    }
    // Remove "." When Last Character and round the number on blur
    $("#amount").on("blur", function() {
      if (this.value.charAt(this.value.length-1) == ".") {
          this.value.replace(".","");
          $("#amount").val(this.value);
      }
      var num = parseFloat(this.value);
      // check for 'NaN' if its safe continue
      if (!isNaN(num)) {
        var num = (Math.round(parseFloat(this.value) * 100) / 100).toFixed(2);
        $("#amount").val(num);
      }
    });
    this.data.amountRequested = Math.round(parseFloat(amount) * 100) / 100;
}

...
1
Ivor Scott
$(function(){
      $('input').keyup(function(){
        var input_val = $(this).val();
        var inputRGEX = /^[a-zA-Z0-9]*$/;
        var inputResult = inputRGEX.test(input_val);
          if(!(inputResult))
          {     
            this.value = this.value.replace(/[^a-z0-9\s]/gi, '');
          }
       });
    });
0
Ranjith Rana
[User below code to restrict special character also    

$(h.txtAmount).keydown(function (event) {
        if (event.shiftKey) {
            event.preventDefault();
        }
        if (event.keyCode == 46 || event.keyCode == 8) {
        }
        else {
            if (event.keyCode < 95) {
                if (event.keyCode < 48 || event.keyCode > 57) {
                    event.preventDefault();
                }
            }
            else {
                if (event.keyCode < 96 || event.keyCode > 105) {
                    event.preventDefault();
                }
            }
        }


    });]
0
Govind Pant