Struct BitVec

Source
pub struct BitVec<B = u32> { /* private fields */ }
Expand description

The bitvector type.

§Examples

use bit_vec::BitVec;

let mut bv = BitVec::from_elem(10, false);

// insert all primes less than 10
bv.set(2, true);
bv.set(3, true);
bv.set(5, true);
bv.set(7, true);
println!("{:?}", bv);
println!("total bits set to true: {}", bv.iter().filter(|x| *x).count());

// flip all values in bitvector, producing non-primes less than 10
bv.negate();
println!("{:?}", bv);
println!("total bits set to true: {}", bv.iter().filter(|x| *x).count());

// reset bitvector to empty
bv.clear();
println!("{:?}", bv);
println!("total bits set to true: {}", bv.iter().filter(|x| *x).count());

Implementations§

Source§

impl BitVec

Source

pub fn new() -> BitVec

Creates an empty BitVec.

§Examples
use bit_vec::BitVec;
let mut bv = BitVec::new();
Source

pub fn from_elem(nbits: usize, bit: bool) -> BitVec

Creates a BitVec that holds nbits elements, setting each element to bit.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(10, false);
assert_eq!(bv.len(), 10);
for x in bv.iter() {
    assert_eq!(x, false);
}
Source

pub fn with_capacity(nbits: usize) -> BitVec

Constructs a new, empty BitVec with the specified capacity.

The bitvector will be able to hold at least capacity bits without reallocating. If capacity is 0, it will not allocate.

It is important to note that this function does not specify the length of the returned bitvector, but only the capacity.

Source

pub fn from_bytes(bytes: &[u8]) -> BitVec

Transforms a byte-vector into a BitVec. Each byte becomes eight bits, with the most significant bits of each byte coming first. Each bit becomes true if equal to 1 or false if equal to 0.

§Examples
use bit_vec::BitVec;

let bv = BitVec::from_bytes(&[0b10100000, 0b00010010]);
assert!(bv.eq_vec(&[true, false, true, false,
                    false, false, false, false,
                    false, false, false, true,
                    false, false, true, false]));
Source

pub fn from_fn<F>(len: usize, f: F) -> BitVec
where F: FnMut(usize) -> bool,

Creates a BitVec of the specified length where the value at each index is f(index).

§Examples
use bit_vec::BitVec;

let bv = BitVec::from_fn(5, |i| { i % 2 == 0 });
assert!(bv.eq_vec(&[true, false, true, false, true]));
Source§

impl<B> BitVec<B>
where B: BitBlock,

Source

pub fn blocks(&self) -> Blocks<'_, B>

Iterator over the underlying blocks of data

Source

pub fn storage(&self) -> &[B]

Exposes the raw block storage of this BitVec.

Only really intended for BitSet.

Source

pub unsafe fn storage_mut(&mut self) -> &mut Vec<B>

Exposes the raw block storage of this BitVec.

§Safety

Can probably cause unsafety. Only really intended for BitSet.

Source

pub fn get(&self, i: usize) -> Option<bool>

Retrieves the value at index i, or None if the index is out of bounds.

§Examples
use bit_vec::BitVec;

let bv = BitVec::from_bytes(&[0b01100000]);
assert_eq!(bv.get(0), Some(false));
assert_eq!(bv.get(1), Some(true));
assert_eq!(bv.get(100), None);

// Can also use array indexing
assert_eq!(bv[1], true);
Source

pub unsafe fn get_unchecked(&self, i: usize) -> bool

Retrieves the value at index i, without doing bounds checking.

For a safe alternative, see get.

§Safety

Calling this method with an out-of-bounds index is undefined behavior even if the resulting reference is not used.

§Examples
use bit_vec::BitVec;

let bv = BitVec::from_bytes(&[0b01100000]);
unsafe {
    assert_eq!(bv.get_unchecked(0), false);
    assert_eq!(bv.get_unchecked(1), true);
}
Source

