leetcode 题目 singlenum
Given an array of integers, every element appears twice except for one. Please write a function to find that single one.
整数型数组中,每个元素均出现两次,除了一个元素例外,如何找出这个元素?
解法一:使用map对元素的出现次数进行统计,判断元素是否只出现了一次。时间复杂度为O(2n),空间复杂度为O(n)
class Solution {
public:
int singleNumber(int A[], int n) {
// 注意迭代器和map的用法
map<int,int > m;
int ans;
for(int i = 0 ; i< n; i++){
m[A[i]] ++;
}
for (map<int,int>::iterator it = m.begin(); it!= m.end(); ++it ){
if ( it->second == 1 ){
return it ->first;
}
}
return -1;
}
};
解法二:先对数组进行排序,然后设步进为2的,找相邻两元素不等的第一个元素
时间复杂度为O(n*n),空间复杂度为0(不需要额外空间)
class Solution {
public:
int singleNumber(int A[], int n) {
sort(A,A+n);
for (int i = 0; i <n -1; i +=2){
if (A[i] != A[i+1]){
return A[i];
}
}
return A[n-1];
}
};
XOR运算:标准答案
因为A XOR A = 0,且XOR运算是可交换的,于是,对于实例{2,1,4,5,2,4,1}就会有这样的结果:
(2^1^4^5^2^4^1) => ((2^2)^(1^1)^(4^4)^(5)) => (0^0^0^5) => 5
算法复杂度为O(n),且空间复杂度为0(不需要额外空间)
class Solution {
public:
int singleNumber(int A[], int n) {
int result = 0;
for (int i = 0; i<n; i++)
{
result ^=A[i];
}
return result;
}
};
附上测试的main函数
#include <stdio.h>
#include <iostream>
#include <map>
#include <algorithm>
using namespace std;
int main (){
Solution Solu;
int A[] = {1,1,16,16,15};
int length = sizeof(A)/sizeof(int);
int num;
num = Solu.singleNumber(A,length);
cout << num <<endl;
return 0;
}