class MaxPriorityQueue> {
private Key[] queue;
private int count;
private static final int CAPACITY = 3;
public MaxPriorityQueue() {
this(CAPACITY);
}
public MaxPriorityQueue(int capacity) {
queue = (Key[]) new Comparable[capacity];
count = 0;
}
public boolean isEmpty() {
return count == 0;
}
public void insert(Key key) {
if(queue.length == count) {
resize(2*queue.length);
}
queue[count++] = key;
swim(count-1);
}
public Key deleteMin() {
Key min = queue[0];
queue[0] = queue[--count];
queue[count] = null;
sink(0);
if(count < queue.length/4) {
resize(queue.length/2);
}
return min;
}
private void swim(int i) {
int parent = getParentIndex(i);
while(i > 0 && less(queue[parent], queue[i])) {
swap(parent, i);
i = parent;
parent = getParentIndex(i);
}
}
private void sink(int root) {
int child = getLeftChildIndex(root);
while(child <= count-1) {
if(child < count-1 && less(queue[child], queue[child+1])) {
child = child + 1;
}
if(less(queue[child], queue[root])) {
break;
}
swap(root, child);
root = child;
child = getLeftChildIndex(root);
}
}
private boolean less(Key key1, Key key2) {
return key1.compareTo(key2) < 0;
}
private void swap(int i, int j) {
Key temp = queue[i];
queue[i] = queue[j];
queue[j] = temp;
}
private int getParentIndex(int i) {
return (i-1)/2;
}
private int getLeftChildIndex(int i) {
return (2*i+1);
}
private int getRightChildIndex(int i) {
return (2*i+2);
}
private void resize(int size) {
Key[] temp = (Key[]) new Comparable[size];
for(int i = 0; i < count; i++) {
temp[i] = queue[i];
}
queue = temp;
}
public static void main (String[] args) {
System.out.println("Test 1 ");
MaxPriorityQueue queue = new MaxPriorityQueue();
int[] arrayInts = new int[] {11,13,7,12,16,9,24,5,10,3};
for(int key : arrayInts) {
queue.insert(key);
}
while(!queue.isEmpty()) {
System.out.print(queue.deleteMin() + " ");
}
System.out.println("\nTest 2 ");
MaxPriorityQueue queue2 = new MaxPriorityQueue<>();
String[] arrayStr = new String[] {"My", "Name", "Is", "Raghav", "M", "And", "I", "Stay", "In", "Bangalore"};
for(String key : arrayStr) {
queue2.insert(key);
}
while(!queue2.isEmpty()) {
System.out.print(queue2.deleteMin() + " ");
}
}
}
Test 1
24 16 13 12 11 10 9 7 5 3
Test 2
Stay Raghav Name My M Is In I Bangalore And
Comments
Post a Comment