Question

In: Computer Science

This is a java problem. Complete and only modify ArrayQueue.java and CircularLinkedQueue.java. Use Homework3Driver.java to test...

This is a java problem. Complete and only modify ArrayQueue.java and CircularLinkedQueue.java.

Use Homework3Driver.java to test correctness of implementation of both.

This package includes Homework3Driver.java, QueueInterface.java, QueueOverflowException.java, QueueUnderflowException.java, and LLNode.java Do NOT modify any of those files.

The final output should be:

"For ArrayQueue.java, you get 30/30
For CircularLinkedQueue.java, you get 20/20
Your final score is 50/50"

This is ArrayQueue.java (the one that should be modified):

public class ArrayQueue<T> implements QueueInterface<T> {
   private static int CAPACITY = 100;
   private T[] elements;
   private int rearIndex = -1;

   // Default constructor to initialize array capacity with CAPACITY
   public ArrayQueue() {
   }

   // Constructor to initialize array capacity with 'size'
   @SuppressWarnings("unchecked")
   public ArrayQueue(int size) {
   }

   // Dequeue info from array. Throw QueueUnderflowException if array is empty
   public T dequeue() {
   }

   // Enqueue info into array. Throw QueueOverflowException if array is full
   public void enqueue(T info) {
   }

   // Return true if the array is empty; otherwise return false
   public boolean isEmpty() {
   }

   // Return true if the array is full; otherwise return false
   public boolean isFull() {
   }

   // Return number of elements
   public int size() {
   }
  
   // Adjust elements array capacity with 'size'
   public void resize(int size) {
   }
  
   // Return array capacity
   public int getQueueCapacity() {
   }
}

This is CircularLinkedQueue.java (The one that should also be modified):

// Note: It is important to implement this file as a circular queue without 'front' pointer

public class CircularLinkedQueue<T> implements QueueInterface<T> {
   protected LLNode<T> rear; // reference to the rear of this queue
   protected int numElements = 0; // number of elements in this queue

   public CircularLinkedQueue() {
   }

   public void enqueue(T element)
   // Adds element to the rear of this queue.
   {
   }

   public T dequeue()
   // Throws QueueUnderflowException if this queue is empty;
   // otherwise, removes front element from this queue and returns it.
   {
   }

   public String toString() {
       String result = "";

       return result;
   }

   public boolean isEmpty()
   // Returns true if this queue is empty; otherwise, returns false.
   {
   }

   public boolean isFull()
   // Returns false - a linked queue is never full.
   {
   }

   public int size()
   // Returns the number of elements in this queue.
   {
   }

}

This is Homework3Driver.java (the one to use to test the implementation of ArrayQueue.java and CircularLinkedQueue.java. Do not modify this file):

public class Homework3Driver {
  
   public static void main(String[] args) {
       int score = 0;

       // Part 1: Array Based queue
       score += testArrayQueue();
       System.out.printf("For ArrayQueue.java, you get %d/30\n", testArrayQueue());
      
       // Part 2: Circular Queue
       score += testCircularLinkedQueue();
       System.out.printf("For CircularLinkedQueue.java, you get %d/20\n", testCircularLinkedQueue());

       System.out.printf("Your final score is %d/50 \n", score);
   }
  
   private static int testArrayQueue() {
       int score = 0;

       ArrayQueue<Character> c = new ArrayQueue<Character>();
       if (c.getQueueCapacity() == 100)
           score += 1;

       ArrayQueue<String> q = new ArrayQueue<String>(2);
       if (q.getQueueCapacity() == 2)
           score += 1;

       try {
           q.dequeue(); // Note: Underflow exception should occur
       } catch (Exception e) {
           score += 3;
       }

       if (q.isEmpty() && !q.isFull() && q.size() == 0)
           score += 5;

       q.enqueue("Orange");
       q.enqueue("Mango");

       try {
           q.enqueue("Guava"); // Note: with Queue size 2, this won't get into the queue.
       } catch (Exception e) {
           score += 3;
       }

       if (q.isFull())
           score += 2;

       if (q.dequeue().equals("Orange") && q.size() == 1 && !q.isEmpty())
           score += 3;

       if (q.dequeue().equals("Mango") && q.size() == 0 && q.isEmpty())
           score += 2;

       q.enqueue("Strawberry");
       q.enqueue("Lemon");
       q.resize(2); // Increase the array size by 2
       q.enqueue("Banana");
       if (q.getQueueCapacity() == 4 && q.size() == 3 && !q.isEmpty() && !q.isFull())
           score += 5;

       q.resize(-1); // Decrease the array size by 1.
       if (q.getQueueCapacity() == 3 && q.size() == 3 && !q.isEmpty() && q.isFull())
           score += 5;

       return score;
   }
  
