I’ve been working on some challenges and this is one of the challenges I’ve been unable to get a solution of. This task is like this:
- Write a function that takes an array (a) and a value (n) as arguments
- Save every nth element in a new array
- Return the new array
This is the output I’m expecting:
JavaScript
x
4
1
console.log(myFunction([1,2,3,4,5,6,7,8,9,10],3)) //Expected [3,6,9]
2
console.log(myFunction([10,9,8,7,6,5,4,3,2,1],5)) //Expected [6,1]
3
console.log(myFunction([7,2,1,6,3,4,5,8,9,10],2)) //Expected [2,6,4,8,10]
4
This is what I’ve tried to figure out, but that wasn’t it:
JavaScript
1
7
1
function nthElementFinder(a, n) {
2
return a.filter((e, i, a) => {
3
const test = i % n === 0;
4
return test;
5
});
6
}
7
console.log(nthElementFinder([1, 2, 3, 4, 5, 6, 7, 8, 9, 10], 3));
Advertisement
Answer
Beside the filtering solution, you could iterate and push each nth item to a new array. This approach does not visit all items, but only the nth ones.
JavaScript
1
11
11
1
function nthElementFinder(a, n) {
2
const result = [];
3
let i = n - 1;
4
while (i < a.length) {
5
result.push(a[i]);
6
i += n;
7
}
8
return result;
9
}
10
11
console.log(nthElementFinder([1, 2, 3, 4, 5, 6, 7, 8, 9, 10], 3));