Respostas:
Use o min
atributo assim:
<input type="number" min="0">
Não fiquei satisfeito com a resposta da @Abhrabm porque:
Isso impedia que números negativos fossem inseridos nas setas para cima / para baixo, enquanto o usuário pode digitar um número negativo no teclado.
A solução é evitar com o código da chave :
// Select your input element.
var number = document.getElementById('number');
// Listen for input event on numInput.
number.onkeydown = function(e) {
if(!((e.keyCode > 95 && e.keyCode < 106)
|| (e.keyCode > 47 && e.keyCode < 58)
|| e.keyCode == 8)) {
return false;
}
}
<form action="" method="post">
<input type="number" id="number" min="0" />
<input type="submit" value="Click me!"/>
</form>
Esclarecimentos fornecidos por @Hugh Guiney :
Quais códigos de chave estão sendo verificados:
Portanto, este script está impedindo que uma chave inválida seja inserida na entrada.
min="0"
.
|| (e.keyCode>36 && e.keyCode<41)
Isso não permite que o usuário aumente / diminua o número pela seta para cima / para baixo e vá para a direita / esquerda para editar o número.
Para mim, a solução foi:
<input type="number" min="0" oninput="this.value = Math.abs(this.value)">
<input ng-model="row.myValue" type="{{row.code == 1 ? 'text' : 'number'}}" min="0" ng-pattern="..." noformvalidate oninput="if (this.type=='text') this.value=Math.abs(this.value) ">
Este código está funcionando bem para mim. Você pode verificar:
<input type="number" name="test" min="0" oninput="validity.valid||(value='');">
-
não é realmente uma boa ideia.
<input type="number" name="test" min="0" oninput="validity.valid||(value=value.replace(/\D+/g, ''))">
- isso removerá todos os símbolos que não sejam dígitos
min="0"
para que não haja nagativos. Se você deseja um valor negativo, remova esse atributo.
Método fácil:
<input min='0' type="number" onkeypress="return (event.charCode == 8 || event.charCode == 0) ? null : event.charCode >= 48 && event.charCode <= 57">
Eu queria permitir números decimais e não limpar toda a entrada se um negativo fosse inserido. Isso funciona bem no chrome, pelo menos:
<input type="number" min="0" onkeypress="return event.charCode != 45">
keypress
é a única maneira pode-se inserir um número negativo a uma entrada ...
A resposta @Manwal é boa, mas eu gosto de código com menos linhas de código para melhor legibilidade. Também eu gosto de usar o uso onclick / onkeypress em html.
Minha solução sugerida faz o mesmo: Adicionar
min="0" onkeypress="return isNumberKey(event)"
para a entrada html e
function isNumberKey(evt){
var charCode = (evt.which) ? evt.which : event.keyCode;
return !(charCode > 31 && (charCode < 48 || charCode > 57));
}
como uma função javascript.
Como dito, faz o mesmo. É apenas uma preferência pessoal sobre como resolver o problema.
Apenas para referência: com o jQuery, você pode sobrescrever valores negativos no focusout com o seguinte código:
$(document).ready(function(){
$("body").delegate('#myInputNumber', 'focusout', function(){
if($(this).val() < 0){
$(this).val('0');
}
});
});
Isso não substitui a validação do lado do servidor!
Aqui está uma solução angular 2:
criar uma classe OnlyNumber
import {Directive, ElementRef, HostListener} from '@angular/core';
@Directive({
selector: '[OnlyNumber]'
})
export class OnlyNumber {
// Allow decimal numbers. The \. is only allowed once to occur
private regex: RegExp = new RegExp(/^[0-9]+(\.[0-9]*){0,1}$/g);
// Allow key codes for special events. Reflect :
// Backspace, tab, end, home
private specialKeys: Array<string> = ['Backspace', 'Tab', 'End', 'Home'];
constructor(private el: ElementRef) {
}
@HostListener('keydown', ['$event'])
onKeyDown(event: KeyboardEvent) {
// Allow Backspace, tab, end, and home keys
if (this.specialKeys.indexOf(event.key) !== -1) {
return;
}
// Do not use event.keycode this is deprecated.
// See: https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent/keyCode
let current: string = this.el.nativeElement.value;
// We need this because the current value on the DOM element
// is not yet updated with the value from this event
let next: string = current.concat(event.key);
if (next && !String(next).match(this.regex)) {
event.preventDefault();
}
}
}
adicione OnlyNumber às declarações em app.module.ts e use desta forma em qualquer lugar do seu aplicativo
<input OnlyNumber="true">
oninput="this.value=(this.value < Number(this.min) || this.value > Number(this.max)) ? '' : this.value;"
Apenas adicionando outra maneira de fazer isso (usando Angular) se você não quiser sujar o HTML com ainda mais código:
Você só precisa se inscrever no campo valueChanges e definir o Valor como um valor absoluto (cuidando para não emitir um novo evento, pois isso causará outro valueChange, portanto, uma chamada recursiva e acionará um erro de tamanho máximo de chamada excedido)
CÓDIGO HTML
<form [formGroup]="myForm">
<input type="number" formControlName="myInput"/>
</form>
CÓDIGO TypeScript (dentro do seu componente)
formGroup: FormGroup;
ngOnInit() {
this.myInput.valueChanges
.subscribe(() => {
this.myInput.setValue(Math.abs(this.myInput.value), {emitEvent: false});
});
}
get myInput(): AbstractControl {
return this.myForm.controls['myInput'];
}
<input type="number" name="credit_days" pattern="[^\-]+"
#credit_days="ngModel" class="form-control"
placeholder="{{ 'Enter credit days' | translate }}" min="0"
[(ngModel)]="provider.credit_days"
onkeypress="return (event.charCode == 8 || event.charCode == 0 ||
event.charCode == 13) ? null : event.charCode >= 48 && event.charCode <=
57" onpaste="return false">
A resposta para isso não é útil. pois só funciona quando você usa as teclas para cima / para baixo, mas se você digitar -11, não funcionará. Então, aqui está uma pequena correção que eu uso
este para números inteiros
$(".integer").live("keypress keyup", function (event) {
// console.log('int = '+$(this).val());
$(this).val($(this).val().replace(/[^\d].+/, ""));
if (event.which != 8 && (event.which < 48 || event.which > 57))
{
event.preventDefault();
}
});
este quando você tem números de preço
$(".numeric, .price").live("keypress keyup", function (event) {
// console.log('numeric = '+$(this).val());
$(this).val($(this).val().replace(/[^0-9\,\.]/g, ''));
if (event.which != 8 && (event.which != 44 || $(this).val().indexOf(',') != -1) && (event.which < 48 || event.which > 57)) {
event.preventDefault();
}
});
Esta solução permite todas as funcionalidades do teclado, incluindo copiar e colar com o teclado. Impede a colagem de números negativos com o mouse. Funciona com todos os navegadores e a demo no codepen usa bootstrap e jQuery. Isso deve funcionar com configurações e teclados que não sejam do inglês. Se o navegador não suportar a captura de eventos de colagem (IE), removerá o sinal negativo após o foco. Essa solução se comporta como o navegador nativo deve com min = 0 type = number.
Marcação:
<form>
<input class="form-control positive-numeric-only" id="id-blah1" min="0" name="nm1" type="number" value="0" />
<input class="form-control positive-numeric-only" id="id-blah2" min="0" name="nm2" type="number" value="0" />
</form>
Javascript
$(document).ready(function() {
$("input.positive-numeric-only").on("keydown", function(e) {
var char = e.originalEvent.key.replace(/[^0-9^.^,]/, "");
if (char.length == 0 && !(e.originalEvent.ctrlKey || e.originalEvent.metaKey)) {
e.preventDefault();
}
});
$("input.positive-numeric-only").bind("paste", function(e) {
var numbers = e.originalEvent.clipboardData
.getData("text")
.replace(/[^0-9^.^,]/g, "");
e.preventDefault();
var the_val = parseFloat(numbers);
if (the_val > 0) {
$(this).val(the_val.toFixed(2));
}
});
$("input.positive-numeric-only").focusout(function(e) {
if (!isNaN(this.value) && this.value.length != 0) {
this.value = Math.abs(parseFloat(this.value)).toFixed(2);
} else {
this.value = 0;
}
});
});
Aqui está uma solução que funcionou melhor para mim em um campo QTY que permite apenas números.
// Only allow numbers, backspace and left/right direction on QTY input
if(!((e.keyCode > 95 && e.keyCode < 106) // numpad numbers
|| (e.keyCode > 47 && e.keyCode < 58) // numbers
|| [8, 9, 35, 36, 37, 39].indexOf(e.keyCode) >= 0 // backspace, tab, home, end, left arrow, right arrow
|| (e.keyCode == 65 && (e.ctrlKey === true || e.metaKey === true)) // Ctrl/Cmd + A
|| (e.keyCode == 67 && (e.ctrlKey === true || e.metaKey === true)) // Ctrl/Cmd + C
|| (e.keyCode == 88 && (e.ctrlKey === true || e.metaKey === true)) // Ctrl/Cmd + X
|| (e.keyCode == 86 && (e.ctrlKey === true || e.metaKey === true)) // Ctrl/Cmd + V
)) {
return false;
}
If Number is Negative or Positive Using ES6’s Math.Sign
const num = -8;
// Old Way
num === 0 ? num : (num > 0 ? 1 : -1); // -1
// ES6 Way
Math.sign(num); // -1