如何在Java中实现双链表?

时间:2010-11-21 19:29:55

标签: java linked-list

具有插入,删除和替换功能的java的双向链表实现的最佳方法是什么?

6 个答案:

答案 0 :(得分:2)

除非这是作业(在这种情况下你应该标记它),否则很难做到比这更好:

class MyLinkedList<T> extends java.util.LinkedList<T> {
}

来自文档:

  

所有操作都按照双向链接列表的预期执行。索引到列表中的操作将从开头或结尾遍历列表,以较接近指定索引为准。

答案 1 :(得分:2)

有一个名为Node的私有内部类,它代表列表中的数据,它包含下一个节点,一个上一个节点和一个数据值,以及一种获取和设置每个数据的方法。

答案 2 :(得分:1)

如果您对如何实现双链表和其他数据结构感兴趣,我建议您查看Duane Bailey关于数据结构的书。它以免费pdf格式提供:

http://www.cs.williams.edu/~bailey/JavaStructures/Book.html

这是一本相当直接的书,他展示了如何实现所有不同的数据结构 - 有一个部分可以完全涵盖您的问题。我发现它对数据结构及其工作方式的研究非常有帮助;我希望你也觉得它很有帮助。

答案 3 :(得分:0)

java.util.LinkedList中&LT E - 代替;已经双重关联,如果不符合您的需求,您可以查看/修改来源。

答案 4 :(得分:0)

请勿自行实施,请使用LinkedList。但是我认为这是某种功课问题,所以也许你可以查看LinkedList的源代码。

答案 5 :(得分:0)

public class DoublyLL {

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

    Node(int d)
    {
        data=d;
    }
}
Node head;

public void fadd(int data)//Adding at first
{
    Node n=new Node(data);
    n.next=head;//Making the new node as head
    n.prev=null;//assignig new node's prev value as null so that it becomes new head
    if(head!=null)
    {
        head.prev=n;//changing prev of head node from null to new node
    }
    head=n;//head pointing toward new node
}

public void ladd(int data) //adding at last
{
    Node n=new Node(data);
    Node last=head;  //Make the node at last as head
    n.next=null;    //Point the new node next value as null so that it becomes new 
//tail
    if(head==null)  //if the LL is empty then make the new node as hhead
    {
        n.prev=null; 
        head=n;
        return;
    }
    while(last.next!=null)  //while last is pointing as null
    {
        last=last.next;     
    }
    last.next=n;    //next value of last is pointing as null to become new tail
    n.prev=last; //and prev value is pointing toward last Node
 }

  public void delete(Node n,Node d) //deletion of node at head
  {
    if(head==null || d==null) //when the node to be deleted is null
    {
        return;
    }
    if(head==d)     //if the node to be deleted iss head
    {
        head=d.next;    //point thhe head towards new head
    }
    if(d.next!=null)    //Change next only if node to be deleted is NOT the last node
    {
        d.next.prev=d.prev;
    }
    if(d.prev!=null)    // Change prev only if node to be deleted is NOT the firstnode
    {
        d.prev.next=d.next;
    }
    return;
  }

 public void disp() //traversing
    { 
        Node curr=head;
    Node last=null; 
    while (curr!=null)
        {
        System.out.print(curr.data + " "); 
        last=curr; 
        curr=curr.next; 
        }
    System.out.println(); 
    } 

public static void main(String[] args)
{
    DoublyLL dl=new DoublyLL();
    dl.fadd(1);
    dl.fadd(131);
    dl.fadd(21);
    dl.fadd(22);
    dl.disp();
    dl.ladd(12);
    dl.disp();
    dl.ladd(2);
    dl.delete(dl.head,dl.head);
    dl.disp();
    }
}