leetcode刷题389找不同

389. 找不同

给定两个字符串 st,它们只包含小写字母。

字符串 t 由字符串 s 随机重排,然后在随机位置添加一个字母。

请找出在 t 中被添加的字母。

示例 1:
输入:s = "abcd", t = "abcde"
输出:"e"
解释:'e' 是那个被添加的字母。

示例 2:
输入:s = "", t = "y"
输出:"y"

示例 3:
输入:s = "a", t = "aa"
输出:"a"

示例 4:
输入:s = "ae", t = "aea"
输出:"a"

class Solution:
    def findTheDifference(self, s: str, t: str) -> str:
        '''
        求和,两个数组求和,并相减,多的就是新出现的数字
        '''
        res = 0
        for i in t:
            res += ord(i)
        for i in s:
            res -= ord(i)
        return chr(res)

    def findTheDifference1(self, s: str, t: str) -> str:
        '''
        异或运算, 一个数与两个相同的数异或运算是其本身
        '''
        res = 0
        for i in s:
            res ^= ord(i)
        for i in t:
            res ^= ord(i)
        return chr(res)
    
    def findTheDifference2(self, s: str, t: str) -> str:
        '''
        计数解法, 使用字典保存出现单词的个数
        python collections 有专门计数的函数
        '''
        CountS = collections.Counter(s)
        CountT = collections.Counter(t)
        for key in CountT:
            if CountS[key] != CountT[key]:
                return key

你可能感兴趣的:(leetcode刷题389找不同)