pub fn get_mut(&mut self, index: usize) -> Option<MutBorrowedBit<'_, B>>

Retrieves a smart pointer to the value at index i, or None if the index is out of bounds.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_bytes(&[0b01100000]);
*bv.get_mut(0).unwrap() = true;
*bv.get_mut(1).unwrap() = false;
assert!(bv.get_mut(100).is_none());
assert_eq!(bv, BitVec::from_bytes(&[0b10100000]));
Source

pub unsafe fn get_unchecked_mut( &mut self, index: usize, ) -> MutBorrowedBit<'_, B>

Retrieves a smart pointer to the value at index i, without doing bounds checking.

§Safety

Calling this method with out-of-bounds index may cause undefined behavior even when the result is not used.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_bytes(&[0b01100000]);
unsafe {
    *bv.get_unchecked_mut(0) = true;
    *bv.get_unchecked_mut(1) = false;
}
assert_eq!(bv, BitVec::from_bytes(&[0b10100000]));
Source

pub fn set(&mut self, i: usize, x: bool)

Sets the value of a bit at an index i.

§Panics

Panics if i is out of bounds.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(5, false);
bv.set(3, true);
assert_eq!(bv[3], true);
Source

pub fn set_all(&mut self)

Sets all bits to 1.

§Examples
use bit_vec::BitVec;

let before = 0b01100000;
let after  = 0b11111111;

let mut bv = BitVec::from_bytes(&[before]);
bv.set_all();
assert_eq!(bv, BitVec::from_bytes(&[after]));
Source

pub fn negate(&mut self)

Flips all bits.

§Examples
use bit_vec::BitVec;

let before = 0b01100000;
let after  = 0b10011111;

let mut bv = BitVec::from_bytes(&[before]);
bv.negate();
assert_eq!(bv, BitVec::from_bytes(&[after]));
Source

pub fn union(&mut self, other: &BitVec<B>) -> bool

👎Deprecated since 0.7.0: Please use the ‘or’ function instead

Calculates the union of two bitvectors. This acts like the bitwise or function.

Sets self to the union of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different lengths.

§Examples
use bit_vec::BitVec;

