数値のみを受け入れるように入力を制限するにはどうすればよいですか?


92

AngularJSでngChangeを使用して、ユーザーが入力に追加した文字を削除するカスタム関数をトリガーしています。

<input type="text" name="inputName" data-ng-change="numbersOnly()"/>

問題は、入力されnumbersOnly()た文字を削除できるように、トリガーされた入力をターゲットにする必要があることです。私はGoogleをじっくりと見つめていましたが、これに関して何も見つけることができませんでした。

私に何ができる?


これも良い方法で、文字を入力することはできません。
Himanshu Bhandari 2015

回答:


104

簡単な方法で、ユースケースで機能する場合はtype = "number"を使用します。

<input type="number" ng-model="myText" name="inputName">

別の簡単な方法: ng-patternを使用して、フィールドで許可されるものを制限する正規表現を定義することもできます。フォームに関する「クックブック」ページもご覧ください。

ハック?方法、コントローラーのng-modelを$ watchします。

<input type="text"  ng-model="myText" name="inputName">

コントローラ:

$scope.$watch('myText', function() {
   // put numbersOnly() logic here, e.g.:
   if ($scope.myText  ... regex to look for ... ) {
      // strip out the non-numbers
   }
})

最善の方法は、ディレクティブで$ parserを使用することです。@ pkozlowski.opensourceによって提供されたすでに良い答えを繰り返すつもりはないので、ここにリンクがあります:https ://stackoverflow.com/a/14425022/215945

上記のソリューションはすべてng-modelを使用するため、検索がthis不要になります。

ng-changeを使用すると問題が発生します。AngularJSを参照してください-$ scope.valueをリセットしてもテンプレートの値は変わりません(ランダムな動作)


ディレクティブを作成してしまいました!最善の方法を含めてくれてありがとう。少し研究をしましたが、私は多くを学びました!
Chris Bier

1
特に推奨される「最良の」方法($ parser in directive)と比較して、最初にリストされた「簡単な」方法(type = "number")にマイナス面を拡大できる人はいますか?
Matt Welch、2014

2
@MattWelch、遅い答えですが、欠点はブラウザのサポートです。また、少なくともChromeでは、type=number望ましくない可能性のあるスピナーが自動的に表示されます。あなたはCSSを介してスピナーを隠すことができますが、それでもすべてのブラウザで機能しない可能性があります。
Rosdi Kasim 2016

3
「簡単」(type = "number")のアプローチで問題となる可能性がある2つのことは、1。type = "number"で負符号(-)、10進区切り記号(./、)、指数表記(e)および2.サムスンのモバイルデバイスでは、type = "number"フィールドに負の数値を入力できません(キーボードにはマイナスキーがありません)
Aide

簡単な方法... firefoxでは、数字のみのフィールドに文字を入力できます。モデルは更新されませんが、文字は表示されます
DRaehal

66

ng-patternテキストフィールドでの使用:

<input type="text"  ng-model="myText" name="inputName" ng-pattern="onlyNumbers">

次に、これをコントローラーに含めます

$scope.onlyNumbers = /^\d+$/;

これは私がマークスの回答に基づいてやったことですが、例に感謝します!私はそれが誰かを助けると確信しています!
Chris Bier 14

2
これはほぼ完全に機能しますが、「e」を入力することはできます。
クッキー

type = "number"と長さの制限に苦労している場合は、本当に役立ちます。解決策は、このng-patternを使用し、type = "text"に戻すことです。非常に整頓されたソリューションで、ng-changeまたはng-keypressのコードチェックの負荷を取り除きます。このソリューションでは「e」を入力できなかったため、別の問題であると想定しています。
PeterS 2016年

1
数値入力を許可しないかどうかについては、ブラウザ固有であると私には思われます。Chromeでは、単に<input type = 'number' />を使用するだけで十分であり、数値入力を許可しません。一方、同じHtmlを使用するFirefoxは入力を許可しますが、値が数値でない場合は無効な入力フラグをトリガーします。私はすべてのブラウザでChromeの動作を取得する簡単な方法を探しています
steve '19年

19

提案された解決策はどれもうまくいきませんでした。数時間後、ようやく道がわかりました。

これは角度指令です:

