leetcode演算法題解(Java版)-7-迴圈連結串列

kissjz發表於2018-05-03

一、迴圈連結串列

題目描述

Given a linked list, determine if it has a cycle in it.
Follow up:
Can you solve it without using extra space?

思路

  • 不能用多餘空間,剛開始沒有考慮多個指標什麼,一下子想到個歪點子:迴圈就是重複走,那我可以標記一下每次走過的路,如果遇到標記過的路,那說明就是有迴路了。

程式碼一

/**
 * Definition for singly-linked list.
 * class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public boolean hasCycle(ListNode head) {
        if(head==null){
            return false;
        }
        ListNode p=new ListNode(0);
        p=head;
        int u=-987123;
        while(p.val!=u&&p.next!=null){
            p.val=u;
            p=p.next;
        }
        if(p.val==u){
            return true;
        }
        else{
            return false;
        }
    }
}

思路二

  • 當然標準的是應該用兩個指標來“追趕”,前提是這兩個指標走的速度不一樣,一前一後如果相遇了則說明有迴路。

程式碼二

/**
 * Definition for singly-linked list.
 * class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public boolean hasCycle(ListNode head) {
        if(head==null){
            return false;
        }
        ListNode p=head;
        ListNode q=head.next;
        while(p!=q&&q!=null&&p!=null){
            q=q.next;
            if(q!=null){
                q=q.next;
            }
            p=p.next;
        }
        if(p==q&&p!=null){
            return true;
        }
        else{
            return false;
        }
    }
}

優化過的程式碼:

/**
 * Definition for singly-linked list.
 * class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public boolean hasCycle(ListNode head) {
        if(head==null){
            return false;
        }
        ListNode fastNode=head;
        ListNode lowNode=head;
        while(fastNode!=null&&fastNode.next!=null){
            fastNode=fastNode.next.next;
            lowNode=lowNode.next;
            if(fastNode==lowNode){
                return true;
            }
        }
        return false;
    }
}

今天有場考試,到七點半才結束,就刷這麼多了。


相關文章