I want to find Longer Strings from this array:
const myArr = [“first”, “second”, “third”, “fourth”, “fifth”, “sixth”, “seven”, “eighth”]
in this array “second”,”fourth”,”eighth” has length of 6. I want to return these in an array.
JavaScript
x
15
15
1
const myArr = ["first", "second", "third", "fourth", "fifth", "sixth", "seven", "eighth"]
2
3
function longerStrings(arr) {
4
let largeStrings = []
5
let longerWord = ''
6
for (let name of arr) {
7
if (name.length > longerWord.length) {
8
longerWord = name
9
largeStrings.push(longerWord)
10
}
11
}
12
return largeStrings
13
}
14
longerStrings(myArr)
15
expected output is: [“second”,”fourth”,”eighth”]
but returns =[“first”,”second”]
Advertisement
Answer
Easier if you use filter instead:
JavaScript
1
5
1
const myArr = ["first", "second", "third", "fourth", "fifth", "sixth", "seven", "eighth"]
2
const longest = myArr.reduce((a, b) => a.length > b.length ? a : b);
3
const res = myArr.filter(el => el.length >= longest.length)
4
console.log(res)
5
That returns:
JavaScript
1
2
1
["second","fourth","eighth"]
2
Or, as Sash mentions below, it can be done in a single pass, although the solution is not as readable:
JavaScript
1
14
14
1
let max = 0;
2
const reducer = myArray.reduce((previous, current) => {
3
if (current.length > max) {
4
previous = [];
5
}
6
if (current.length >= max) {
7
previous.push(current);
8
max = current.length;
9
}
10
return previous;
11
}, []);
12
13
console.log(reducer);
14