We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximum Number of Words Found in Sentences

Difficulty: Easy


Problem Description

You are given an array of strings sentences, where each sentences[i] represents a single sentence. Your task is to return the maximum number of words that appear in a single sentence.


Key Insights

  • Each sentence is composed of words separated by a single space.
  • The number of words in a sentence can be determined by counting the spaces and adding one.
  • The goal is to find the maximum count of words across all sentences provided.

Space and Time Complexity

Time Complexity: O(n) where n is the number of sentences, as we need to iterate through each sentence to count words.
Space Complexity: O(1), as we are only using a few variables to track the maximum count.


Solution

To solve this problem, we will use a simple iterative approach:

  1. Initialize a variable to keep track of the maximum number of words found.
  2. For each sentence in the sentences array, split the sentence by spaces to count the words.
  3. Compare the count of words from the current sentence with the maximum found so far and update it if necessary.
  4. Return the maximum count after checking all sentences.

We will utilize the split method to break each sentence into words based on spaces.


Code Solutions

def maxWords(sentences):
    max_count = 0  # Initialize the maximum word count
    for sentence in sentences:
        word_count = len(sentence.split())  # Split the sentence into words
        max_count = max(max_count, word_count)  # Update maximum count if necessary
    return max_count  # Return the maximum word count
← Back to All Questions