链表

2018-09-03  本文已影响8人  稀饭粥95

合并排序链表

链表排序

链表中环的入口结点

给一个链表,若其中包含环,请找出该链表的环的入口结点,否则,输出null。

public class Solution {

    public ListNode EntryNodeOfLoop(ListNode pHead){
        if(pHead==null) return null;
        ListNode p1 = pHead.next;
        if(p1==null) return null;
        ListNode p2 = p1.next;
        while(p1!=p2){
            if(p1==null||p2==null) return null;
            p1=p1.next;
            p2=p2.next;
            if(p2==null) return null;
            p2=p2.next;
        }
        p2=pHead;
        while(p1!=p2){
            p1=p1.next;
            p2=p2.next;
        }
        return p1;  
    }
}

删除链表中重复的结点

在一个排序的链表中,存在重复的结点,请删除该链表中重复的结点,重复的结点不保留,返回链表头指针。 例如,链表1->2->3->3->4->4->5 处理后为 1->2->5

public class Main {
    public ListNode deleteDuplication(ListNode pHead)
   {
        ListNode p = new ListNode(123);
        p.next=pHead;
        ListNode head = pHead;
        ListNode last = p;
        while(head!=null){
            if(head.next==null){
                break;
            }else if(head.val!=head.next.val){
                last = head;
                head = head.next;
            }else{
                while(head.next!=null&&head.val==head.next.val){
                    head = head.next;
                }
                last.next=head.next;
                head = head.next ;
            }
        }
        return p.next;
   }
}

复制复杂链表

输入一个复杂链表(每个节点中有节点值,以及两个指针,一个指向下一个节点,另一个特殊指针指向任意一个节点),返回结果为复制后复杂链表的head。(注意,输出结果中请不要返回参数中的节点引用,否则判题程序会直接返回空)

public RandomListNode Clone(RandomListNode phead){
        if(phead==null)
            return null;
        RandomListNode head = phead;
        while(head!=null){
            RandomListNode node = new RandomListNode(head.label);
            node.next=head.next;
            head.next=node;
            head = node.next;
        }
        head = phead;
        while(head!=null){
            if(head.random!=null){
                head.next.random=head.random.next;
            }
            head = head.next.next;
        }
        head = phead;
        RandomListNode newHead=head.next;
        RandomListNode p = newHead;
        while(p.next!=null){
            head.next = head.next.next;
            head = head.next;
            p.next = p.next.next;
            p = p.next;  
        }
        head.next=null;
        p.next=null;
        return newHead;
}
上一篇下一篇

猜你喜欢

热点阅读