剑指offer第二版-3.数组中重复的数

本系列导航:剑指offer(第二版)java实现导航帖

面试题3:数组中重复的数

题目要求:
在一个长度为n的数组中,所有数字的取值范围都在[0,n-1],但不知道有几个数字重复或重复几次,找出其中任意一个重复的数字。

解法比较:

解法 解法介绍 是否改变原数组 时间复杂度 空间复杂度
解法一 暴力求解 o(n^2) o(1)
解法二 借助快排 o(nlogn) o(1)
解法三 借助哈希表 o(n) o(n)
解法四 根据数字特点排序 o(n) o(1)
解法五 二路计数 o(nlogn) o(1)
package chapter2;
/**
 * Created by ryder on 2017/6/11.
 * 一个长度为n的数组,值的范围在0~n-1内,有一个或多个数字重复,求其中任意一个
 */
public class P39_DuplicationInArray {
    //方法一:暴力求解,不会修改原始数据,时间复杂度o(n^2),空间复杂度o(1)
    public static int getDuplication(int[] data){
        if(data==null || data.length<2)
            return -1;
        for(int i=0;i=end)
            return;
        int bound = partion(data,start,end);
        quickSort(data,start,bound-1);
        quickSort(data,bound+1,end);
    }
    public static int partion(int[] data,int start,int end){
        if(start>=end)
            return end;
        int pivot = data[start];
        int left = start, right = end;
        while(left=pivot)
                right--;
            if(left=1)
                return item;
            else{
                hashTable[item] = 1;
            }
        }
        return -1;
    }

    //方法四:根据数字特点排序,会修改原始数据,时间复杂度o(n),空间复杂度o(1)
    public static int getDuplication4(int[] data){
        if(data==null || data.length<2)
            return -1;
        for(int i=0;i1)
                    return start;
                else
                    return -1;
            }
            if(count>middle-start+1)
                end = middle;
            else
                start = middle+1;
        }
        return -1;
    }
    public static int countRange(int[] data,int start,int end){
        int count = 0;
        for(int i=0;i=data[i])
                count++;
        }
        return count;
    }
    public static void main(String[] args){
        int[] data = {2,3,1,0,2,5,3};
        System.out.println(getDuplication(data));
        System.out.println(getDuplication2(data));
        System.out.println(getDuplication3(data));
        System.out.println(getDuplication4(data));
        System.out.println(getDuplication5(data));

        int[] data1 = {2,3,1,0,4,5,5};
        System.out.println(getDuplication(data1));
        System.out.println(getDuplication2(data1));
        System.out.println(getDuplication3(data1));
        System.out.println(getDuplication4(data1));
        System.out.println(getDuplication5(data1));
    }
}

运行结果(前面几个方法会更改原数组,但不影响测试功能)

2
2
2
2
2
5
5
5
5
5

你可能感兴趣的:(剑指offer第二版-3.数组中重复的数)