angular.module('app').directive('restrictTo', function() {
    return {
        restrict: 'A',
        link: function (scope, element, attrs) {
            var re = RegExp(attrs.restrictTo);
            var exclude = /Backspace|Enter|Tab|Delete|Del|ArrowUp|Up|ArrowDown|Down|ArrowLeft|Left|ArrowRight|Right/;

            element[0].addEventListener('keydown', function(event) {
                if (!exclude.test(event.key) && !re.test(event.key)) {
                    event.preventDefault();
                }
            });
        }
    }
});

そして、入力は次のようになります。

<input type="number" min="0" name="inputName" ng-model="myModel" restrict-to="[0-9]">

正規表現は、値ではなく、押されたキーを評価します

またtype="number"、値が変更されないようにするため、入力で完全に機能します。そのため、キーが表示されることはなく、モデルを混乱させることもありません。


ネガを許可するにはrestrict-to="[0-9\-]"
Noumenon

18

$parser@Mark Rajcokが最良の方法として推奨するソリューションの実装を以下に示します。これは基本的に@ pkozlowski.opensourceのテキスト回答用優れた$ parserですが、数値のみを許可するように書き直されています。すべての信用は彼にあります、これはあなたにその答えを読んで、あなた自身のものを書き直す5分の節約です。

app.directive('numericOnly', function(){
    return {
        require: 'ngModel',
        link: function(scope, element, attrs, modelCtrl) {

            modelCtrl.$parsers.push(function (inputValue) {
                var transformedInput = inputValue ? inputValue.replace(/[^\d.-]/g,'') : null;

                if (transformedInput!=inputValue) {
                    modelCtrl.$setViewValue(transformedInput);
                    modelCtrl.$render();
                }

                return transformedInput;
            });
        }
    };
});

そして、あなたはそれをこのように使うでしょう:

<input type="text" name="number" ng-model="num_things" numeric-only>

興味深いことに、スペースは英数字で囲まれていない限りパーサーに到達しないため.trim()、必要に応じてスペースを確保する必要があります。また、このパーサはない、NOT上で動作します<input type="number">。何らかの理由で、非数字は、彼らが削除されるだろうパーサにそれを作ることはありませんが、彼らはやる入力コントロール自体にそれを作ります。


これを実装すると、入力のモデルが値なしで初期化された場合、JSエラーが発生しました。この変更は解決作ること: var transformedInput = inputValue ? inputValue.replace(/[^\d.-]/g,'') : null;
Alkie

@Alkieに感謝します。その変更をディレクティブに追加しました。
Mordred、2015年

1
あなたは、設定する必要がありますng-trimfalseスペースがあなたのパーサに達することを確認します。
Ilya

完璧にするにmodelCtrl.$commitViewValue();は、$ setViewValue(clean);の間に追加する必要があります。および$ render();
インガハム

1
ありがとうございました!これはすごい!それは大いに役立った
ユリウス

4

これを行うにはいくつかの方法があります。

あなたが使うことができますtype="number"

<input type="number" />

または、再利用可能なディレクティブを作成しました、正規表現を使用する。

HTML

<div ng-app="myawesomeapp">
    test: <input restrict-input="^[0-9-]*$" maxlength="20" type="text" class="test" />
</div>

JavaScript

;(function(){
    var app = angular.module('myawesomeapp',[])
    .directive('restrictInput', [function(){

        return {
            restrict: 'A',
            link: function (scope, element, attrs) {
                var ele = element[0];
                var regex = RegExp(attrs.restrictInput);
                var value = ele.value;

                ele.addEventListener('keyup',function(e){
                    if (regex.test(ele.value)){
                        value = ele.value;
                    }else{
                        ele.value = value;
                    }
                });
            }
        };
    }]);    
}());

