题目描述:
在一个长度为n的数组里的所有数字都在0到n-1的范围内。 数组中某些数字是重复的,但不知道有几个数字是重复的。也不知道每个数字重复几次。请找出数组中任意一个重复的数字。 例如,如果输入长度为7的数组{2,3,1,0,2,5,3},那么对应的输出是重复的数字2或者3.
解题思路一(排序):
看到这个题首先想到的是先排序,正好最近刚看了排序算法,就开始写这个解了。首先对数组进行排序,然后依次检查相邻元素是否相等。写完之后提交发现未通过测试用例,WF,仔细检查了发现也没什么问题,函数返回值bool正确,就是返回的数字不正确。然后看了一下上面的参数注解还是没明白,然后进去Java解题模板一看,原来是把找到的重复的数字赋值给duplication[0]数组。而C/C++的参数列表中 *duplication,传入的这个指针就表示一个数组。(这里要注意复习数组的名也就是其首地址)
class Solution {
public:
// Parameters:
// numbers: an array of integers
// length: the length of array numbers
// duplication: (Output) the duplicated number in the array number
// Return value: true if the input is valid, and there are some duplications in the array number
// otherwise false
bool duplicate(int numbers[], int length, int* duplication) {
bubble_sort(numbers,length);
for(int i=0;i<length-1;i++)
{
if(numbers[i+1]==numbers[i])
{
duplication[0]=numbers[i];
return true;
}
}
return false;
}
private:
void bubble_sort(int arr[],int len)
{
int flag=1;
for(int i=0;i<len-1&&flag!=0;i++)
{
flag=0; //初始化为0
for(int j=0;j<len-1-i;j++)
{
if(arr[j]>arr[j+1])
{
swap(arr[j],arr[j+1]);
flag=1; //若发生交换置为1
}
}
}
}
};
解题思路二(哈希表):
代码1:
#include <iostream>
#include <vector>
#include <memory> //内存管理类
using namespace std;
bool duplicate(int numbers[], int length, int* duplication);
int main()
{
int a[] = {2,1,3,1,4};
int *resu = new int(0);
duplicate(a, sizeof(a)/sizeof(int), resu);
cout << *resu << endl;
//system("pause");
return 0;
}
bool duplicate(int numbers[], int length, int* duplication) {
if (numbers == nullptr || length <= 1)return false;
int *hashTable = new int[length]();
for (int i = 0; i != length; i++) {
if (hashTable[numbers[i]]) {
*duplication = numbers[i];
return true;
}
else {
hashTable[numbers[i]] = 1; //以此将元素添加到hashTable中
}
}
return false;
}
代码2:
bool duplicate(int numbers[], int length, int* duplication) {
if(numbers==NULL||length==0) return 0;
int hashTable[255]={0};
for(int i=0;i<length;i++)
{
hashTable[numbers[i]]++;
}
int count=0;
for(int i=0;i<length;i++)
{
if(hashTable[numbers[i]]>1)
{
duplication[count++]=numbers[i];
return true;
}
}
解题思路三:
见剑指Offer书上P40