I have been trying to solve this problem for some time now and I have partially managed to achieve it.
I am trying to write a function that will return a nested array, each array element will contain the number of consecutive chars found in a given string.
For example: for the given string “aaaabccaadeeee”, the function should return nested array [[4, a] [1, b] [2, c] [2, a] [1, d][4, e]]
I have managed to write the following function but it returns [ [ 4, ‘b’ ], [ 0, ‘c’ ], [ 1, ‘a’ ], [ 1, ‘d’ ], [ 0, ‘e’ ] ]
What am I doing wrong?
JavaScript
x
30
30
1
function consecutiveArray(str) {
2
3
const chunks = str.split("");
4
let counter = 0;
5
const finalArray = [];
6
let prevItem;
7
8
9
for(chunk of chunks){
10
11
if(!prevItem || prevItem === chunk){
12
counter++
13
} else {
14
finalArray.push([counter, chunk])
15
counter=0;
16
}
17
18
19
prevItem = chunk;
20
}
21
22
23
24
return finalArray;
25
26
}
27
28
29
console.log(consecutiveArray('aaaabccaadeeee'))
30
Advertisement
Answer
Your else
clause is wrong, you should push the counter for prevItem
and initialize the count to 1
. Also, push the final counter the after the loop.
JavaScript
1
18
18
1
function consecutiveArray(str) {
2
const chunks = str.split("");
3
let counter = 0;
4
const finalArray = [];
5
let prevItem;
6
for(chunk of chunks){
7
if(!prevItem || prevItem === chunk){
8
counter++
9
} else {
10
finalArray.push([counter, prevItem])
11
counter=1;
12
}
13
prevItem = chunk;
14
}
15
finalArray.push([counter, prevItem])
16
return finalArray;
17
}
18
console.log(consecutiveArray('aaaabccaadeeee'))