快慢指针的使用场景

一、使用时机

在刷力扣时,遇见287. 寻找重复数 - 力扣(LeetCode)和142. 环形链表 II - 力扣(LeetCode)时,题解使用了快慢指针。快慢指针主要用于判断单链表中是否存在环形链表。以P142为例,

 二、相关解释

快慢指针中的快慢指的是指针移动的步长,快指针每次沿链表移动2次,慢指针每次沿链表移动1次。如果存在环形链表,那么它们一定会相遇。详见环形链表 II - 环形链表 II - 力扣(LeetCode)

ListNode *detectCycle(ListNode *head) {
    ListNode *fast = head, *slow = head;
    while (fast != nullptr) {
        slow = slow->next;
        if (fast->next == nullptr) {
            return nullptr;
        }
        fast = fast->next->next;
        if (fast == slow) {
            ListNode *temp = head;
            while (temp != slow) {
                temp = temp->next;
                slow = slow->next;
            }
            return temp;
        }
    }
    return nullptr;
}

关于287. 寻找重复数 - 力扣(LeetCode)

需要理解把这个数组看作为一个链表,如果存在重复的整数,那么这个链表一定存在环。

int findDuplicate(vector &nums) {
    int fast = 0, slow = 0;
    do {
        slow = nums[slow];
        fast = nums[nums[fast]];
    } while (fast != slow);
    int temp = 0;
    while (temp != slow) {
        temp = nums[temp];
        slow = nums[slow];
    }
    return temp;
}

你可能感兴趣的:(算法,leetcode,算法)