Files
Nicholas Carrigan (he/him) 3da4be21bb chore: seed chinese traditional (#42005)
Seeds the chinese traditional files manually so we can deploy to
staging.
2021-05-05 22:43:49 +05:30

2.9 KiB
Raw Permalink Blame History

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
a24c1a4622e3c05097f71d67 找出元素在排序後數組中的索引 5 16094 where-do-i-belong

--description--

數組(第一個參數)在排序後,將一個值(第二個參數)插入該數組,並使數組保持有序。返回這個新插入元素的最小索引值。 返回值應爲一個數字。

例如,getIndexToIns([1,2,3,4], 1.5) 應該返回 1 因爲1.5 大於 1(索引爲 0且小於 2(索引爲 1

同樣地,getIndexToIns([20,3,5], 19) 應該返回 2。 因爲數組排序後會變成 [3,5,20],而 19 小於 20(索引爲 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);