classSolution{publicint[]closestPrimes(int left,int right){if(right - left <1)returnnewint[]{-1,-1};boolean[] isPrime =newboolean[right +1];// Default all primeArrays.fill(isPrime,true);// Find the prime numbersfor(int i =2; i <=Math.sqrt(right);++i){if(isPrime[i]){// Mark its multiples as "Not prime"for(int j = i * i; j <= right; j += i){
isPrime[j]=false;}}}List<Integer> primesInRange =newArrayList<>();// Record all the primesfor(int i = left; i <= right;++i){if(i >=2&& isPrime[i]){
primesInRange.add(i);}}// 0 or 1 prime onlyif(primesInRange.size()<2)returnnewint[]{-1,-1};int[] res =newint[]{-1,-1};int minDiff =Integer.MAX_VALUE;// Find the closest pairfor(int i =0; i < primesInRange.size()-1;++i){int diff = primesInRange.get(i +1)- primesInRange.get(i);if(diff < minDiff){
minDiff = diff;
res[0]= primesInRange.get(i);
res[1]= primesInRange.get(i +1);}}return res;}}
▶
有瑕疵的code
classSolution{publicint[]closestPrimes(int left,int right){if(right - left <=2)returnnewint[]{-1,-1};// Incorrect edge case handling. Should be `right - left < 1`.boolean[] isPrime =newboolean[right +1];// Correct.// Default all primefor(int i =0; i < isPrime.length;++i){
isPrime[i]=true;// Correct, but inefficient for large ranges. Should start from `i = 2`.}// Find the prime numbersfor(int i =2; i <=Math.sqrt(isPrime.length);++i){// Correct.if(isPrime[i]){// Mark its multiples as "Not prime"for(int j = i * i; j < isPrime.length; j += i){// Correct.
isPrime[j]=false;// Correct.}}}int l = left, r = left +1;// Incorrect initialization. Should iterate through primes in the range `[left, right]`.int[] res =newint[]{0,1000000};// Incorrect initialization. Should be `{-1, -1}`.// Go through all the prime number pairswhile(r < right){// Incorrect loop condition. Should iterate through primes in the range.// Both primeif(isPrime[l]&& isPrime[r]){// Incorrect logic. `l` and `r` are not guaranteed to be primes.if(res[1]- res[0]>(r + left)-(l + left)){// Incorrect difference calculation. `l` and `r` are already in the range.
res[0]= l + left;// Incorrect. `l` is already in the range.
res[1]= r + left;// Incorrect. `r` is already in the range.}}elseif(!isPrime[l]&& isPrime[r]){// Incorrect logic. Should iterate through primes only.++l;++r;}elseif(isPrime[l]&&!isPrime[r]){// Incorrect logic. Should iterate through primes only.++r;}else{// Incorrect logic. Should iterate through primes only.++l;++r;}}return res;// Incorrect. May return `{0, 1000000}` if no valid pair is found.}}