141環形連結串列
阿新 • • 發佈:2020-10-10
給定一個連結串列,判斷連結串列中是否有環。
如果連結串列中有某個節點,可以通過連續跟蹤 next 指標再次到達,則連結串列中存在環。 為了表示給定連結串列中的環,我們使用整數 pos 來表示連結串列尾連線到連結串列中的位置(索引從 0 開始)。 如果 pos 是 -1,則在該連結串列中沒有環。注意:pos 不作為引數進行傳遞,僅僅是為了標識連結串列的實際情況。
如果連結串列中存在環,則返回 true 。 否則,返回 false 。
/** * Definition for singly-linked list. * class ListNode { * int val; * ListNode next; * ListNode(int x) { * val = x; * next = null; * } * } */
//1.利用雜湊表不能重複的特性,遍歷所有節點,每遍歷一個節點判斷是否有訪問過 public class Solution { public boolean hasCycle(ListNode head) { Set<ListNode> set = new HashSet<>(); while(head!=null){ if(!set.add(head)){ return true; } head = head.next; } return false; } } //2.快慢指標(雙指標)快指標每次指向下兩位,慢指標指向下一位,當有環時,快慢必會相遇 public class Solution { public boolean hasCycle(ListNode head) { if(head==null||head.next==null) return false; ListNode slow = head; ListNode fast = head.next; while(slow!=fast){ if(fast==null||fast.next==null) return false; slow = slow.next; fast = fast.next.next; } return true; } }