   private static int testCircularLinkedQueue() {
       int score = 0;
      
       CircularLinkedQueue<String> cq = new CircularLinkedQueue<String>();
      
       try {
           System.out.println(cq.dequeue());
       } catch (Exception e) {
           if (cq.size() == 0 && cq.isEmpty() && !cq.isFull())
           score += 5;
       }
      
       cq.enqueue("Tomato");
       cq.enqueue("Grape");
       if (cq.size() == 2 && !cq.isEmpty() && !cq.isFull())
           score += 5;

       cq.dequeue();      
       cq.dequeue();
       if (cq.size() == 0 && cq.isEmpty() && !cq.isFull())
           score += 5;
      
       cq.enqueue("Pineapple");
       cq.enqueue("Lime");
      
//       System.out.println(cq);
       // Note: Implement toString() method to match this output.
       if (cq.toString().equals("Pineapple\nLime\n"))
           score += 5;

       return score;
   }
}

This is QueueInterface.java (Do not modify):

public interface QueueInterface<T> {
   void enqueue(T element) throws QueueOverflowException;
   // Throws QueueOverflowException if this queue is full;
   // otherwise, adds element to the rear of this queue.

   T dequeue() throws QueueUnderflowException;
   // Throws QueueUnderflowException if this queue is empty;
   // otherwise, removes front element from this queue and returns it.

   boolean isFull();
   // Returns true if this queue is full; otherwise, returns false.

   boolean isEmpty();
   // Returns true if this queue is empty; otherwise, returns false.

   int size();
   // Returns the number of elements in this queue.
}

This is LLNode.java (do not modify):

public class LLNode<T> {
   protected LLNode<T> link;
   protected T info;

   public LLNode(T info) {
       this.info = info;
       link = null;
   }

   public void setInfo(T info) {
       this.info = info;
   }

   public T getInfo() {
       return info;
   }

   public void setLink(LLNode<T> link) {
       this.link = link;
   }

   public LLNode<T> getLink() {
       return link;
   }
}

This is QueueOverflowException.java (do not modify):

public class QueueOverflowException extends RuntimeException {
   private static final long serialVersionUID = 1L;

   public QueueOverflowException() {
       super();
   }

   public QueueOverflowException(String message) {
       super(message);
   }
}

This is QueueUnderflowException.java (do not modify):

public class QueueUnderflowException extends RuntimeException {
   private static final long serialVersionUID = 1L;

   public QueueUnderflowException() {
       super();
   }

   public QueueUnderflowException(String message) {
       super(message);
   }
}

Solutions

Expert Solution

Here is the complete code,

ArrayQueue.java

public class ArrayQueue<T> implements QueueInterface<T> {
    private static int CAPACITY = 100;
    private T[] elements;
    private int rearIndex = -1;

    // Default constructor to initialize array capacity with CAPACITY
    public ArrayQueue() {
        CAPACITY = 100;
        elements = (T[]) new Object[CAPACITY];
    }

    // Constructor to initialize array capacity with 'size'
    @SuppressWarnings("unchecked")
    public ArrayQueue(int size) {
        CAPACITY = size;
        elements = (T[]) new Object[size];
    }

