Count the number of prime numbers less than a non-negative number, n
很容易想到一个一个check的方法,注意只需要check到 sqrt(n).
下面是一个空间换时间的方法,每次选上次得到的最后一个prime,然后把乘积全部cross out. 下一个没有被cross out的一定是prime,因为所有比他小的数的乘积都不hit
[code]
public class Solution {
public int countPrimes(int n) {
int array[]=new int[n];
Arrays.fill(array,1);
int i=2, count=0;
while(i<=n-1)
{
int j=1;
while(j*i<=n-1)
{
array[j*i]=0;
j++;
}
while(i<=n-1 && array[i]!=1)i++;
count++;
}
return count;
}
}