插入已排序的双向链表

时间:2016-10-10 08:35:56

标签: java insert linked-list doubly-linked-list

我得到指向已排序的双向链表的头节点的指针和要插入列表的整数。我被告知要创建一个节点并将其插入列表中的适当位置,以使其排序顺序为保持。头节点可能为NULL。

示例输入

NULL,data = 2

NULL< - 2< - > 4 - < - > 6 - > NULL,data = 5

示例输出

NULL< - 2 - > NULL

NULL< - 2< - > 4 - < - > 5 - < - > 6 - > NULL

我尝试了上述问题。但我的程序由于超时而终止。我在下面的代码中做错了什么。假设Node类和main函数已经存在。非常感谢提前!!

Node SortedInsert(Node head,int data) {

    Node newn = new Node();

    newn.data = data;
    newn.prev=null;
    newn.next = null;

    Node ptr = head;
    Node nex=head.next;

    while(ptr!=null && nex!=null) {
        if(ptr.data<=newn.data && nex.data>=newn.data) {
            newn.next = nex;
            newn.prev = ptr;
            nex.prev = newn;
            ptr.next = newn;
        }            
        else {
            nex=nex.next;
            ptr=ptr.next;
        }
    }

    if(ptr!=null && nex==null) {
        if(ptr.data>=newn.data) {
            newn.next=ptr;
            ptr.prev=newn;
            newn.prev=null;
            head=newn;
        }
        else {
            ptr.next=newn;
            newn.prev = head;
        }
    }

    if(head==null) {
        head = newn; 
    }

    return head;

}

2 个答案:

答案 0 :(得分:2)

相当简单: 成功插入后,您不会脱离循环。因此,它会循环遍历它插入节点的位置。进行微小的更改:

if(ptr.data>=newn.data)
{
    newn.next=ptr;
    ptr.prev=newn;
    newn.prev=null;
    head=newn;
    break;
}

但是,您编写了一些冗余代码。这个更短,不包含冗余代码:

Node SortedInsert(Node head,int data) {

    Node newn = new Node();
    newn.data = data;  

    Node ptr = head;

    if (ptr == null) {
        head = newn;

    } else if ( ptr.data > newn.data ) {
        newn.next = ptr;
        ptr.prev = newn;
        head = newn;

    } else {
        Node nex = head.next;

        while (nex != null && nex.data <= newn.data) {
            ptr = nex;
            nex = nex.next;
        }

        ptr.next = newn;
        newn.prev = ptr;

        if (nex != null) {
            nex.prev = newn;
            newn.next = nex;
        }
    }

    return head;   
}

答案 1 :(得分:2)

如果头节点为空,则在尝试获取下一个/ prev节点时,您会发生NullPointerException。你应该先检查一下:

Node sortedInsert(Node head, int data) {
    Node newn = new Node();
    newn.data = data;
    //Basic case: the list is empty, so the head is null
    if (head==null) {
        return newn;
    }
    //If node is not null
    Node aux= head;
    Node auxPrev;
    while (aux!=null && aux.data<data) {
        auxPrev=aux;
        aux=aux.next;
    }
    //auxPrev will be null if we are going to insert in the first position
    if (auxPrev!=null)
        auxPrev.next=newn;
        newn.prev=auxPrev;
        head=newn;
    }
    //aux will be null if we insert in the last position
    if (aux!=null) {
        aux.prev=newn;
        newn.next=aux;
    }
    return head;
}