/usr/include/primesieve/iterator.hpp is in libprimesieve-dev-common 6.3+ds-2ubuntu1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 | ///
/// @file iterator.hpp
/// @brief The iterator class allows to easily iterate (forward and
/// backward) over prime numbers.
///
/// Copyright (C) 2017 Kim Walisch, <kim.walisch@gmail.com>
///
/// This file is distributed under the BSD License. See the COPYING
/// file in the top level directory.
///
#ifndef PRIMESIEVE_ITERATOR_HPP
#define PRIMESIEVE_ITERATOR_HPP
#include <vector>
#include <cstddef>
namespace primesieve {
uint64_t get_max_stop();
/// primesieve::iterator allows to easily iterate over primes both
/// forwards and backwards. Generating the first prime has a
/// complexity of O(r log log r) operations with r = n^0.5, after that
/// any additional prime is generated in amortized O(log n log log n)
/// operations. The memory usage is about pi(n^0.5) * 16 bytes.
///
class iterator
{
public:
/// Create a new iterator object.
/// @param start Generate primes > start (or < start).
/// @param stop_hint Stop number optimization hint, gives significant
/// speed up if few primes are generated. E.g. if
/// you want to generate the primes below 1000 use
/// stop_hint = 1000.
///
iterator(uint64_t start = 0, uint64_t stop_hint = get_max_stop());
/// Reinitialize this iterator object to start.
/// @param start Generate primes > start (or < start).
/// @param stop_hint Stop number optimization hint, gives significant
/// speed up if few primes are generated. E.g. if
/// you want to generate the primes below 1000 use
/// stop_hint = 1000.
///
void skipto(uint64_t start, uint64_t stop_hint = get_max_stop());
/// Advance the iterator by one position.
/// @return The next prime.
///
uint64_t next_prime()
{
if (i_++ == last_idx_)
generate_next_primes();
return primes_[i_];
}
/// Get the previous prime,
/// or 0 if input <= 2 e.g. prev_prime(2) = 0.
///
uint64_t prev_prime()
{
if (i_-- == 0)
generate_prev_primes();
return primes_[i_];
}
private:
std::size_t i_;
std::size_t last_idx_;
std::vector<uint64_t> primes_;
uint64_t start_;
uint64_t stop_;
uint64_t stop_hint_;
uint64_t tiny_cache_size_;
uint64_t get_distance(uint64_t);
void generate_next_primes();
void generate_prev_primes();
};
} // namespace
#endif
|