原题链接:260. Single Number III
【思路-Java、Python】
相信做这题的读者已经做过 136. Single Number 了,Single Number 的思想就是通过异或(同0异1的性质)运算找出唯一的一个数。那么本题,假设数组中两个不相同的数是 a 和 b,且 a ^ b = aXorb。首先对数组通过异或运算,得到的结果就是 aXorb,由于 a 与 b 不相等,那么 aXorb 肯定不为0,任取 aXorb 中的一位对整个数组进行异或,就可以区分出 a 和 b。
举个例子[0,1,1,2],可以得到 aXorb = 0 ^ 2 = 2,aXorb &= (-aXorb) = 2,那么用 aXorb 与数组元素异或:
aXorb & 0 = 0 ,res[0] = 0
aXorb & 1 = 1, res[1] = 1
aXorb & 1 = 1, res[1] = 0
aXorb & 2 = 1, res[1] = 2
这样就得到了结果:
public class Solution {
public int[] singleNumber(int[] nums) {
int res[] = new int[2];
int aXorb = 0;
for (int num : nums) aXorb ^= num;
aXorb &= (-aXorb); //低位起第一次不为0的位为1,其他位均置0
for (int num : nums) {
if ((aXorb & num) == 0) res[0] ^= num; //选出 a
else res[1] ^= num; //选出 b
}
return res;
}
}
30 / 30
test cases passed. Runtime: 2 ms Your runtime beats 37.32% of javasubmissions.
class Solution(object):
def singleNumber(self, nums):
"""
:type nums: List[int]
:rtype: List[int]
"""
aXorb = reduce(lambda a,b : a ^ b, nums)
aXorb &= (-aXorb)
res = [0,0]
for num in nums :
if num & aXorb == 0 : res[0] ^= num
else : res[1] ^= num
return res
30 / 30
test cases passed. Runtime: 52 ms Your runtime beats 41.18% of pythonsubmissions.