找到一篇简单粗暴的介绍面试质素算法的文章。
然后就涉及到如何按位保存。
在C++里,要按照bit来存储可以使用容器bitset。但是需要预先指定长度,例如bitset<16> bar。
要动态分配长度,可以使用vector<bool>,它会优化,长度可能为1bit。但是实际操作中发现不好用,不能与bool类型的值判等,也不能赋值(可能是我没搞懂,但在微软对该类的介绍页面也没看到相关用法,只有用cout输出)。而且看到知乎上说不推荐使用vector<bool>,因为它不是STL容器,操作不标准。
boost library中有dynamic_bitse,但是leetcode上用不了。
最后,用刚学到的知识解决leetcode上的题目练手吧。题号204: Count Primes
我的解法,beats 87.67%
int countPrimes(int n) {
if(n <= 1) return 0;
bool b[n] = {false}; //initialized with 0, so it mean isCompositeNumber
for(int i = 2; i < sqrt(n); i++) { //i points to the prime number we need to check its multiple
if(b[i]) //only works for prime number
continue;
for(int j = i + i; j < n; j = j + i) {
b[j] = true;
}
}
int num = 0;
for(int i = 2; i < n; i++) {
if(b[i] == false)
num++;
}
return num;
}