Problem Description
Given two positive integers left
and right
, find the two integers num1
and num2
such that:
left <= num1 < num2 <= right
.- Both
num1
andnum2
are prime numbers. num2 - num1
is the minimum amongst all other pairs satisfying the above conditions.
Return the positive integer array ans = [num1, num2]
. If there are multiple pairs satisfying these conditions, return the one with the smallest num1
value. If no such numbers exist, return [-1, -1]
.
Key Insights
- To find the closest prime numbers in a range, we first need to identify all the prime numbers between
left
andright
. - A prime number is defined as a number greater than 1 that has no divisors other than 1 and itself.
- We can use the Sieve of Eratosthenes algorithm to efficiently find all prime numbers up to
right
. - Once we have the list of primes, we can iterate through them to find two consecutive primes that yield the minimum difference.
Space and Time Complexity
Time Complexity: O(n log log n) for the Sieve of Eratosthenes, plus O(k) for checking consecutive primes, where n is right
and k is the number of primes found in the range.
Space Complexity: O(n) for storing the boolean array used in the Sieve of Eratosthenes.
Solution
We will use the Sieve of Eratosthenes to generate a list of prime numbers up to right
. After generating the primes, we will filter those that fall within the range [left, right]
. Then, we will iterate through the filtered prime numbers to find the pair with the smallest difference. If no valid pairs are found, we return [-1, -1]
.