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
//! Add `biterator` method that treats an integer as a set, iterating over each element where
//! the respective bit is set. For example `1101` would return 0, 2 and 3.
use crate::util::integer::*;
pub trait BitOps<T> {
fn biterator(self) -> Bitset<T>;
}
impl<T> BitOps<T> for T
where
T: Integer<T>,
{
fn biterator(self) -> Bitset<T> {
Bitset { t: self }
}
}
pub struct Bitset<T> {
t: T,
}
impl<T> Iterator for Bitset<T>
where
T: Integer<T>,
T: TryInto<usize>,
{
type Item = usize;
#[inline]
fn next(&mut self) -> Option<Self::Item> {
if self.t == T::ZERO {
return None;
}
let tz = self.t.trailing_zeros();
self.t = self.t ^ (T::ONE << tz);
tz.try_into().ok()
}
}