    // Dequeue info from array. Throw QueueUnderflowException if array is empty
    public T dequeue() {
        if(isEmpty()) throw new QueueUnderflowException("Queue is Empty");
        T value;
        if(size() == 1){
            value = elements[rearIndex];
            elements[rearIndex] = null;
        }
        else{
            value = elements[0];
            for(int i=0; i<size()-1; i++){
                elements[i] = elements[i+1];
            }
            elements[size()-1] = null;
        }
        rearIndex--;
        return value;
    }

    // Enqueue info into array. Throw QueueOverflowException if array is full
    public void enqueue(T info) {
        if(isFull()) throw new QueueOverflowException("Queue is Full");
        rearIndex++;
        elements[rearIndex] = info;
    }

    // Return true if the array is empty; otherwise return false
    public boolean isEmpty() {
        return rearIndex == -1;
    }

    // Return true if the array is full; otherwise return false
    public boolean isFull() {
        return rearIndex+1 == CAPACITY;
    }

    // Return number of elements
    public int size() {
        return rearIndex+1;
    }

    // Adjust elements array capacity with 'size'
    public void resize(int size) {
        int newCapacity = getQueueCapacity() + size;
        T[] newElements = (T[]) new Object[newCapacity];
        if (size() >= 0) System.arraycopy(elements, 0, newElements, 0, size());
        CAPACITY = newCapacity;
        elements = newElements;
    }

    // Return array capacity
    public int getQueueCapacity() {
        return CAPACITY;
    }
}

CircularLinkedQueue.java

// Note: It is important to implement this file as a circular queue without 'front' pointer

public class CircularLinkedQueue<T> implements QueueInterface<T> {
    protected LLNode<T> rear; // reference to the rear of this queue
    protected int numElements = 0; // number of elements in this queue

    public CircularLinkedQueue() {
        rear = null;
    }

    public void enqueue(T element)
    // Adds element to the rear of this queue.
    {
        if(rear == null){
            rear = new LLNode<>(element);
            rear.link = rear;
        }
        else{
            LLNode<T> temp = rear;
            LLNode<T> end = rear.getLink();
            rear = new LLNode<>(element);
            temp.link = rear;
            rear.link = end;
        }
        numElements++;
    }

    public T dequeue()
    // Throws QueueUnderflowException if this queue is empty;
    // otherwise, removes front element from this queue and returns it.
    {
        if(isEmpty()) throw new QueueOverflowException("Queue is Empty.");
        LLNode<T> removedNode;
        if(size() == 1){
            removedNode = rear;
            rear = null;
        }
        else{
            removedNode = rear.getLink();
            rear.link = removedNode.getLink();
        }
        numElements--;
        return removedNode.getInfo();
    }

    public String toString() {
        StringBuilder result = new StringBuilder();
        if(isEmpty()) return result.toString();
        LLNode<T> front = rear.getLink();
        while(front != rear){
            result.append(front.getInfo()+"\n");
            front = front.getLink();
        }
        result.append(front.getInfo()+"\n");
        return result.toString();
    }

    public boolean isEmpty()
    // Returns true if this queue is empty; otherwise, returns false.
    {
        return rear == null;
    }

    public boolean isFull()
    // Returns false - a linked queue is never full.
    {
        return false;
    }

    public int size()
    // Returns the number of elements in this queue.
    {
        return numElements;
    }

}

Homework3Driver.java

public class Homework3Driver {

    public static void main(String[] args) {
        int score = 0;

        // Part 1: Array Based queue
        score += testArrayQueue();
        System.out.printf("For ArrayQueue.java, you get %d/30\n", testArrayQueue());

        // Part 2: Circular Queue
        score += testCircularLinkedQueue();
        System.out.printf("For CircularLinkedQueue.java, you get %d/20\n", testCircularLinkedQueue());

        System.out.printf("Your final score is %d/50 \n", score);
    }