let a   = 0b01100100;
let b   = 0b01011010;
let res = 0b01111110;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.union(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn intersect(&mut self, other: &BitVec<B>) -> bool

👎Deprecated since 0.7.0: Please use the ‘and’ function instead

Calculates the intersection of two bitvectors. This acts like the bitwise and function.

Sets self to the intersection of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different lengths.

§Examples
use bit_vec::BitVec;

let a   = 0b01100100;
let b   = 0b01011010;
let res = 0b01000000;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.intersect(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn or(&mut self, other: &BitVec<B>) -> bool

Calculates the bitwise or of two bitvectors.

Sets self to the union of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different lengths.

§Examples
use bit_vec::BitVec;

let a   = 0b01100100;
let b   = 0b01011010;
let res = 0b01111110;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.or(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn and(&mut self, other: &BitVec<B>) -> bool

Calculates the bitwise and of two bitvectors.

Sets self to the intersection of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different lengths.

§Examples
use bit_vec::BitVec;

let a   = 0b01100100;
let b   = 0b01011010;
let res = 0b01000000;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.and(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn difference(&mut self, other: &BitVec<B>) -> bool

Calculates the difference between two bitvectors.

Sets each element of self to the value of that element minus the element of other at the same index. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different length.

§Examples
use bit_vec::BitVec;

let a   = 0b01100100;
let b   = 0b01011010;
let a_b = 0b00100100; // a - b
let b_a = 0b00011010; // b - a

let mut bva = BitVec::from_bytes(&[a]);
let bvb = BitVec::from_bytes(&[b]);

assert!(bva.difference(&bvb));
assert_eq!(bva, BitVec::from_bytes(&[a_b]));

let bva = BitVec::from_bytes(&[a]);
let mut bvb = BitVec::from_bytes(&[b]);

assert!(bvb.difference(&bva));
assert_eq!(bvb, BitVec::from_bytes(&[b_a]));
Source

pub fn xor(&mut self, other: &BitVec<B>) -> bool

Calculates the xor of two bitvectors.

Sets self to the xor of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different length.

§Examples
use bit_vec::BitVec;

let a   = 0b01100110;
let b   = 0b01010100;
let res = 0b00110010;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.xor(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn nand(&mut self, other: &BitVec<B>) -> bool

Calculates the nand of two bitvectors.

Sets self to the nand of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different length.

§Examples
use bit_vec::BitVec;

let a   = 0b01100110;
let b   = 0b01010100;
let res = 0b10111011;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.nand(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn nor(&mut self, other: &BitVec<B>) -> bool

Calculates the nor of two bitvectors.

Sets self to the nor of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different length.

§Examples
use bit_vec::BitVec;

let a   = 0b01100110;
let b   = 0b01010100;
let res = 0b10001001;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.nor(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn xnor(&mut self, other: &BitVec<B>) -> bool

Calculates the xnor of two bitvectors.

Sets self to the xnor of self and other. Both bitvectors must be the same length. Returns true if self changed.

§Panics

Panics if the bitvectors are of different length.

§Examples
use bit_vec::BitVec;

let a   = 0b01100110;
let b   = 0b01010100;
let res = 0b11001101;

let mut a = BitVec::from_bytes(&[a]);
let b = BitVec::from_bytes(&[b]);

assert!(a.xnor(&b));
assert_eq!(a, BitVec::from_bytes(&[res]));
Source

pub fn all(&self) -> bool

Returns true if all bits are 1.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(5, true);
assert_eq!(bv.all(), true);

bv.set(1, false);
assert_eq!(bv.all(), false);
Source

pub fn count_ones(&self) -> u64

Returns the number of ones in the binary representation.

Also known as the Hamming weight.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(100, true);
assert_eq!(bv.count_ones(), 100);

bv.set(50, false);
assert_eq!(bv.count_ones(), 99);
Source

pub fn count_zeros(&self) -> u64

Returns the number of zeros in the binary representation.

Also known as the opposite of Hamming weight.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(100, false);
assert_eq!(bv.count_zeros(), 100);

bv.set(50, true);
assert_eq!(bv.count_zeros(), 99);
Source

pub fn iter(&self) -> Iter<'_, B>

Returns an iterator over the elements of the vector in order.

§Examples
use bit_vec::BitVec;

let bv = BitVec::from_bytes(&[0b01110100, 0b10010010]);
assert_eq!(bv.iter().filter(|x| *x).count(), 7);
Source

pub fn iter_mut(&mut self) -> IterMut<'_, B>

Returns an iterator over mutable smart pointers to the elements of the vector in order.

§Examples
use bit_vec::BitVec;

let mut a = BitVec::from_elem(8, false);
a.iter_mut().enumerate().for_each(|(index, mut bit)| {
    *bit = if index % 2 == 1 { true } else { false };
});
assert!(a.eq_vec(&[
   false, true, false, true, false, true, false, true
]));
Source

pub fn append(&mut self, other: &mut BitVec<B>)

Moves all bits from other into Self, leaving other empty.

§Examples
use bit_vec::BitVec;

let mut a = BitVec::from_bytes(&[0b10000000]);
let mut b = BitVec::from_bytes(&[0b01100001]);

a.append(&mut b);

assert_eq!(a.len(), 16);
assert_eq!(b.len(), 0);
assert!(a.eq_vec(&[true, false, false, false, false, false, false, false,
                   false, true, true, false, false, false, false, true]));
Source

pub fn split_off(&mut self, at: usize) -> BitVec<B>

Splits the BitVec into two at the given bit, retaining the first half in-place and returning the second one.

§Panics

Panics if at is out of bounds.

§Examples
use bit_vec::BitVec;
let mut a = BitVec::new();
a.push(true);
a.push(false);
a.push(false);
a.push(true);

let b = a.split_off(2);

assert_eq!(a.len(), 2);
assert_eq!(b.len(), 2);
assert!(a.eq_vec(&[true, false]));
assert!(b.eq_vec(&[false, true]));
Source

pub fn none(&self) -> bool

Returns true if all bits are 0.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(10, false);
assert_eq!(bv.none(), true);

bv.set(3, true);
assert_eq!(bv.none(), false);
Source

pub fn any(&self) -> bool

Returns true if any bit is 1.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(10, false);
assert_eq!(bv.any(), false);

bv.set(3, true);
assert_eq!(bv.any(), true);
Source

pub fn to_bytes(&self) -> Vec<u8>

Organises the bits into bytes, such that the first bit in the BitVec becomes the high-order bit of the first byte. If the size of the BitVec is not a multiple of eight then trailing bits will be filled-in with false.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(3, true);
bv.set(1, false);

assert_eq!(bv.to_bytes(), [0b10100000]);

let mut bv = BitVec::from_elem(9, false);
bv.set(2, true);
bv.set(8, true);

assert_eq!(bv.to_bytes(), [0b00100000, 0b10000000]);
Source

pub fn eq_vec(&self, v: &[bool]) -> bool

Compares a BitVec to a slice of bools. Both the BitVec and slice must have the same length.

§Panics

Panics if the BitVec and slice are of different length.

§Examples
use bit_vec::BitVec;

let bv = BitVec::from_bytes(&[0b10100000]);

assert!(bv.eq_vec(&[true, false, true, false,
                    false, false, false, false]));
Source

pub fn truncate(&mut self, len: usize)

Shortens a BitVec, dropping excess elements.

If len is greater than the vector’s current length, this has no effect.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_bytes(&[0b01001011]);
bv.truncate(2);
assert!(bv.eq_vec(&[false, true]));
Source

pub fn reserve(&mut self, additional: usize)

Reserves capacity for at least additional more bits to be inserted in the given BitVec. The collection may reserve more space to avoid frequent reallocations.

§Panics

Panics if the new capacity overflows usize.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(3, false);
bv.reserve(10);
assert_eq!(bv.len(), 3);
assert!(bv.capacity() >= 13);
Source

pub fn reserve_exact(&mut self, additional: usize)

Reserves the minimum capacity for exactly additional more bits to be inserted in the given BitVec. Does nothing if the capacity is already sufficient.

Note that the allocator may give the collection more space than it requests. Therefore capacity can not be relied upon to be precisely minimal. Prefer reserve if future insertions are expected.

§Panics

Panics if the new capacity overflows usize.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_elem(3, false);
bv.reserve(10);
assert_eq!(bv.len(), 3);
assert!(bv.capacity() >= 13);
Source

pub fn capacity(&self) -> usize

Returns the capacity in bits for this bit vector. Inserting any element less than this amount will not trigger a resizing.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::new();
bv.reserve(10);
assert!(bv.capacity() >= 10);
Source

pub fn grow(&mut self, n: usize, value: bool)

Grows the BitVec in-place, adding n copies of value to the BitVec.

§Panics

Panics if the new len overflows a usize.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_bytes(&[0b01001011]);
bv.grow(2, true);
assert_eq!(bv.len(), 10);
assert_eq!(bv.to_bytes(), [0b01001011, 0b11000000]);
Source

pub fn pop(&mut self) -> Option<bool>

Removes the last bit from the BitVec, and returns it. Returns None if the BitVec is empty.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::from_bytes(&[0b01001001]);
assert_eq!(bv.pop(), Some(true));
assert_eq!(bv.pop(), Some(false));
assert_eq!(bv.len(), 6);
Source

pub fn push(&mut self, elem: bool)

Pushes a bool onto the end.

§Examples
use bit_vec::BitVec;

let mut bv = BitVec::new();
bv.push(true);
bv.push(false);
assert!(bv.eq_vec(&[true, false]));
Source

pub fn len(&self) -> usize

Returns the total number of bits in this vector

Source

pub unsafe fn set_len(&mut self, len: usize)

Sets the number of bits that this BitVec considers initialized.

§Safety

Almost certainly can cause bad stuff. Only really intended for BitSet.

Source

pub fn is_empty(&self) -> bool

Returns true if there are no bits in this vector

Source

pub fn clear(&mut self)

Clears all bits in this vector.

Source

pub fn shrink_to_fit(&mut self)

Shrinks the capacity of the underlying storage as much as possible.

It will drop down as close as possible to the length but the allocator may still inform the underlying storage that there is space for a few more elements/bits.

Source

pub fn insert(&mut self, at: usize, bit: bool)

Inserts a given bit at index at, shifting all bits after by one

§Panics

Panics if at is out of bounds for BitVec’s length (that is, if at > BitVec::len())

§Examples
 use bit_vec::BitVec;

 let mut b = BitVec::new();

 b.push(true);
 b.push(true);
 b.insert(1, false);

 assert!(b.eq_vec(&[true, false, true]));
§Time complexity

Takes O(len) time. All items after the insertion index must be shifted to the right. In the worst case, all elements are shifted when the insertion index is 0.

Trait Implementations§

Source§

impl<B> Clone for BitVec<B>
where B: BitBlock,

Source§

fn clone(&self) -> BitVec<B>

Returns a copy of the value. Read more
Source§

fn clone_from(&mut self, source: &BitVec<B>)

Performs copy-assignment from source. Read more
Source§

impl<B> Debug for BitVec<B>
where B: BitBlock,

Source§

fn fmt(&self, fmt: &mut Formatter<'_>) -> Result<(), Error>

Formats the value using the given formatter. Read more
Source§

impl Decode<'_, Postgres> for BitVec

Source§

fn decode(value: PgValueRef<'_>) -> Result<BitVec, Box<dyn Error + Sync + Send>>

Decode a new value of this type using a raw value from the database.
Source§

impl<B> Default for BitVec<B>
where B: BitBlock,

Source§

fn default() -> BitVec<B>

Returns the “default value” for a type. Read more
Source§

impl<B> Display for BitVec<B>
where B: BitBlock,

Source§

fn fmt(&self, fmt: &mut Formatter<'_>) -> Result<(), Error>

Formats the value using the given formatter. Read more
Source§

impl Encode<'_, Postgres> for BitVec

Source§

fn encode_by_ref(&self, buf: &mut PgArgumentBuffer) -> IsNull

Writes the value of self into buf without moving self. Read more
Source§

fn size_hint(&self) -> usize

Source§

fn encode(self, buf: &mut <DB as HasArguments<'q>>::ArgumentBuffer) -> IsNull
where Self: Sized,

Writes the value of self into buf in the expected format for the database.
Source§

fn produces(&self) -> Option<<DB as Database>::TypeInfo>

Source§

impl<B> Extend<bool> for BitVec<B>
where B: BitBlock,

Source§

fn extend<I>(&mut self, iterable: I)
where I: IntoIterator<Item = bool>,

Extends a collection with the contents of an iterator. Read more
Source§

fn extend_one(&mut self, item: A)

🔬This is a nightly-only experimental API. (extend_one)
Extends a collection with exactly one element.
Source§

fn extend_reserve(&mut self, additional: usize)

🔬This is a nightly-only experimental API. (extend_one)
Reserves capacity in a collection for the given number of additional elements. Read more
Source§

impl<B> FromIterator<bool> for BitVec<B>
where B: BitBlock,

Source§

fn from_iter<I>(iter: I) -> BitVec<B>
where I: IntoIterator<Item = bool>,

Creates a value from an iterator. Read more
Source§

impl<B> Hash for BitVec<B>
where B: BitBlock,

Source§

fn hash<H>(&self, state: &mut H)
where H: Hasher,

Feeds this value into the given Hasher. Read more
1.3.0 · Source§

fn hash_slice<H>(data: &[Self], state: &mut H)
where H: Hasher, Self: Sized,

Feeds a slice of this type into the given Hasher. Read more
Source§

impl<B> Index<usize> for BitVec<B>
where B: BitBlock,

Source§

type Output = bool

The returned type after indexing.
Source§

fn index(&self, i: usize) -> &bool

Performs the indexing (container[index]) operation. Read more
Source§

impl<'a, B> IntoIterator for &'a BitVec<B>
where B: BitBlock,

Source§

type Item = bool

The type of the elements being iterated over.
Source§

type IntoIter = Iter<'a, B>

Which kind of iterator are we turning this into?
Source§

fn into_iter(self) -> Iter<'a, B>

Creates an iterator from a value. Read more
Source§

impl<B> IntoIterator for BitVec<B>
where B: BitBlock,

Source§

type Item = bool

The type of the elements being iterated over.
Source§

type IntoIter = IntoIter<B>

Which kind of iterator are we turning this into?
Source§

fn into_iter(self) -> IntoIter<B>

Creates an iterator from a value. Read more
Source§

impl<B> Ord for BitVec<B>
where B: BitBlock,

Source§

fn cmp(&self, other: &BitVec<B>) -> Ordering

This method returns an Ordering between self and other. Read more
1.21.0 · Source§

fn max(self, other: Self) -> Self
where Self: Sized,

Compares and returns the maximum of two values. Read more
1.21.0 · Source§

fn min(self, other: Self) -> Self
where Self: Sized,

Compares and returns the minimum of two values. Read more
1.50.0 · Source§

fn clamp(self, min: Self, max: Self) -> Self
where Self: Sized,

Restrict a value to a certain interval. Read more
Source§

impl<B> PartialEq for BitVec<B>
where B: BitBlock,

Source§

fn eq(&self, other: &BitVec<B>) -> bool

Tests for self and other values to be equal, and is used by ==.
1.0.0 · Source§

fn ne(&self, other: &Rhs) -> bool

Tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
Source§

impl<B> PartialOrd for BitVec<B>
where B: BitBlock,

Source§

fn partial_cmp(&self, other: &BitVec<B>) -> Option<Ordering>

This method returns an ordering between self and other values if one exists. Read more
1.0.0 · Source§

fn lt(&self, other: &Rhs) -> bool

Tests less than (for self and other) and is used by the < operator. Read more
1.0.0 · Source§

fn le(&self, other: &Rhs) -> bool

Tests less than or equal to (for self and other) and is used by the <= operator. Read more
1.0.0 · Source§

fn gt(&self, other: &Rhs) -> bool

Tests greater than (for self and other) and is used by the > operator. Read more
1.0.0 · Source§

fn ge(&self, other: &Rhs) -> bool

Tests greater than or equal to (for self and other) and is used by the >= operator. Read more
Source§

impl PgHasArrayType for BitVec

Source§

impl Type<Postgres> for BitVec

Source§

fn type_info() -> PgTypeInfo

Returns the canonical SQL type for this Rust type. Read more
Source§

fn compatible(ty: &PgTypeInfo) -> bool

Determines if this Rust type is compatible with the given SQL type. Read more
Source§

impl<B> Eq for BitVec<B>
where B: BitBlock,

Auto Trait Implementations§

§

impl<B> Freeze for BitVec<B>

§

impl<B> RefUnwindSafe for BitVec<B>
where B: RefUnwindSafe,

§

impl<B> Send for BitVec<B>
where B: Send,

§

impl<B> Sync for BitVec<B>
where B: Sync,

§

impl<B> Unpin for BitVec<B>
where B: Unpin,

§

impl<B> UnwindSafe for BitVec<B>
where B: UnwindSafe,

Blanket Implementations§

Source§

impl<T> Any for T
where T: 'static + ?Sized,

Source§

fn type_id(&self) -> TypeId

Gets the TypeId of self. Read more
Source§

impl<T> Borrow<T> for T
where T: ?Sized,

Source§

fn borrow(&self) -> &T

Immutably borrows from an owned value. Read more
Source§

impl<T> BorrowMut<T> for T
where T: ?Sized,

Source§

fn borrow_mut(&mut self) -> &mut T

Mutably borrows from an owned value. Read more
Source§

impl<T> CloneToUninit for T
where T: Clone,

Source§

unsafe fn clone_to_uninit(&self, dest: *mut u8)

🔬This is a nightly-only experimental API. (clone_to_uninit)
Performs copy-assignment from self to dest. Read more
Source§

impl<Q, K> Comparable<K> for Q
where Q: Ord + ?Sized, K: Borrow<Q> + ?Sized,

Source§

fn compare(&self, key: &K) -> Ordering

Compare self to key and return their ordering.
Source§

impl<Q, K> Equivalent<K> for Q
where Q: Eq + ?Sized, K: Borrow<Q> + ?Sized,

Source§

fn equivalent(&self, key: &K) -> bool

Checks if this value is equivalent to the given key. Read more
Source§

impl<Q, K> Equivalent<K> for Q
where Q: Eq + ?Sized, K: Borrow<Q> + ?Sized,

Source§

fn equivalent(&self, key: &K) -> bool

Checks if this value is equivalent to the given key. Read more
Source§

impl<Q, K> Equivalent<K> for Q
where Q: Eq + ?Sized, K: Borrow<Q> + ?Sized,

Source§

fn equivalent(&self, key: &K) -> bool

Compare self to key and return true if they are equal.
Source§

impl<T> From<T> for T

Source§

fn from(t: T) -> T

Returns the argument unchanged.

Source§

impl<T, U> Into<U> for T
where U: From<T>,

Source§

fn into(self) -> U

Calls U::from(self).

That is, this conversion is whatever the implementation of From<T> for U chooses to do.

Source§

impl<T> IntoEither for T

Source§

fn into_either(self, into_left: bool) -> Either<Self, Self>

Converts self into a Left variant of Either<Self, Self> if into_left is true. Converts self into a Right variant of Either<Self, Self> otherwise. Read more
Source§

fn into_either_with<F>(self, into_left: F) -> Either<Self, Self>
where F: FnOnce(&Self) -> bool,

Converts self into a Left variant of Either<Self, Self> if into_left(&self) returns true. Converts self into a Right variant of Either<Self, Self> otherwise. Read more
Source§

impl<T> Same for T

Source§

type Output = T

Should always be Self
Source§

impl<T> ToOwned for T
where T: Clone,

Source§

type Owned = T

The resulting type after obtaining ownership.
Source§

fn to_owned(&self) -> T

Creates owned data from borrowed data, usually by cloning. Read more
Source§

fn clone_into(&self, target: &mut T)

Uses borrowed data to replace owned data, usually by cloning. Read more
Source§

impl<T> ToString for T
where T: Display + ?Sized,

Source§

fn to_string(&self) -> String

Converts the given value to a String. Read more
Source§

impl<T, U> TryFrom<U> for T
where U: Into<T>,

Source§

type Error = Infallible

The type returned in the event of a conversion error.
Source§

fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>

Performs the conversion.
Source§

impl<T, U> TryInto<U> for T
where U: TryFrom<T>,

Source§

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.
Source§

fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>

Performs the conversion.
Source§

impl<V, T> VZip<V> for T
where V: MultiLane<T>,

Source§

fn vzip(self) -> V

Source§

impl<T> ErasedDestructor for T
where T: 'static,