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

Uncommon Words from Two Sentences

Difficulty: Easy


Problem Description

Given two sentences s1 and s2, return a list of all the uncommon words. A word is considered uncommon if it appears exactly once in one of the sentences and does not appear in the other sentence.


Key Insights

  • Use a hash table (dictionary) to count the occurrences of each word in both sentences.
  • Identify words that occur exactly once in either sentence and not at all in the other.
  • Return the list of these uncommon words.

Space and Time Complexity

Time Complexity: O(n + m), where n is the number of words in s1 and m is the number of words in s2.
Space Complexity: O(n + m) for storing the words and their counts in a hash table.


Solution

To solve the problem, we can employ a hash table to count occurrences of each word in both sentences. We first split both sentences into words, then populate the hash table with their counts. Finally, we iterate through the hash table to find words that are unique to each sentence (appear exactly once in one sentence and not at all in the other).


Code Solutions

def uncommon_from_sentences(s1: str, s2: str):
    from collections import Counter
    
    # Split sentences into words
    words1 = s1.split()
    words2 = s2.split()
    
    # Count occurrences of words in both sentences
    count = Counter(words1) + Counter(words2)
    
    # Find uncommon words
    uncommon = [word for word, freq in count.items() if freq == 1]
    
    return uncommon
← Back to All Questions