美文网首页LeetCode solutions
295. Find Median from Data Strea

295. Find Median from Data Strea

作者: 番茄晓蛋 | 来源:发表于2016-10-01 06:13 被阅读28次

My Submissions

Difficulty: Hard

Median is the middle value in an ordered integer list. If the size of the list is even, there is no middle value. So the median is the mean of the two middle value.
Examples: [2,3,4]
, the median is 3

[2,3]
, the median is (2 + 3) / 2 = 2.5

Design a data structure that supports the following two operations:
void addNum(int num) - Add a integer number from the data stream to the data structure.
double findMedian() - Return the median of all elements so far.

For example:
add(1)add(2)findMedian() -> 1.5add(3) findMedian() -> 2
Credits:Special thanks to @Louis1992 for adding this problem and creating all test cases.

Hide Company Tags
Google
Hide Tags
Heap Design

import java.util.*;

public class MedianFinder {

    PriorityQueue<Integer> minHeap = new PriorityQueue(); // heap is a minimal heap by default
    PriorityQueue<Integer> maxHeap = new PriorityQueue(Collections.reverseOrder()); // change to a maximum heap
    
    /* 演算过程
        maxHeap    minHeap
        2           
                    2
        2
        3, 2        
        2           3
        4, 2        3
        2           3,4
        2, 3        4
        ====================>  return maxHeap.peek()  =3 
        */
    
    // Adds a number into the data structure.
    public void addNum(int num) {
        maxHeap.offer(num);
        minHeap.offer(maxHeap.poll());
        if (maxHeap.size() < minHeap.size()) {
            maxHeap.offer(minHeap.poll());
        }
    }

    // Returns the median of current data stream
    public double findMedian() {
        if (minHeap.size() == maxHeap.size()) {
            return  (maxHeap.peek() + minHeap.peek()) / 2.0;
        } else {
            return maxHeap.peek();
        }
    }
    
    public static void main(String[] args) {
        MedianFinder mf = new MedianFinder();
        mf.addNum(2);
        mf.addNum(3);
        mf.addNum(4);
        System.out.println(mf.findMedian());
    }
}

// Your MedianFinder object will be instantiated and called as such:
// MedianFinder mf = new MedianFinder();
// mf.addNum(1);
// mf.findMedian();

相关文章

网友评论

    本文标题:295. Find Median from Data Strea

    本文链接:https://www.haomeiwen.com/subject/uoeryttx.html