1. 程式人生 > 實用技巧 >884. 兩句話中的不常見單詞

884. 兩句話中的不常見單詞

給定兩個句子A和B。(句子是一串由空格分隔的單詞。每個單詞僅由小寫字母組成。)

如果一個單詞在其中一個句子中只出現一次,在另一個句子中卻沒有出現,那麼這個單詞就是不常見的。

返回所有不常用單詞的列表。

您可以按任何順序返回列表。

示例 1:

輸入:A = "this apple is sweet", B = "this apple is sour"
輸出:["sweet","sour"]
示例2:

輸入:A = "apple apple", B = "banana"
輸出:["banana"]

提示:

0 <= A.length <= 200
0 <= B.length <= 200
A 和B都只包含空格和小寫字母。

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/uncommon-words-from-two-sentences

class Solution:
    def uncommonFromSentences(self, A: str, B: str) -> List[str]:
        a=A.split()
        b=B.split()
        cnta=collections.Counter(a)
        cntb=collections.Counter(b)
        res=[]
        
for i in a: if cnta[i]==1 and i not in b: res.append(i) for i in b: if cntb[i]==1 and i not in a: res.append(i) return res

class Solution:
    def uncommonFromSentences(self, A: str, B: str) -> List[str]:
        a=A.split()+B.split()
        cnt
=collections.Counter(a) return [i for i in a if cnt[i]==1]