题目

给定一个链表,返回链表开始入环的第一个节点。 如果链表无环,则返回 null。

如果链表中有某个节点,可以通过连续跟踪 next 指针再次到达,则链表中存在环。 为了表示给定链表中的环,评测系统内部使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。如果 pos 是 -1,则在该链表中没有环。注意:pos 不作为参数进行传递,仅仅是为了标识链表的实际情况。
image.png

图解

image.png

题解

javascript

  1. /**
  2. * Definition for singly-linked list.
  3. * function ListNode(val) {
  4. * this.val = val;
  5. * this.next = null;
  6. * }
  7. */
  8. /**
  9. * @param {ListNode} head
  10. * @return {ListNode}
  11. */
  12. var detectCycle = function (head) {
  13. if (head === null) return null;
  14. var p = head, q = head;
  15. while (q && q.next) {
  16. q = q.next.next;
  17. p = p.next;
  18. if(q == p){
  19. q = head;
  20. while(q != p){
  21. q = q.next;
  22. p = p.next;
  23. }
  24. return q;
  25. }
  26. }
  27. return null;
  28. };

C++

  1. /**
  2. * Definition for singly-linked list.
  3. * struct ListNode {
  4. * int val;
  5. * ListNode *next;
  6. * ListNode(int x) : val(x), next(NULL) {}
  7. * };
  8. */
  9. class Solution {
  10. public:
  11. ListNode *detectCycle(ListNode *head) {
  12. if(head == NULL) return NULL;
  13. ListNode *p = head,*q = head;
  14. while(q && q->next){
  15. p = p->next;
  16. q = q->next->next;
  17. if(q == p){
  18. p = head;
  19. while(p != q){
  20. p = p->next;
  21. q = q->next;
  22. }
  23. return q;
  24. }
  25. }
  26. return NULL;
  27. }
  28. };