📌  相关文章
📜  用于编写删除链表的函数的Java程序

📅  最后修改于: 2022-05-13 01:55:13.416000             🧑  作者: Mango

用于编写删除链表的函数的Java程序

Java算法:
在Java中,会发生自动垃圾收集,因此删除链表很容易。只需要将head更改为null。

执行:

Java
// Java program to delete a linked list
class LinkedList
{
    // Head of the list
    Node head; 
  
    // Linked List node 
    class Node
    {
        int data;
        Node next;
        Node(int d) 
        { 
            data = d; 
            next = null; 
        }
    }
  
    // Function deletes the entire 
    // linked list 
    void deleteList()
    {
        head = null;
    }
  
    // Inserts a new Node at front 
    // of the list. 
    public void push(int new_data)
    {
        /* 1 & 2: Allocate the Node &
                  Put in the data*/
        Node new_node = new Node(new_data);
  
        // 3. Make next of new Node as head 
        new_node.next = head;
  
        // 4. Move the head to point to new Node 
        head = new_node;
    }
  
    public static void main(String [] args)
    {
        LinkedList llist = new LinkedList();
  
        // Use push() to construct list
        // 1->12->1->4->1  
        llist.push(1);
        llist.push(4);
        llist.push(1);
        llist.push(12);
        llist.push(1);
  
        System.out.println("Deleting the list");
        llist.deleteList();
  
        System.out.println("Linked list deleted");
    }
}
// This code is contributed by Rajat Mishra


输出:

Deleting linked list
Linked list deleted

时间复杂度: O(n)
辅助空间: O(1)

有关详细信息,请参阅有关编写函数以删除链接列表的完整文章!