如何将输入限制为仅接受数字?


92

我在AngularJS中使用ngChange来触发自定义函数,该函数将删除用户添加到输入中的所有字母。

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

问题是我需要定位触发的输入,numbersOnly()以便删除输入的字母。我在Google上花了很长时间苦苦寻找,却找不到任何与此相关的信息。

我能做什么?


也是一个很好的解决方案,不允许输入字母。
Himanshu Bhandari 2015年

Answers:


104

简单的方法,如果适用于您的用例,请使用type =“ number”

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

另一个简单的方法: ng-pattern也可以用来定义正则表达式,以限制字段中允许的内容。另请参阅有关表单“食谱”页面

骇人听闻的?方式,$ watch您的控制器中的ng模型:

<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不会更改模板中的值(随机行为)


最终创建了指令!感谢您提供最佳方法。进行了一些研究,但我学到了很多东西!
克里斯·比尔

1
是否有人可以扩展到首先列出的“简单”方式(type =“ number”)的缺点,特别是与建议的“最佳”方式(指令中的$ parser)相比呢?
Matt Welch 2014年

2
@MattWelch,最新答案,但缺点是浏览器支持。同样至少在Chrome中,type=number会自动显示微调器,这可能是不希望的。您可以通过css隐藏微调框,但即使这样也可能无法在所有浏览器上使用。
Rosdi Kasim

3
“ easy”(类型=“数字”)方法可能会引起问题的两件事是:1.类型=“数字”允许使用负号(-),十进制分隔符(./,)和指数表示法(e),以及2.在三星移动设备上,您不能在type =“ number”字段中输入负数(键盘上没有减号)
Aides

简单的方法... firefox允许将chars输入到仅数字字段中。它不会更新模型,但会显示字符
DRaehal

66

使用ng-pattern该文本字段:

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

然后将其包含在您的控制器中

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

这是我根据Marks答案所做的最终结果,尽管感谢您的示例!我敢肯定它将帮助某人!
克里斯·比尔

2
这几乎可以完美运行,但仍允许输入“ e”。
Cookie的

如果您正在努力限制type =“ number”及其长度,这对您很有帮助。解决方案是使用此ng模式并恢复为type =“ text”。非常整洁的解决方案,免除了ng-change或ng-keypress的代码检查工作。此解决方案不允许输入“ e”,因此我假设这是另一个问题。
PeterS '16

1
在我看来,它是否不允许数字输入是特定于浏览器的。在Chrome上,只需使用<input type ='number'/>就足够了,并且不允许任何非数字输入,另一方面,具有相同HTML的Firefox将允许任何输入,但如果该值不是数字,则触发无效的输入标志。我正在寻找一种在所有浏览器上实现Chrome行为的简单方法
史蒂夫(Steve)2016年

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]">

正则表达式 计算的是按键,而不是value

它也可以完美地与输入配合使用,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()根据需要进行操作。此外,该解析器不会工作的<input type="number">。由于某些原因,非数字永远不会将其放入要删除它们的解析器中,但会确实将其放入输入控件中。


当我实现此功能时,如果输入的模型初始化时没有值,则会出现JS错误。进行此更改后可以解决以下问题: var transformedInput = inputValue ? inputValue.replace(/[^\d.-]/g,'') : null;
Alkie 2015年

谢谢@Alkie。我将该更改添加到指令中。
莫德雷德

1
您必须设置ng-trimfalse确保空间到达解析器。
伊利亚

为了使其完美,您需要modelCtrl.$commitViewValue();在$ setViewValue(clean);之间添加;和$ render();
ingaham '16

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>

Java脚本

;(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;
                    }
                });
            }
        };
    }]);    
}());

使用$(element).on('input',function(){//您的逻辑}); 这甚至可以防止输入不必要的值
Vishal

4

这是一个很好的解决方案,可以只允许输入数字到input

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

这并不让我按Delete键或退格
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事件并解析整个字符串,这是另一种猛兽。这是特定于键入的。

粘贴更新:只需添加此JS函数:

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

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

并在html输入中添加触发器:

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

希望这对您有所帮助


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

十进制

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

1
对于限制键,请尝试以下操作---函数Number(evt){var charCode =(evt.which)?evt.which:event.keyCode if(charCode> 31 &&(charCode <48 || charCode> 57))返回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
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.