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

Check if a String Is an Acronym of Words

Difficulty: Easy


Problem Description

Given an array of strings words and a string s, determine if s is an acronym of words. The string s is considered an acronym of words if it can be formed by concatenating the first character of each string in words in order.


Key Insights

  • The acronym is formed by taking the first character of each word in the given order.
  • The lengths of words and s must match for s to be a valid acronym.
  • Simple iteration can be used to construct the acronym from the words array.

Space and Time Complexity

Time Complexity: O(n), where n is the number of words in the array.
Space Complexity: O(1), as we only need a few variables to store intermediate results.


Solution

We will iterate through each string in the words array, extract the first character, and concatenate these characters to form a new string. Finally, we will compare this constructed string to s to determine if they are equal.


Code Solutions

def isAcronym(words, s):
    # Construct the acronym from the first characters of each word
    acronym = ''.join(word[0] for word in words)
    # Check if the constructed acronym matches the input string s
    return acronym == s
← Back to All Questions