My code:
public class Solution {
public int countPrimes(int n) {
if (n <= 1)
return 0;
boolean[] isPrime = new boolean[n];
for (int i = 0; i < n; i++)
isPrime[i] = true;
for (int i = 2; i * i < n; i++) {
if (!isPrime[i])
continue;
for (int j = i * i; j < n; j += i) {
isPrime[j] = false;
}
}
int count = 0;
for (int i = 2; i < n; i++) {
if (isPrime[i])
count++;
}
return count;
}
}
这道题目虽然是easy,但是体现了不断优化的思想。
首先,基本思想是,是素数刷。
然后,在刷的过程中,又有两个优化。
一个是 pp + p, pp + 2p 的刷
一个是,结束条件是, (p * p + i*p ) ^ 2 < n
具体看他的hint把。
Anyway, Good luck, Richardo!