Изучение реализации на основе очереди связанного списка

#java #data-structures #linked-list #queue #implementation

#java #структуры данных #связанный список #очередь #реализация

Вопрос:

В настоящее время я нахожусь в классе структур данных и сталкиваюсь с небольшими проблемами с моим проектом реализации на основе очереди связанного списка — у меня все построено, однако мой новый экземпляр linked list не говорит мне добавлять приведение к созданному мной экземпляру «llq». Ниже приведен мой класс LinkedList и мой класс драйвера.

Пожалуйста, будьте добры! Эта конкретная тема / тема немного потеряна — я открыт для любых отзывов — спасибо!

   import java.util.LinkedList;

  public class LinkedListQueue {

//Declaring Linked List, Node Head amp; Tail
LinkedList<String> list; 
Node head;
Node tail;

class Node{
    int data;
    Node prev;
    Node next;

/**
* Node Constructor
* @param data
*/
Node(int d){
    data = d;
}
}

/**
 * Linked List Queue Parameterized Constructor
 * @param list
 */
  public LinkedListQueue(){
    list = new LinkedList<String>();
}

/**
 * Enqueue Method (adds element to tail)
 * @param list
 * @return add
 */
public void enqueue(String string){
    list.add(string);
}

/**
 * Dequeue Method (removes first element)
 * @param list
 * @return removeFirst
 */   
public void dequeue(){
    if(list.isEmpty()){   /*check if linked list is empty*/
        System.out.println("The Queue is Empty.");
    }
    else {
        list.removeFirst();    /*remove first element of linked list*/
    }
}

/**
 * Size Method (Size of queue)
 * @param list
 * @return size
 */ 
public int size(){
    return list.size();    
}

/**
 * Display Method (prints element in queue)
 * @param list
 * @return prints element at the indicated index
 */ 
public void display(){
    for(int i=0;i< list.size();i  ){     
        System.out.print(list.get(i) "  ");   
    }
    System.out.println("n");
}

/**
 * getHead Method (gets head of the queue)
 * @param list
 * @return first element
 */ 
public String getHead(){

    if(list.isEmpty()){
        return "The Queue is Empty.";
    }
    else {
        return list.getFirst();
    }
}

/**
 * getTail Method (gets tail of the queue)
 * @param list
 * @return last element
 */ 
public String getTail(){

    if(list.isEmpty()){
        return "The Queue is Empty.";
    }
    else {
        return list.getLast();
     }
}

/**
 * IsEmpty Method (checks if queue is empty)
 * @param list
 * @return true/false
 */
public boolean isEmpty(){
    if(list.isEmpty()){     /*checks if linked list is empty*/
        return true;
    }
    else{
        return false;
    }
}

/**
 * Delete Queue Method (clears queue)
 * @param list
 * @return clear
 */ 
public void deleteQueue() {
    list.clear();
}
}



import java.util.LinkedList;
import java.util.PriorityQueue;
import java.util.Queue;


 public class Driver{

   public static void main(String[] args){

       //New instance of linked list queue
       LinkedList llq =new LinkedList();

       //Checking if stack is empty
       System.out.println("Is the Queue empty? "   llq.isEmpty());
       
       llq.addFirst("Queue Element 1");  
       
       llq.enqueue("Queue Element 2");
       llq.enqueue("Queue Element 3");
       llq.enqueue("Queue Element 4");
       llq.enqueue("Queue Element 5");

       System.out.println("The element at the head is: "   llq.getHead());
       
       System.out.println("The element at the tail is: "   llq.getTail());
        
       //Checking size of stack
       System.out.println("Size of the Queue: "   llq.size());
        
       //Printing Stack
       System.out.println("*****Display the Queue*****" );
       llq.display();
            
       llq.addLast("Queue Element 6");  

       llq.dequeue("Queue Element 2");
       llq.dequeue("Queue Element 3");

       //Printing Stack
       System.out.println("*****Display the Queue*****" );
       llq.display();
           
       llq.dequeue("Queue Element 6");  
       llq.dequeue("Queue Element 7");  


           
       //Checking if stack is empty
       System.out.println("Is the stack empty? "   llq.isEmpty());
           
       //Clearing Stack
       llq.deleteQueue();
           
       //Checking if stack is empty
       System.out.println("Is the stack empty? "   llq.isEmpty());
   }
 }
  

Комментарии:

1. Помимо ответа, данного luk2302, в вашей программе много проблем. Примеры — неправильное использование @param (то, что вы неправильно использовали для методов, которые не принимают никаких аргументов), затем использование Node (то, что вы никогда не использовали для каких-либо функций), избыточная логика в методе isEmpty . Есть много проблем!!!

Ответ №1:

Должно быть

 LinkedListQueue llq = new LinkedListQueue();
  

вместо этого, поскольку вам нужна не обычная LinkedList , а ваша собственная оболочка вокруг нее.