LeetCode 389——找不同

seniusen發表於2018-10-29

1. 題目

2. 解答

2.1. 方法一

將 s 和 t 轉化為 Python 的列表,然後遍歷列表 s 的元素,將它們從列表 t 中刪除,最後列表 t 中會餘下一個元素,即為所求

class Solution:
    def findTheDifference(self, s, t):
        """
        :type s: str
        :type t: str
        :rtype: str
        """
        s_list = list(s)
        t_list = list(t)
        for i in s_list:
            t_list.remove(i)
        return t_list[0]

2.2. 方法二

將 t 轉化為 Python 的集合,由於集合元素的互異性,這個過程會去掉重複元素,然後再將其轉化為列表 r,此時 r 包含 t 中的所有字元。

遍歷 r 中的字元,然後分別計數其在 s 和 t 中出現的次數,如果二者不相等,則當前字元即為所求

class Solution:
    def findTheDifference(self, s, t):
        """
        :type s: str
        :type t: str
        :rtype: str
        """

        r = list(set(t))
        result = ' '
        for i in r:
            if s.count(i) != t.count(i):
                result = i
                return result

2.3. 方法三

t 中所有字元的 ASCII 碼之和減去 s 中所有字元的 ASCII 碼之和,最後的差對應的字元即為所求。

class Solution {
public:
    char findTheDifference(string s, string t) {
        
        int count = 0;
        
        string::iterator i1 = s.begin(), i2 = t.begin();
        
        for (; i1 != s.end() && i2 != t.end(); i1++, i2++)
        {
            count += *i2 - *i1; 
        }
        
        count = count + *i2;
        
        return char(count);
        
    }
};

2.4. 方法四

利用按位異或運算。假設有兩個數 a, b,按位異或可以實現兩個數的交換。

a = a ^ b
b = a ^ b = a ^ b ^ b = a ^ 0 = a
a = a ^ b =  a ^ b ^ a = b

因此,我們可以將 s 和 t 中的元素按位異或,相同的元素按位異或之後都會變成零,最後的結果即為所求。

class Solution {
public:
    char findTheDifference(string s, string t) {
              
        int count = 0;
        
        string::iterator i1 = s.begin(), i2 = t.begin();
        
        for (; i1 != s.end() && i2 != t.end(); i1++, i2++)
        {
            count = *i2 ^ *i1 ^ count; 
        }
        
        count = count ^ *i2;
        
        return char(count);
        
    }
};

獲取更多精彩,請關注「seniusen」!

相關文章