Given a non-empty 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?
Example 1:
Input: [2,2,1] Output: 1
Example 2:
Input: [4,1,2,1,2] Output: 4
已知一个数组中除了一个数字,其他数字都出现了两次,现在需要找出这个只出现一次的数字。要求线性时间复杂度,且不使用额外的空间。 这是一个位运算的题,我们知道两个相同的数按位异或之后结果为0,因为异或操作是相同为0,不同为1。所以可以把数组中的所有数字都进行异或运算,那么所有出现两次的数字异或之后都等于0,最终只剩下出现次数为1次的那个数字。思路还是很巧妙的,完整代码如下:
class Solution {
public:
int singleNumber(vector<int>& nums)
{
int ans = 0;
for (int i = 0; i < nums.size(); i++) {
ans ^= nums[i];
}
return ans;
}
};
本代码提交AC,用时16MS。
Pingback: LeetCode Find the Difference | bitJoy > code
Pingback: LeetCode Single Number II | bitJoy > code
Pingback: LeetCode Single Number III | bitJoy > code