Skip to content
Advertisement

Comparing length of strings in an array?

Hi I’m trying to compare the length of each word in a sentence. I converted this sentence into an array but then I’m lost in my codes. I tried 2 methods – for loop and reduce(), but neither worked. What happened in my code?

Reduce() => This one gave me undefined when I try to run the function. I gathered it’s because of the max.length/word.length, but how can I turn my string into length using reduce()?

function findLongestWordLength(str) {
  let brokenDown = str.split(' ')
  
  brokenDown.reduce((max, word) => {
    return Math.max(max.length, word.length)
  })
}

findLongestWordLength("The quick brown fox jumped over the lazy dog");

For loop => This one gave me the length of the first word rather than the maxLength. I’m guessing probably because my var strLength is not an array, but how to make it into an array containing the length of each index?

function findLongestWordLength(str) {
  let brokenDown = str.split(' ')
  for(let i = 0; i < brokenDown.length; i++) {
    var strLength = brokenDown[i].length
  }
  return Math.max(strLength)
}

findLongestWordLength("The quick brown fox jumped over the lazy dog");

I know this should be very basic and simple and i can’t wrap my head around what went wrong here.

Advertisement

Answer

In the second approach you posted, you aren’t setting the max properly. You are setting a variable called strLength, but your Math.max is outside the loop. So you will never get the maximum value unless it happens to be the last word in the array.

function findLongestWordLength(str) {
  let brokenDown = str.split(' ')
  let mxLen = 0
  for(let i = 0; i < brokenDown.length; i++) {
    mxLen = Math.max(mxLen, brokenDown[i].length);
  }
  return mxLen
}
User contributions licensed under: CC BY-SA
8 People found this is helpful
Advertisement