1. ホーム
  2. ジャバスクリプト

[解決済み】値が奇数か偶数かのテスト

2022-04-09 03:45:22

質問

シンプルな であっても isOdd 関数を非常にシンプルなアルゴリズムで実装しています。

function isEven(n) {
  n = Number(n);
  return n === 0 || !!(n && !(n%2));
}

function isOdd(n) {
  return isEven(Number(n) + 1);
}

これは、nが特定のパラメータを持つ場合はOKですが、多くのシナリオで失敗します。そこで私は、できるだけ多くのシナリオで正しい結果を出せるような堅牢な関数を作ることにしました。javascriptの数値の範囲内の整数だけをテストし、それ以外はすべて(+や-無限大も含めて)偽を返します。なお、0は偶数です。

// Returns true if:
//
//    n is an integer that is evenly divisible by 2
//
// Zero (+/-0) is even
// Returns false if n is not an integer, not even or NaN
// Guard against empty string

(function (global) {

  function basicTests(n) {

    // Deal with empty string
    if (n === '') 
      return false;

    // Convert n to Number (may set to NaN)
    n = Number(n);

    // Deal with NaN
    if (isNaN(n)) 
      return false;

    // Deal with infinity - 
    if (n === Number.NEGATIVE_INFINITY || n === Number.POSITIVE_INFINITY)
      return false;

    // Return n as a number
    return n;
  }

  function isEven(n) {

    // Do basic tests
    if (basicTests(n) === false)
      return false;

    // Convert to Number and proceed
    n = Number(n);

    // Return true/false
    return n === 0 || !!(n && !(n%2));
  }
  global.isEven = isEven;

  // Returns true if n is an integer and (n+1) is even
  // Returns false if n is not an integer or (n+1) is not even
  // Empty string evaluates to zero so returns false (zero is even)
  function isOdd(n) {

    // Do basic tests
    if (basicTests(n) === false)
      return false;

    // Return true/false
    return n === 0 || !!(n && (n%2));
  }
  global.isOdd = isOdd;

}(this));

どなたか、上記について何か問題があると思われる方はいらっしゃいますか?より良い(つまり、より正確で、より速く、あるいは難読化されずにより簡潔な)バージョンはあるでしょうか?

他の言語に関する投稿はいろいろあるのですが、ECMAScriptの決定版が見つからないようです。

どのように解決するのですか?

モジュラスを使用します。

function isEven(n) {
   return n % 2 == 0;
}

function isOdd(n) {
   return Math.abs(n % 2) == 1;
}

Javascriptで任意の値を数値に強制変換できることを確認することができます。

Number.isFinite(parseFloat(n))

このチェックは、できれば isEvenisOdd 関数を使用することで、両方の関数で重複してエラー処理を行う必要がありません。