Problem Description
Given an array of integers nums containing n + 1 integers where each integer is in the range [1, n] inclusive. There is only one repeated number in nums, return this repeated number. You must solve the problem without modifying the array nums and using only constant extra space.
Key Insights
- The array contains n + 1 integers, which guarantees that at least one number must be duplicated due to the pigeonhole principle.
- The integers are within the range [1, n], which allows for utilizing the values of the array as indices.
- A two-pointer approach can be employed to detect the cycle formed by the duplicate number.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(1)
Solution
To solve the problem, we can use the Floyd's Tortoise and Hare (Cycle Detection) algorithm. This approach is based on the idea that the duplicate number will create a cycle in the array when viewed as a linked list where each value points to the index of the next number. We will use two pointers (slow and fast) to detect this cycle.
- Initialize two pointers, slow and fast. The slow pointer moves one step at a time while the fast pointer moves two steps at a time.
- They will eventually meet inside the cycle.
- Once a cycle is detected, we can find the entry point of the cycle, which corresponds to the duplicate number.