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

Counting Words With a Given Prefix

Difficulty: Easy


Problem Description

You are given an array of strings words and a string pref. Return the number of strings in words that contain pref as a prefix. A prefix of a string s is any leading contiguous substring of s.


Key Insights

  • We need to iterate through the array of strings.
  • For each string, we check if it starts with the given prefix.
  • The count of such strings is our final answer.
  • Prefix checking can be efficiently done using built-in string methods.

Space and Time Complexity

Time Complexity: O(n * m), where n is the number of strings in words and m is the average length of the strings.
Space Complexity: O(1), since we are using a constant amount of extra space for counting.


Solution

To solve the problem, we will iterate through each string in the words array and use a string method to check if the string starts with the specified pref. We will maintain a count of how many strings satisfy this condition.


Code Solutions

def countWordsWithPrefix(words, pref):
    count = 0
    for word in words:
        if word.startswith(pref):
            count += 1
    return count
← Back to All Questions