classSolution: defhasCycle(self,head): #python seen = set() while head: if head in seen: returnTrue seen.add(head) head = head.next returnFalse#python
1 2 3 4 5 6 7 8 9 10 11 12 13
var hasCycle = function(head) { //js seen = newSet() while(head){ if(seen.has(head)){ returntrue }else{ seen.add(head) head = head.next } } returnfalse };
方法二、双指针法:
一个指针走一格,一个指针走两格,只要快指针遇上慢指针,那么就有环
1 2 3 4 5 6 7 8 9 10 11
var hasCycle = function (head) { let fast = head, slow = head while (fast && fast.next) { fast = fast.next.next slow = slow.next if (fast === slow) { returntrue } } returnfalse };//js
方法三、 标记法
1 2 3 4 5 6 7 8 9 10 11
const hasCycle = function(head) { while (head) { if (head.tag) { returntrue; } head.tag = true; head = head.next; } returnfalse; };
方法四以上:还有一些邪门的方法(js是这样的)
1 2 3 4 5 6 7 8
var hasCycle = function (head) { try { JSON.stringify(head) } catch{ returntrue } returnfalse };
1.2.有环的话环在哪里(LeeCode142)
方法一、标记法
1 2 3 4 5 6 7 8 9 10 11
var detectCycle = function (head) { while (head) { if (head.tag) { head.tag = null return head } head.tag = true head=head.next } returnnull };
方法二、双指针法
双指针可以计算出相遇位置距离入口位置的距离
1 2 3 4 5 6 7 8 9 10 11
classSolution: def detectCycle(self, head: Optional[ListNode]) -> Optional[ListNode]: fast,slow=head,head whileTrue: ifnot(fast and fast.next):return fast,slow=fast.next.next,slow.next if fast ==slow:break fast =head while fast!=slow: fast,slow=fast.next,slow.next return fast
defremove(self,item): #删除节点 cur = self.__head forword = None #遍历链表指针 while cur innotNone: #如果找到了要删除的元素 if cur.elem = item: # 如果是头部 if cur == self.__head; self.__head = cur.next else: forword.next = cur.next return else: forword = cur cur = cur.next