问题描述
Given an array of integers, every element appears twice except for one. Find that single one.
Note:
Your algorithm should have a linear runtime complexity. Could you implement it without using extra memory?
问题出处:https://leetcode.com/problems/single-number/
解决方法
对于这个问题,如果用最为直观并且暴力的方法就是遍历,但是要求是线性时间完成,即时间复杂度为 O(n) ,所以暴力遍历这种 O(n 2 ) 的方法是不合要求的。当然,还要注意不能有多余的内存开销,所以以空间换时间的方法也是行不通的。那么如何解决这个问题呢?下面回顾一下Exclusive OR,异或这种位逻辑运算,它所具有的性质是解决上述问题的关键。
a | b | a xor b |
---|---|---|
0 | 0 | 0 |
0 | 1 | 1 |
1 | 0 | 1 |
1 | 1 | 0 |
上表是异或运算的真值表,不难发现异或运算的特点就是:两位相同为假,两位相异为真。所以通过推导不难的得出异或运算具有如下性质:
- a xor a = 0
- a xor b = b xor a
- a xor b xor c = (a xor b) xor c = a xor (b xor c)
其中,性质2说明异或运算具有交换律,性质3表明异或运算具有结合律。根据上面的这些性质可以很容易的得到: a xor b xor a = b。此时豁然开朗,解决方案的理论已经形成,话不多说,上代码,如下所示:
class Solution {
public:
int singleNumber(int A[], int n) {
int result = 0;
for (int i = 0; i < n; i++) {
result ^= A[i];
}
return result;
}
};
测试函数代码如下:
int main()
{
Solution solution;
int a[5] = { 1, 3, 5, 3, 1 };
cout << solution.singleNumber(a, 5) << endl;
return 0;
}
一运行结果为5,结果正确。至此,此题完美解决。
不知大家还有没有更加优雅的解决办法,欢迎和我讨论。