    private static int testArrayQueue() {
        int score = 0;

        ArrayQueue<Character> c = new ArrayQueue<Character>();
        if (c.getQueueCapacity() == 100)
            score += 1;

        ArrayQueue<String> q = new ArrayQueue<String>(2);
        if (q.getQueueCapacity() == 2)
            score += 1;

        try {
            q.dequeue(); // Note: Underflow exception should occur
        } catch (Exception e) {
            score += 3;
        }

        if (q.isEmpty() && !q.isFull() && q.size() == 0)
            score += 5;

        q.enqueue("Orange");
        q.enqueue("Mango");

        try {
            q.enqueue("Guava"); // Note: with Queue size 2, this won't get into the queue.
        } catch (Exception e) {
            score += 3;
        }

        if (q.isFull())
            score += 2;

        if (q.dequeue().equals("Orange") && q.size() == 1 && !q.isEmpty())
            score += 3;

        if (q.dequeue().equals("Mango") && q.size() == 0 && q.isEmpty())
            score += 2;

        q.enqueue("Strawberry");
        q.enqueue("Lemon");
        q.resize(2); // Increase the array size by 2
        q.enqueue("Banana");
        if (q.getQueueCapacity() == 4 && q.size() == 3 && !q.isEmpty() && !q.isFull())
            score += 5;

        q.resize(-1); // Decrease the array size by 1.
        if (q.getQueueCapacity() == 3 && q.size() == 3 && !q.isEmpty() && q.isFull())
            score += 5;

        return score;
    }

    private static int testCircularLinkedQueue() {
        int score = 0;

        CircularLinkedQueue<String> cq = new CircularLinkedQueue<String>();

        try {
            System.out.println(cq.dequeue());
        } catch (Exception e) {
            if (cq.size() == 0 && cq.isEmpty() && !cq.isFull())
                score += 5;
        }

        cq.enqueue("Tomato");
        cq.enqueue("Grape");
        if (cq.size() == 2 && !cq.isEmpty() && !cq.isFull())
            score += 5;

        cq.dequeue();
        cq.dequeue();
        if (cq.size() == 0 && cq.isEmpty() && !cq.isFull())
            score += 5;

        cq.enqueue("Pineapple");
        cq.enqueue("Lime");

//       System.out.println(cq);
        // Note: Implement toString() method to match this output.
        if (cq.toString().equals("Pineapple\nLime\n"))
            score += 5;

        return score;
    }
}

LLNode.java

public class LLNode<T> {
    protected LLNode<T> link;
    protected T info;

    public LLNode(T info) {
        this.info = info;
        link = null;
    }

    public void setInfo(T info) {
        this.info = info;
    }

    public T getInfo() {
        return info;
    }

    public void setLink(LLNode<T> link) {
        this.link = link;
    }

    public LLNode<T> getLink() {
        return link;
    }
}

QueueInterface.java

public interface QueueInterface<T> {
    void enqueue(T element) throws QueueOverflowException;
    // Throws QueueOverflowException if this queue is full;
    // otherwise, adds element to the rear of this queue.

    T dequeue() throws QueueUnderflowException;
    // Throws QueueUnderflowException if this queue is empty;
    // otherwise, removes front element from this queue and returns it.

    boolean isFull();
    // Returns true if this queue is full; otherwise, returns false.

    boolean isEmpty();
    // Returns true if this queue is empty; otherwise, returns false.

    int size();
    // Returns the number of elements in this queue.
}

QueueOverflowException.java

public class QueueOverflowException extends RuntimeException {
    private static final long serialVersionUID = 1L;

    public QueueOverflowException() {
        super();
    }

    public QueueOverflowException(String message) {
        super(message);
    }
}

QueueUnderflowException.java

public class QueueUnderflowException extends RuntimeException {
    private static final long serialVersionUID = 1L;

    public QueueUnderflowException() {
        super();
    }

    public QueueUnderflowException(String message) {
        super(message);
    }
}

OUTPUT

If you have any doubts feel free to ask in comment section. Also please do upvote the solution.


Related Solutions

