-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path14-where-do-i-belong.js
43 lines (41 loc) · 1.92 KB
/
14-where-do-i-belong.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
/*
Where do I Belong:
Return the lowest index at which a value (second argument) should be inserted into an array (first argument) once it has
been sorted. The returned value should be a number.
For example, getIndexToIns([1,2,3,4], 1.5) should return 1 because it is greater than 1 (index 0), but less than 2 (index 1).
Likewise, getIndexToIns([20,3,5], 19) should return 2 because once the array has been sorted it will look like [3,5,20]
and 19 is less than 20 (index 2) and greater than 5 (index 1).
- getIndexToIns([10, 20, 30, 40, 50], 35) should return 3.
- getIndexToIns([10, 20, 30, 40, 50], 35) should return a number.
- getIndexToIns([10, 20, 30, 40, 50], 30) should return 2.
- getIndexToIns([10, 20, 30, 40, 50], 30) should return a number.
- getIndexToIns([40, 60], 50) should return 1.
- getIndexToIns([40, 60], 50) should return a number.
- getIndexToIns([3, 10, 5], 3) should return 0.
- getIndexToIns([3, 10, 5], 3) should return a number.
- getIndexToIns([5, 3, 20, 3], 5) should return 2.
- getIndexToIns([5, 3, 20, 3], 5) should return a number.
- getIndexToIns([2, 20, 10], 19) should return 2.
- getIndexToIns([2, 20, 10], 19) should return a number.
- getIndexToIns([2, 5, 10], 15) should return 3.
- getIndexToIns([2, 5, 10], 15) should return a number.
- getIndexToIns([], 1) should return 0.
- getIndexToIns([], 1) should return a number.
*/
function getIndexToIns(arr, num) {
arr.sort((a, b) => a - b);
for (let i = 0; i < arr.length; i++) {
if (arr[i] >= num)
return i;
}
return arr.length;
}
console.log(getIndexToIns([40, 60], 50));
console.log(getIndexToIns([10, 20, 30, 40, 50], 35));
console.log(getIndexToIns([10, 20, 30, 40, 50], 30));
console.log(getIndexToIns([40, 60], 50));
console.log(getIndexToIns([3, 10, 5], 3));
console.log(getIndexToIns([5, 3, 20, 3], 5));
console.log(getIndexToIns([2, 20, 10], 19));
console.log(getIndexToIns([2, 5, 10], 15));
console.log(getIndexToIns([], 1));