-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path113-use-recursion-to-create-range-of-numbers.js
29 lines (27 loc) · 1.3 KB
/
113-use-recursion-to-create-range-of-numbers.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
/*
Use Recursion to Create a Range of Numbers:
We have defined a function named rangeOfNumbers with two parameters.
The function should return an array of integers which begins with a number represented by the startNum parameter and
ends with a number represented by the endNum parameter. The starting number will always be less than or equal to the
ending number. Your function must use recursion by calling itself and not use loops of any kind.
It should also work for cases where both startNum and endNum are the same.
- Your function should return an array.
- Your code should not use any loop syntax (for or while or higher order functions such as forEach, map, filter, or reduce).
- rangeOfNumbers should use recursion (call itself) to solve this challenge.
- rangeOfNumbers(1, 5) should return [1, 2, 3, 4, 5].
- rangeOfNumbers(6, 9) should return [6, 7, 8, 9].
- rangeOfNumbers(4, 4) should return [4].
*/
function rangeOfNumbers(startNum, endNum) {
if (startNum > endNum || endNum < 1) {
return [];
} else if (endNum >= startNum) {
const numbersArr = rangeOfNumbers(startNum, endNum - 1);
numbersArr.push(endNum);
return numbersArr;
}
}
console.log(rangeOfNumbers(4, 4));
console.log(rangeOfNumbers(5, 4));
console.log(rangeOfNumbers(1, 5));
console.log(rangeOfNumbers(6, 9));