回答:
数値比較について質問しているので、正規表現は実際には問題とは関係ありません。次のif
いずれかを行うために、「複数の」ステートメントは必要ありません。
if (x >= 0.001 && x <= 0.009) {
// something
}
「between()」関数を自分で書くことができます:
function between(x, min, max) {
return x >= min && x <= max;
}
// ...
if (between(x, 0.001, 0.009)) {
// something
}
これは、比較が1つだけのオプションです。
// 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
を既に使用している場合はlodash
、次のinRange()
関数を使用できます: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
私はポインティのbetween
関数が好きなので、私のシナリオでうまく機能する同様の関数を書きました。
/**
* 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;
}
したがって、x
±10以内であるかどうかを確認したい場合y
:
var x = 100;
var y = 115;
nearInt(x,y,10) = false
私はモバイルで長押しを検出するためにそれを使用しています:
//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);
&&
オペレーター?...