Files
2022-01-20 20:30:18 +01:00

3.4 KiB

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
a24c1a4622e3c05097f71d67 挿入位置 5 16094 where-do-i-belong

--description--

ソート後、配列 (最初の引数) の中で値 (2 番目の引数) を挿入すべきインデックスの最小値を返してください。 返される値は数値である必要があります。

たとえば、getIndexToIns([1,2,3,4], 1.5)1 を返す必要があります。値の 1.5 は 1 (インデックスは 0) より大きく、2 (インデックスは 1) より小さいからです。

同様に、getIndexToIns([20,3,5], 19)2 を返します。配列をソートすると [3,5,20] となり、1920 (インデックスは 2) より小さく、5 (インデックスは 1) より大きいからです。

--hints--

getIndexToIns([10, 20, 30, 40, 50], 35)3 を返す必要があります。

assert(getIndexToIns([10, 20, 30, 40, 50], 35) === 3);

getIndexToIns([10, 20, 30, 40, 50], 35) は数値を返す必要があります。

assert(typeof getIndexToIns([10, 20, 30, 40, 50], 35) === 'number');

getIndexToIns([10, 20, 30, 40, 50], 30)2 を返す必要があります。

assert(getIndexToIns([10, 20, 30, 40, 50], 30) === 2);

getIndexToIns([10, 20, 30, 40, 50], 30) は数値を返す必要があります。

assert(typeof getIndexToIns([10, 20, 30, 40, 50], 30) === 'number');

getIndexToIns([40, 60], 50)1 を返す必要があります。

assert(getIndexToIns([40, 60], 50) === 1);

getIndexToIns([40, 60], 50) は数値を返す必要があります。

assert(typeof getIndexToIns([40, 60], 50) === 'number');

getIndexToIns([3, 10, 5], 3)0 を返す必要があります。

assert(getIndexToIns([3, 10, 5], 3) === 0);

getIndexToIns([3, 10, 5], 3) は数値を返す必要があります。

assert(typeof getIndexToIns([3, 10, 5], 3) === 'number');

getIndexToIns([5, 3, 20, 3], 5)2 を返す必要があります。

assert(getIndexToIns([5, 3, 20, 3], 5) === 2);

getIndexToIns([5, 3, 20, 3], 5) は数値を返す必要があります。

assert(typeof getIndexToIns([5, 3, 20, 3], 5) === 'number');

getIndexToIns([2, 20, 10], 19)2 を返す必要があります。

assert(getIndexToIns([2, 20, 10], 19) === 2);

getIndexToIns([2, 20, 10], 19) は数値を返す必要があります。

assert(typeof getIndexToIns([2, 20, 10], 19) === 'number');

getIndexToIns([2, 5, 10], 15)3 を返す必要があります。

assert(getIndexToIns([2, 5, 10], 15) === 3);

getIndexToIns([2, 5, 10], 15) は数値を返す必要があります。

assert(typeof getIndexToIns([2, 5, 10], 15) === 'number');

getIndexToIns([], 1)0 を返す必要があります。

assert(getIndexToIns([], 1) === 0);

getIndexToIns([], 1) は数値を返す必要があります。

assert(typeof getIndexToIns([], 1) === 'number');

--seed--

--seed-contents--

function getIndexToIns(arr, num) {
  return num;
}

getIndexToIns([40, 60], 50);

--solutions--

function getIndexToIns(arr, num) {
  arr = arr.sort((a, b) => a - b);

  for (let i = 0; i < arr.length; i++) {
    if (arr[i] >= num) {
      return i;
    }
  }

  return arr.length;
}

getIndexToIns([40, 60], 50);