Java Programming For this assignment, you should modify only the User.java file. Make sure that the...
Java Programming For this assignment, you should modify only the User.java file. Make sure that the InsufficientFundsException.java file is in the same folder as your User.java File. To test this program you will need to create your own "main" function which can import the User, create an instance and call its methods. One of the methods will throw an exception in a particular circumstance. This is a good reference for how throwing exceptions works in java. I would encourage you...
In the following problems , give a complete hypothesis test for each problem. Use the method...
In the following problems , give a complete hypothesis test for each problem. Use the method described. Make sure you include the original claim in symbols, The null and alternative hypothesis, the significance level, the actual formula and calculation of the test statistic, give the p-value and a  drawing of critical region ,the decision concerning the null hypothesis and a conclusion stated in non technical terms In a recent year, of the 109,857 arrests for Federal Offenses, 31968 were for drug...
Modify Account Class(Java programming) used in the exercises such that ‘add’ and ‘deduct’ method could only...
Modify Account Class(Java programming) used in the exercises such that ‘add’ and ‘deduct’ method could only run if the account status is active. You can do this adding a Boolean data member ‘active’ which describes account status (active or inactive). A private method isActive should also be added to check ‘active’ data member. This data member is set to be true in the constructor, i.e. the account is active the first time class Account is created. Add another private method...
Modify the following java code, utilizing a loop mechanism to enable the user to use the...
Modify the following java code, utilizing a loop mechanism to enable the user to use the calculator more than once. The program does the following:    It prompts the user to enter 2 numbers.    It prompts the user to choose an operation to perform on those numbers:    Operation 1: Addition.    Operation 2: Subtraction.    Operation 3: Multiplication.    Operation 4: Division.    It outputs the result of the operation.    It asks the user if they want...
please use linux or unix to complete, and include pictures of the output. Modify the code...
please use linux or unix to complete, and include pictures of the output. Modify the code below to implement the program that will sum up 1000 numbers using 5 threads. 1st thread will sum up numbers from 1-200 2nd thread will sum up numbers from 201 - 400 ... 5th thread will sum up numbers from 801 - 1000 Make main thread wait for other threads to finish execution and sum up all the results. Display the total to the...
Your task is to modify the program from the Java Arrays programming assignment to use text...
Your task is to modify the program from the Java Arrays programming assignment to use text files for input and output. I suggest you save acopy of the original before modifying the software. Your modified program should: contain a for loop to read the five test score into the array from a text data file. You will need to create and save a data file for the program to use. It should have one test score on each line of...
Modify the following code to use ONLY pointer arithmetic (no array expressions) and no for loops...
Modify the following code to use ONLY pointer arithmetic (no array expressions) and no for loops to do the same thing this code does. Be sure that you understand how the code works and how the pointer arithmetic relates to the array expression form. Provide liberal comments to explain what your pointer arithmetic is computing. #include <stdlib.h> #include <stdio.h> int main(int argc, char **argv) { int arg_count = 0; for (arg_count = 0; arg_count < argc; arg_count++) printf("%s\n", argv[arg_count]); }
Java Language Only Use Java FX In this project we will build a BMI calculator. BMI...
Java Language Only Use Java FX In this project we will build a BMI calculator. BMI is calculated using the following formulas: Measurement Units Formula and Calculation Kilograms and meters (or centimetres) Formula: weight (kg) / [height (m)]2 The formula for BMI is weight in kilograms divided by height in meters squared. If height has been measured in centimetres, divide by 100 to convert this to meters. Pounds and inches Formula: 703 x weight (lbs) / [height (in)]2 When using...
Use the t-distribution and the sample results to complete the test of the hypotheses. Use a...
Use the t-distribution and the sample results to complete the test of the hypotheses. Use a 5% significance level. Assume the results come from a random sample, and if the sample size is small, assume the underlying distribution is relatively normal. Test H0 : μ=100 vs Ha : μ<100 using the sample results x¯=91.7, s=12.5, with n=30.
(USE C ++ AND class STRING ONLY!!!! No java, No cstring and No vector) Write a...
(USE C ++ AND class STRING ONLY!!!! No java, No cstring and No vector) Write a program that can be used to train the user to use less sexist language by suggesting alternative versions of sentences given by the user. The program will ask for a sentence, read the sentence into a string variable, and replace all occurrences of masculine pronouns with genderneutral pronouns. For example, it will replace "he" with "she or he". Thus, the input sentence See an...
ADVERTISEMENT
ADVERTISEMENT
ADVERTISEMENT