leetcode 142. 环形链表 II 287. 寻找重复数

https://leetcode-cn.com/problems/linked-list-cycle-ii/

https://leetcode-cn.com/problems/find-the-duplicate-number/

第一道题是环形链表

leetcode 142. 环形链表 II 287. 寻找重复数_第1张图片

 

第二道题,每一个数字可以看作是next下标,有一个重复数字,所以可以看作是链表有环。

 

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode *detectCycle(ListNode *head) {
        if(head==NULL)
            return NULL;
        ListNode*p1=head;
        ListNode*p2=head;
        while(1){
            p1=p1->next;
            p2=p2->next;
            if(p2==NULL)
                return NULL;
            p2=p2->next;
            if(p2==NULL)
                return NULL;
            if(p1==p2)
                break;
        }
        p1=head;
        while(p1!=p2){
            p1=p1->next;
            p2=p2->next;
        }
        return p1;
    }
};
class Solution {
public:
    int findDuplicate(vector& nums) {
        int slow=0;
        int fast=0;

        do{
            slow=nums[slow];
            fast=nums[fast];
            fast=nums[fast];
        }while(slow!=fast);

        slow=0;

        while(slow!=fast){
            slow=nums[slow];
            fast=nums[fast];
        }
        return slow;
    }
};

 

你可能感兴趣的:(LeetCode)