Respostas:
Você está fazendo uma pergunta sobre comparações numéricas, então as expressões regulares realmente não têm nada a ver com o problema. Você não precisa de "múltiplas if
" instruções para fazer isso:
if (x >= 0.001 && x <= 0.009) {
// something
}
Você poderia escrever uma função "entre ()":
function between(x, min, max) {
return x >= min && x <= max;
}
// ...
if (between(x, 0.001, 0.009)) {
// something
}
Aqui está uma opção com apenas uma única comparação.
// return true if in range, otherwise false
function inRange(x, min, max) {
return ((x-min)*(x-max) <= 0);
}
console.log(inRange(5, 1, 10)); // true
console.log(inRange(-5, 1, 10)); // false
console.log(inRange(20, 1, 10)); // false
Se você deve usar uma regexp (e realmente, você não deveria!), Isso funcionará:
/^0\.00([1-8]\d*|90*)$/
deve funcionar, ou seja
^
nada antes,0.00
(nb: escape de barra invertida para o .
caractere)$
: seguido por nada maisSe já estiver usando lodash
, você pode usar a inRange()
função:
https://lodash.com/docs/4.17.15#inRange
_.inRange(3, 2, 4);
// => true
_.inRange(4, 8);
// => true
_.inRange(4, 2);
// => false
_.inRange(2, 2);
// => false
_.inRange(1.2, 2);
// => true
_.inRange(5.2, 4);
// => false
_.inRange(-3, -2, -6);
// => true
Gosto da between
função de Pointy, então escrevi uma semelhante que funcionou bem para o meu cenário.
/**
* Checks if an integer is within ±x another integer.
* @param {int} op - The integer in question
* @param {int} target - The integer to compare to
* @param {int} range - the range ±
*/
function nearInt(op, target, range) {
return op < target + range && op > target - range;
}
então se você quisesse ver se x
estava dentro de ± 10 de y
:
var x = 100;
var y = 115;
nearInt(x,y,10) = false
Estou usando para detectar um toque longo no celular:
//make sure they haven't moved too much during long press.
if (!nearInt(Last.x,Start.x,5) || !nearInt(Last.y, Start.y,5)) clearTimeout(t);
Se você quiser que seu código escolha um intervalo específico de dígitos, certifique-se de usar a &&
operadora em vez de ||
.
if (x >= 4 && x <= 9) {
// do something
} else {
// do something else
}
// be sure not to do this
if (x >= 4 || x <= 9) {
// do something
} else {
// do something else
}
Você deve querer determinar o limite inferior e superior antes de escrever a condição
function between(value,first,last) {
let lower = Math.min(first,last) , upper = Math.max(first,last);
return value >= lower && value <= upper ;
}
&&
operador? ...