use、$(element).on( 'input'、function(){//ロジック}); これにより、不要な値を入力することさえできなくなります
Vishal

4

これは、番号の入力のみを許可するためのかなり良い解決策inputです:

<input type="text" ng-model="myText" name="inputName" onkeypress='return event.charCode >= 48 && event.charCode <= 57'/>

これにより、削除またはバックスペースを押すことができなくなります
Ravistm

ただし、削除とバックスペースは機能します。Firefox 76.0.1でテスト
iamjoshua

3

上記のすべての解決策は非常に大きいので、これに2セントを割り当てたいと思いました。

私は入力された値が数値であるかどうかを確認し、それが空白でないかどうかを確認しているだけです。

ここにhtmlがあります:

<input type="text" ng-keypress="CheckNumber()"/>

ここにJSがあります:

$scope.CheckKey = function () {
    if (isNaN(event.key) || event.key === ' ' || event.key === '') {
        event.returnValue = '';
    }
};

とても簡単です。

私はこれがPaste thoで機能しないと信じています。

Pasteの場合、onChangeイベントを使用して文字列全体を解析する必要があると思います。これは、もう1つの獣です。これはタイピングに固有です。

貼り付けの更新:次のJS関数を追加するだけです。

$scope.CheckPaste = function () {
    var paste = event.clipboardData.getData('text');

    if (isNaN(paste)) {
        event.preventDefault();
        return false;
    }
};

そして、html入力はトリガーを追加します:

<input type="text" ng-paste="CheckPaste()"/>

これがo /に役立つことを願っています


2

以下は、命題が処理しない状況を処理するPlunkerです。
$ formattersおよび$ parsersパイプラインを使用し、type = "number"を回避する

そしてここに問題/解決策の説明があります(Plunkerでも利用可能):

/*
 *
 * Limit input text for floating numbers.
 * It does not display characters and can limit the Float value to X numbers of integers and X numbers of decimals.
 * min and max attributes can be added. They can be Integers as well as Floating values.
 *
 * value needed    |    directive
 * ------------------------------------
 * 55              |    max-integer="2"
 * 55.55           |    max-integer="4" decimal="2" (decimals are substracted from total length. Same logic as database NUMBER type)
 *
 *
 * Input type="number" (HTML5)
 *
 * Browser compatibility for input type="number" :
 * Chrome : - if first letter is a String : allows everything
 *          - if first letter is a Integer : allows [0-9] and "." and "e" (exponential)
 * Firefox : allows everything
 * Internet Explorer : allows everything
 *
 * Why you should not use input type="number" :
 * When using input type="number" the $parser pipeline of ngModel controller won't be able to access NaN values.
 * For example : viewValue = '1e'  -> $parsers parameter value = "".
 * This is because undefined values are not allowes by default (which can be changed, but better not do it)
 * This makes it impossible to modify the view and model value; to get the view value, pop last character, apply to the view and return to the model.
 *
 * About the ngModel controller pipelines :
 * view value -> $parsers -> model value
 * model value -> $formatters -> view value
 *
 * About the $parsers pipeline :
 * It is an array of functions executed in ascending order.
 * When used with input type="number" :
 * This array has 2 default functions, one of them transforms the datatype of the value from String to Number.
 * To be able to change the value easier (substring), it is better to have access to a String rather than a Number.
 * To access a String, the custom function added to the $parsers pipeline should be unshifted rather than pushed.
 * Unshift gives the closest access to the view.
 *
 * About the $formatters pipeline :
 * It is executed in descending order
 * When used with input type="number"
 * Default function transforms the value datatype from Number to String.
 * To access a String, push to this pipeline. (push brings the function closest to the view value)
 *
 * The flow :
 * When changing ngModel where the directive stands : (In this case only the view has to be changed. $parsers returns the changed model)
 *     -When the value do not has to be modified :
 *     $parsers -> $render();
 *     -When the value has to be modified :
 *     $parsers(view value) --(does view needs to be changed?) -> $render();
 *       |                                  |
 *       |                     $setViewValue(changedViewValue)
 *       |                                  |
 *       --<-------<---------<--------<------
 *
 * When changing ngModel where the directive does not stand :
 *     - When the value does not has to be modified :
 *       -$formatters(model value)-->-- view value
 *     -When the value has to be changed
 *       -$formatters(model vale)-->--(does the value has to be modified) -- (when loop $parsers loop is finished, return modified value)-->view value
 *                                              |
 *                                  $setViewValue(notChangedValue) giving back the non changed value allows the $parsers handle the 'bad' value
 *                                               |                  and avoids it to think the value did not changed
 *                Changed the model <----(the above $parsers loop occurs)
 *
 */

1
   <input type="text" name="profileChildCount" id="profileChildCount" ng-model="profile.ChildCount" numeric-only maxlength="1" />

数値のみの属性を使用できます。


1

10進数

directive('decimal', function() {
                return {
                    require: 'ngModel',
                    restrict: 'A',
                    link: function(scope, element, attr, ctrl) {
                        function inputValue(val) {
                            if (val) {
                                var digits = val.replace(/[^0-9.]/g, '');

                                if (digits.split('.').length > 2) {
                                    digits = digits.substring(0, digits.length - 1);
                                }

                                if (digits !== val) {
                                    ctrl.$setViewValue(digits);
                                    ctrl.$render();
                                }
                                return parseFloat(digits);
                            }
                            return "";
                        }
                        ctrl.$parsers.push(inputValue);
                    }
                };
            });

桁数

directive('entero', function() {
            return {
                require: 'ngModel',
                restrict: 'A',
                link: function(scope, element, attr, ctrl) {
                    function inputValue(val) {
                        if (val) {
                            var value = val + ''; //convert to string
                            var digits = value.replace(/[^0-9]/g, '');

                            if (digits !== value) {
                                ctrl.$setViewValue(digits);
                                ctrl.$render();
                            }
                            return parseInt(digits);
                        }
                        return "";
                    }
                    ctrl.$parsers.push(inputValue);
                }
            };
        });

数値を検証するための角度ディレクティブ


0

これは古いことを知っていますが、簡単な解決策を探している人のために、この目的のためのディレクティブを作成しました。使い方はとても簡単。

こちらでチェックできます


0

また、入力の先頭にある0を削除することもできます...上記のMordredの回答にifブロックを追加するだけなので、まだコメントを作成できません。

  app.directive('numericOnly', function() {
    return {
      require: 'ngModel',
      link: function(scope, element, attrs, modelCtrl) {

          modelCtrl.$parsers.push(function (inputValue) {
              var transformedInput = inputValue ? inputValue.replace(/[^\d.-]/g,'') : null;

              if (transformedInput!=inputValue) {
                  modelCtrl.$setViewValue(transformedInput);
                  modelCtrl.$render();
              }
              //clear beginning 0
              if(transformedInput == 0){
                modelCtrl.$setViewValue(null);
                modelCtrl.$render();
              }
              return transformedInput;
          });
      }
    };
  })

0

これを試して、

<input ng-keypress="validation($event)">

 function validation(event) {
    var theEvent = event || window.event;
    var key = theEvent.keyCode || theEvent.which;
    key = String.fromCharCode(key);
    var regex = /[0-9]|\./;
    if (!regex.test(key)) {
        theEvent.returnValue = false;
        if (theEvent.preventDefault) theEvent.preventDefault();
    }

}

0

解決策:私は、アプリ内のすべての入力、数値、テキストなどのディレクティブを作成するので、値を入力してイベントを変更できます。角度6を作る

 import { Directive, ElementRef, HostListener, Input } from '@angular/core';

 @Directive({
// tslint:disable-next-line:directive-selector
selector: 'input[inputType]'
})
  export class InputTypeDirective {
 constructor(private _el: ElementRef) {}

 @Input() inputType: string;
 // tipos: number, letter, cuit, tel

@HostListener('input', ['$event']) onInputChange(event) {
if (!event.data) {
  return;
}

switch (this.inputType) {
  case 'number': {
    const initalValue = this._el.nativeElement.value;
    this._el.nativeElement.value = initalValue.replace(/[^0-9]*/g, '');
    if (initalValue !== this._el.nativeElement.value) {
      event.stopPropagation();
    }
     break;
          }
       case 'text': {
        const result = event.data.match(/[^a-zA-Z Ññ]*/g);
        if (result[0] !== '') {
           const initalValue = this._el.nativeElement.value;
           this._el.nativeElement.value = initalValue.replace(
          /[^a-zA-Z Ññ]*/g,
           ''
         );
           event.stopPropagation();
        }
        break;
    }
        case 'tel':
          case 'cuit': {
         const initalValue = this._el.nativeElement.value;
      this._el.nativeElement.value = initalValue.replace(/[^0-9-]*/g, '');
       if (initalValue !== this._el.nativeElement.value) {
         event.stopPropagation();
       }
     }
   }
  }
   }

HTML

     <input matInput inputType="number" [formControlName]="field.name" [maxlength]="field.length" [placeholder]="field.label | translate"  type="text" class="filter-input">

-1

入力を受け入れ、その場でフォーマットを変更するために、上記のコードの変更されたディレクティブを作成してしまいました...

.directive('numericOnly', function($filter) {
  return {
      require: 'ngModel',
      link: function(scope, element, attrs, modelCtrl) {

           element.bind('keyup', function (inputValue, e) {
             var strinput = modelCtrl.$$rawModelValue;
             //filter user input
             var transformedInput = strinput ? strinput.replace(/[^,\d.-]/g,'') : null;
             //remove trailing 0
             if(transformedInput.charAt(0) <= '0'){
               transformedInput = null;
               modelCtrl.$setViewValue(transformedInput);
               modelCtrl.$render();
             }else{
               var decimalSplit = transformedInput.split(".")
               var intPart = decimalSplit[0];
               var decPart = decimalSplit[1];
               //remove previously formated number
               intPart = intPart.replace(/,/g, "");
               //split whole number into array of 3 digits
               if(intPart.length > 3){
                 var intDiv = Math.floor(intPart.length / 3);
                 var strfraction = [];
                 var i = intDiv,
                     j = 3;

                 while(intDiv > 0){
                   strfraction[intDiv] = intPart.slice(intPart.length-j,intPart.length - (j - 3));
                   j=j+3;
                   intDiv--;
                 }
                 var k = j-3;
                 if((intPart.length-k) > 0){
                   strfraction[0] = intPart.slice(0,intPart.length-k);
                 }
               }
               //join arrays
               if(strfraction == undefined){ return;}
                 var currencyformat = strfraction.join(',');
                 //check for leading comma
                 if(currencyformat.charAt(0)==','){
                   currencyformat = currencyformat.slice(1);
                 }

                 if(decPart ==  undefined){
                   modelCtrl.$setViewValue(currencyformat);
                   modelCtrl.$render();
                   return;
                 }else{
                   currencyformat = currencyformat + "." + decPart.slice(0,2);
                   modelCtrl.$setViewValue(currencyformat);
                   modelCtrl.$render();
                 }
             }
            });
      }
  };

})


-1
<input type="text" ng-model="employee.age" valid-input input-pattern="[^0-9]+" placeholder="Enter an age" />

<script>
var app = angular.module('app', []);

app.controller('dataCtrl', function($scope) {
});

app.directive('validInput', function() {
  return {
    require: '?ngModel',
    scope: {
      "inputPattern": '@'
    },
    link: function(scope, element, attrs, ngModelCtrl) {

      var regexp = null;

      if (scope.inputPattern !== undefined) {
        regexp = new RegExp(scope.inputPattern, "g");
      }

      if(!ngModelCtrl) {
        return;
      }

      ngModelCtrl.$parsers.push(function(val) {
        if (regexp) {
          var clean = val.replace(regexp, '');
          if (val !== clean) {
            ngModelCtrl.$setViewValue(clean);
            ngModelCtrl.$render();
          }
          return clean;
        }
        else {
          return val;
        }

      });

      element.bind('keypress', function(event) {
        if(event.keyCode === 32) {
          event.preventDefault();
        }
      });
    }
}}); </script>

1
通常、コードダンプは嫌われます。説明を追加してください。
rayryeng 2016年

1
キー押下を制限するには、これを試してください---関数Number(evt){var charCode =(evt.which)?evt.which:event.keyCode if(charCode> 31 &&(charCode <48 || charCode> 57))return false; trueを返します。<input type = "number" min = "0" onkeypress = "return Number(event)">
Rahul Sharma

-1

基本的なHTML

<input type="number" />

基本的なブートストラップ

<input class="form-control" type="number" value="42" id="my-id">

@Praveen私はあなたに同意しません、質問はブートストラップについて言及していません。なぜ私たちは質問に何かが存在しないことに言及すべきですか?
Amr Ibrahim

ブートストラップを使用する場合 <input class="form-control" type="number" >
Amr Ibrahim
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.