码迷,mamicode.com
首页 > 编程语言 > 详细

java---最小的K个数

时间:2017-10-25 19:51:19      阅读:201      评论:0      收藏:0      [点我收藏+]

标签:简单   offer   for   题目   最小   compareto   style   else   wrap   

时间限制:1秒 空间限制:32768K
题目描述
输入n个整数,找出其中最小的K个数。例如输入4,5,1,6,2,7,3,8这8个数字,则最小的4个数字是1,2,3,4,。
最简单的思路当然是直接排序,最前面的K个数就是题目所求,但是这显然不是优秀的解法。
可以选择使用快排的Partition函数,简单划分,但是并不排序,较为快速的解决问题。
import java.util.ArrayList;
public class Solution {
    public ArrayList<Integer> GetLeastNumbers_Solution(int [] input, int k) {
        ArrayList<Integer> result=new ArrayList<Integer>();
        if(k<=0){
            return result;
        }
        if(input.length==0||input.length<k){
            return result;
        }
        int start=0;
        int end=input.length-1;
        int index=Partition(input,start,end);
        while(index!=k-1){
            if(index>k-1){
                end=index-1;
                index=Partition(input,start,end);
            }else{
                start=index+1;
                index=Partition(input,start,end);
            }
        }
        for(int i=0;i<k;i++){
            result.add(input[i]);
        }
        return result;
    }
    public int Partition(int[] input,int start,int end){
        int pivot=input[start];
        while(start<end){
            while(start<end&&input[end]>=pivot){--end;}
                input[start]=input[end];
            while(start<end&&input[start]<=pivot){++start;}
                input[end]=input[start];
        }
        input[end]=pivot;
        return end;
    }
}

还可以考虑使用另一种数据结构,最大堆,用最大堆保存这k个数,每次只和堆顶比,如果比堆顶小,删除堆顶,新数入堆。

import java.util.ArrayList;
import java.util.PriorityQueue;
import java.util.Comparator;
public class Solution {
   public ArrayList<Integer> GetLeastNumbers_Solution(int[] input, int k) {
       ArrayList<Integer> result = new ArrayList<Integer>();
       int length = input.length;
       if(k > length || k == 0){
           return result;
       }
        PriorityQueue<Integer> maxHeap = new PriorityQueue<Integer>(k, new Comparator<Integer>() {
 
            @Override
            public int compare(Integer o1, Integer o2) {
                return o2.compareTo(o1);
            }
        });
        for (int i = 0; i < length; i++) {
            if (maxHeap.size() != k) {
                maxHeap.offer(input[i]);
            } else if (maxHeap.peek() > input[i]) {
                Integer temp = maxHeap.poll();
                temp = null;
                maxHeap.offer(input[i]);
            }
        }
        for (Integer integer : maxHeap) {
            result.add(integer);
        }
        return result;
    }
}

 

java---最小的K个数

标签:简单   offer   for   题目   最小   compareto   style   else   wrap   

原文地址:http://www.cnblogs.com/zzmher/p/7730700.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!