mirror of
https://github.com/TheAlgorithms/C-Plus-Plus.git
synced 2026-02-11 14:36:25 +08:00
35 lines
823 B
C++
35 lines
823 B
C++
/**
|
|
* @file
|
|
* @brief Get list of prime numbers
|
|
* @see primes_up_to_billion.cpp sieve_of_eratosthenes.cpp
|
|
*/
|
|
#include <iostream>
|
|
#include <vector>
|
|
|
|
/** Generate an increasingly large number of primes
|
|
* and store in a list
|
|
*/
|
|
std::vector<int> primes(int max) {
|
|
std::vector<int> res;
|
|
std::vector<bool> is_not_prime(max+1, false);
|
|
for (int i = 2; i <= max; i++) {
|
|
if (!is_not_prime[i]) res.emplace_back(i);
|
|
for(int p: res) {
|
|
if (i*p > max) break;
|
|
is_not_prime[i*p] = true;
|
|
if (i%p == 0) break;
|
|
}
|
|
}
|
|
return res;
|
|
}
|
|
|
|
/** main function */
|
|
int main() {
|
|
std::cout << "Calculate primes up to:\n>> ";
|
|
int n = 0;
|
|
std::cin >> n;
|
|
std::vector<int> ans = primes(n);
|
|
for(int p: ans) std::cout << p << ' ';
|
|
std::cout << std::endl;
|
|
}
|