[Leetcode] Find Median from Data Stream

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.5
add(3) 
findMedian() -> 2

public class MedianFinder {
    // immutation size(maxQueue) - size(minQueue) = [0,1]
    private Queue maxQueue = new PriorityQueue<>(10, Collections.reverseOrder());
    private Queue minQueue = new PriorityQueue<>();
    
    // Adds a number into the data structure.
    public void addNum(int num) {
        if(maxQueue.size() == 0) {
            maxQueue.add(num);
            return;
        }
        
        int maxQueueTop = maxQueue.peek();
        if(num > maxQueueTop) {
            minQueue.add(num);
        }
        else {
            maxQueue.add(num);
        }
        
        if(minQueue.size() - maxQueue.size() > 0) {
            maxQueue.add(minQueue.poll());
        }
        if(maxQueue.size() - minQueue.size() > 1) {
            minQueue.add(maxQueue.poll());
        }
    }

    // Returns the median of current data stream
    public double findMedian() {
        if(maxQueue.size() == minQueue.size()) {
            return (maxQueue.peek() + minQueue.peek())/2.0;
        }
        else {
            return maxQueue.peek();
        }
    }
};

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


你可能感兴趣的:([Leetcode] Find Median from Data Stream)