原题:
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?
题目分析:
这题意思就是给定一个数组,每个元素都出现两次,但有一个元素只出现一次,找出这个元素。
如果不是题目的限制,不给使用额外空间,这题思路还是很广阔的。但是这题不给使用额外空间,在知乎看leetcode 中有哪些题的解法让你拍案叫绝?
有人也提到了这题,使用了XOR
,其实说来也巧,做这道题之前,正在看《深入理解计算机系统》
正好说运算符部分就提到了^
运算符。
运算规则,和自己相同的数值异或运算为0,不同的为1。
A | B | P |
---|---|---|
0 | 0 | 0 |
0 | 1 | 1 |
1 | 0 | 1 |
1 | 1 | 0 |
a^a = 0
a^0 = a
不使用中间变量的两个数的交换可以这么写:
void swap(int &a, int &b) { // a b a = a^b; // a^b b b = a^b; // a^b a^b^b a = a^b // a^b^a^b^b=b a^b^b=a }
回到这一题,重复的两个数异或为0,把数组里的数都异或时,那个单独的数字就会显现出来了。
代码如下:
int singleNumber(int* nums, int numsSize) {
int ans=0;
for(int i=0;i<numsSize;i++)
{
ans= ans^nums[i];
}
return ans;
}