I’m a total beginner and I’m stuck completely on this problem. I’m supposed to use a for loop to traverse an array, pushing odd numbers to the ‘odd’ array, and evens to the ‘even’ array.
No numbers are showing up in my arrays when I test the code. I’ve tried writing it the following two ways:
JavaScript
x
34
34
1
#1
2
3
function pickIt(arr){
4
var odd=[],even=[];
5
//coding here
6
7
for (i = 0; i < arr.length; i++) {
8
if (arr[i] % 2 !== 0) {
9
odd.push();
10
} else {
11
even.push();
12
}
13
console.log(arr[i]);
14
}
15
16
return [odd,even];
17
18
19
#2
20
21
function pickIt(arr){
22
var odd=[],even=[];
23
//coding here
24
for (i = 0; i > 0; i++) {
25
if (i % 2 !== 0) {
26
odd.push();
27
} else {
28
even.push();
29
}
30
}
31
32
return [odd,even];
33
}
34
I’ve checked out some of the solutions to the problem and with respect to the code I’ve got in #2, the most common solution I guess has the for condition written like this:
JavaScript
1
2
1
for (i of arr)
2
and then in the if else statement it’s written:
JavaScript
1
3
1
odd.push(i);
2
even.push(i);
3
respectively, but I have no idea how people got there especially concerning the ‘for’ bit. Can anyone help my brain understand this?
Advertisement
Answer
JavaScript
1
17
17
1
function pickIt(arr){
2
var odd=[],even=[];
3
4
for (let i = 0; i < arr.length; i++) {
5
if (arr[i] % 2 !== 0) {
6
odd.push(arr[i]);
7
} else {
8
even.push(arr[i]);
9
}
10
}
11
12
console.log(odd);
13
console.log(even);
14
}
15
16
pickIt([10,5,6,3,24,5235,31]);
17