GenericOrdSet

Struct GenericOrdSet 

Source
pub struct GenericOrdSet<A, P>{ /* private fields */ }
Expand description

An ordered set.

An immutable ordered map implemented as a B+tree 1.

Most operations on this type of set are O(log n). A GenericHashSet is usually a better choice for performance, but the OrdSet has the advantage of only requiring an Ord constraint on its values, and of being ordered, so values always come out from lowest to highest, where a GenericHashSet has no guaranteed ordering.

Implementations§

Source§

impl<A, P> GenericOrdSet<A, P>

Source

pub fn new() -> GenericOrdSet<A, P>

Construct an empty set.

Source

pub fn unit(a: A) -> GenericOrdSet<A, P>

Construct a set with a single value.

§Examples
let set = OrdSet::unit(123);
assert!(set.contains(&123));
Source

pub fn is_empty(&self) -> bool

Test whether a set is empty.

Time: O(1)

§Examples
assert!(
  !ordset![1, 2, 3].is_empty()
);
assert!(
  OrdSet::<i32>::new().is_empty()
);
Source

pub fn len(&self) -> usize

Get the size of a set.

Time: O(1)

§Examples
assert_eq!(3, ordset![1, 2, 3].len());
Source

pub fn ptr_eq(&self, other: &GenericOrdSet<A, P>) -> bool

Test whether two sets refer to the same content in memory.

This is true if the two sides are references to the same set, or if the two sets refer to the same root node.

This would return true if you’re comparing a set to itself, or if you’re comparing a set to a fresh clone of itself.

Time: O(1)

Source

pub fn clear(&mut self)

Discard all elements from the set.

This leaves you with an empty set, and all elements that were previously inside it are dropped.

Time: O(n)

§Examples
let mut set = ordset![1, 2, 3];
set.clear();
assert!(set.is_empty());
Source§

impl<A, P> GenericOrdSet<A, P>
where A: Ord, P: SharedPointerKind,

Source

pub fn get_min(&self) -> Option<&A>

Get the smallest value in a set.

If the set is empty, returns None.

Time: O(log n)

Source

pub fn get_max(&self) -> Option<&A>

Get the largest value in a set.

If the set is empty, returns None.

Time: O(log n)

Source

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

Create an iterator over the contents of the set.

Source

pub fn range<R, BA>(&self, range: R) -> RangedIter<'_, A, P>
where R: RangeBounds<BA>, A: Borrow<BA>, BA: Ord + ?Sized,

Create an iterator over a range inside the set.

Source

pub fn diff<'a, 'b>( &'a self, other: &'b GenericOrdSet<A, P>, ) -> DiffIter<'a, 'b, A, P>

Get an iterator over the differences between this set and another, i.e. the set of entries to add or remove to this set in order to make it equal to the other set.

This function will avoid visiting nodes which are shared between the two sets, meaning that even very large sets can be compared quickly if most of their structure is shared.

Time: O(n) (where n is the number of unique elements across the two sets, minus the number of elements belonging to nodes shared between them)

Source

pub fn contains<BA>(&self, a: &BA) -> bool
where BA: Ord + ?Sized, A: Borrow<BA>,

Test if a value is part of a set.

Time: O(log n)

§Examples
let mut set = ordset!{1, 2, 3};
assert!(set.contains(&1));
assert!(!set.contains(&4));
Source

pub fn get<BK>(&self, k: &BK) -> Option<&A>
where BK: Ord + ?Sized, A: Borrow<BK>,

Returns a reference to the element in the set, if any, that is equal to the value. The value may be any borrowed form of the set’s element type, but the ordering on the borrowed form must match the ordering on the element type.

This is useful when the elements in the set are unique by for example an id, and you want to get the element out of the set by using the id.

§Examples
// Implements Eq and ord by delegating to id
struct FancyItem {
    id: u32,
    data: String,
}
let mut set = ordset!{
    FancyItem {id: 0, data: String::from("Hello")},
    FancyItem {id: 1, data: String::from("Test")}
};
assert_eq!(set.get(&1).unwrap().data, "Test");
assert_eq!(set.get(&0).unwrap().data, "Hello");
Source

pub fn get_prev<BK>(&self, k: &BK) -> Option<&A>
where BK: Ord + ?Sized, A: Borrow<BK>,

Get the closest smaller value in a set to a given value.

If the set contains the given value, this is returned. Otherwise, the closest value in the set smaller than the given value is returned. If the smallest value in the set is larger than the given value, None is returned.

§Examples
let set = ordset![1, 3, 5, 7, 9];
assert_eq!(Some(&5), set.get_prev(&6));
Source

pub fn get_next<BK>(&self, k: &BK) -> Option<&A>
where BK: Ord + ?Sized, A: Borrow<BK>,

Get the closest larger value in a set to a given value.

If the set contains the given value, this is returned. Otherwise, the closest value in the set larger than the given value is returned. If the largest value in the set is smaller than the given value, None is returned.

§Examples
let set = ordset![1, 3, 5, 7, 9];
assert_eq!(Some(&5), set.get_next(&4));
Source

pub fn is_subset<RS>(&self, other: RS) -> bool
where RS: Borrow<GenericOrdSet<A, P>>,

Test whether a set is a subset of another set, meaning that all values in our set must also be in the other set.

Time: O(n log m) where m is the size of the other set

Source

pub fn is_proper_subset<RS>(&self, other: RS) -> bool
where RS: Borrow<GenericOrdSet<A, P>>,

Test whether a set is a proper subset of another set, meaning that all values in our set must also be in the other set. A proper subset must also be smaller than the other set.

Time: O(n log m) where m is the size of the other set

Source§

impl<A, P> GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source

pub fn insert(&mut self, a: A) -> Option<A>

Insert a value into a set.

Time: O(log n)

§Examples
let mut set = ordset!{};
set.insert(123);
set.insert(456);
assert_eq!(
  set,
  ordset![123, 456]
);
Source

pub fn remove<BA>(&mut self, a: &BA) -> Option<A>
where BA: Ord + ?Sized, A: Borrow<BA>,

Remove a value from a set.

Time: O(log n)

Source

pub fn remove_min(&mut self) -> Option<A>

Remove the smallest value from a set.

Time: O(log n)

Source

pub fn remove_max(&mut self) -> Option<A>

Remove the largest value from a set.

Time: O(log n)

Source

pub fn update(&self, a: A) -> GenericOrdSet<A, P>

Construct a new set from the current set with the given value added.

Time: O(log n)

§Examples
let set = ordset![456];
assert_eq!(
  set.update(123),
  ordset![123, 456]
);
Source

pub fn without<BA>(&self, a: &BA) -> GenericOrdSet<A, P>
where BA: Ord + ?Sized, A: Borrow<BA>,

Construct a new set with the given value removed if it’s in the set.

Time: O(log n)

Source

pub fn without_min(&self) -> (Option<A>, GenericOrdSet<A, P>)

Remove the smallest value from a set, and return that value as well as the updated set.

Time: O(log n)

Source

pub fn without_max(&self) -> (Option<A>, GenericOrdSet<A, P>)

Remove the largest value from a set, and return that value as well as the updated set.

Time: O(log n)

Source

pub fn union(self, other: GenericOrdSet<A, P>) -> GenericOrdSet<A, P>

Construct the union of two sets.

Time: O(n log n)

§Examples
let set1 = ordset!{1, 2};
let set2 = ordset!{2, 3};
let expected = ordset!{1, 2, 3};
assert_eq!(expected, set1.union(set2));
Source

pub fn unions<I>(i: I) -> GenericOrdSet<A, P>
where I: IntoIterator<Item = GenericOrdSet<A, P>>,

Construct the union of multiple sets.

Time: O(n log n)

Source

pub fn difference(self, other: GenericOrdSet<A, P>) -> GenericOrdSet<A, P>

👎Deprecated since 2.0.1: to avoid conflicting behaviors between std and imbl, the difference alias for symmetric_difference will be removed.

Construct the symmetric difference between two sets.

This is an alias for the symmetric_difference method.

Time: O(n log n)

§Examples
let set1 = ordset!{1, 2};
let set2 = ordset!{2, 3};
let expected = ordset!{1, 3};
assert_eq!(expected, set1.difference(set2));
Source

pub fn symmetric_difference( self, other: GenericOrdSet<A, P>, ) -> GenericOrdSet<A, P>

Construct the symmetric difference between two sets.

Time: O(n log n)

§Examples
let set1 = ordset!{1, 2};
let set2 = ordset!{2, 3};
let expected = ordset!{1, 3};
assert_eq!(expected, set1.symmetric_difference(set2));
Source

pub fn relative_complement( self, other: GenericOrdSet<A, P>, ) -> GenericOrdSet<A, P>

Construct the relative complement between two sets, that is the set of values in self that do not occur in other.

Time: O(m log n) where m is the size of the other set

§Examples
let set1 = ordset!{1, 2};
let set2 = ordset!{2, 3};
let expected = ordset!{1};
assert_eq!(expected, set1.relative_complement(set2));
Source

pub fn intersection(self, other: GenericOrdSet<A, P>) -> GenericOrdSet<A, P>

Construct the intersection of two sets.

Time: O(n log n)

§Examples
let set1 = ordset!{1, 2};
let set2 = ordset!{2, 3};
let expected = ordset!{2};
assert_eq!(expected, set1.intersection(set2));
Source

pub fn split<BA>(self, split: &BA) -> (GenericOrdSet<A, P>, GenericOrdSet<A, P>)
where BA: Ord + ?Sized, A: Borrow<BA>,

Split a set into two, with the left hand set containing values which are smaller than split, and the right hand set containing values which are larger than split.

The split value itself is discarded.

Time: O(n)

Source

pub fn split_member<BA>( self, split: &BA, ) -> (GenericOrdSet<A, P>, bool, GenericOrdSet<A, P>)
where BA: Ord + ?Sized, A: Borrow<BA>,

Split a set into two, with the left hand set containing values which are smaller than split, and the right hand set containing values which are larger than split.

Returns a tuple of the two sets and a boolean which is true if the split value existed in the original set, and false otherwise.

Time: O(n)

Source

pub fn take(&self, n: usize) -> GenericOrdSet<A, P>

Construct a set with only the n smallest values from a given set.

Time: O(n)

Source

pub fn skip(&self, n: usize) -> GenericOrdSet<A, P>

Construct a set with the n smallest values removed from a given set.

Time: O(n)

Trait Implementations§

Source§

impl<A, P> Add for &GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

type Output = GenericOrdSet<A, P>

The resulting type after applying the + operator.
Source§

fn add( self, other: &GenericOrdSet<A, P>, ) -> <&GenericOrdSet<A, P> as Add>::Output

Performs the + operation. Read more
Source§

impl<A, P> Add for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

type Output = GenericOrdSet<A, P>

The resulting type after applying the + operator.
Source§

fn add(self, other: GenericOrdSet<A, P>) -> <GenericOrdSet<A, P> as Add>::Output

Performs the + operation. Read more
Source§

impl<A, P> Clone for GenericOrdSet<A, P>

Source§

fn clone(&self) -> GenericOrdSet<A, P>

Clone a set.

Time: O(1)

1.0.0 · Source§

fn clone_from(&mut self, source: &Self)

Performs copy-assignment from source. Read more
Source§

impl<A, P> Debug for GenericOrdSet<A, P>
where A: Ord + Debug, P: SharedPointerKind,

Source§

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

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

impl<A, P> Default for GenericOrdSet<A, P>

Source§

fn default() -> GenericOrdSet<A, P>

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

impl<'de, A, P> Deserialize<'de> for GenericOrdSet<A, P>
where A: Deserialize<'de> + Ord + Clone, P: SharedPointerKind,

Source§

fn deserialize<D>( des: D, ) -> Result<GenericOrdSet<A, P>, <D as Deserializer<'de>>::Error>
where D: Deserializer<'de>,

Deserialize this value from the given Serde deserializer. Read more
Source§

impl<A, R, P> Extend<R> for GenericOrdSet<A, P>
where A: Ord + Clone + From<R>, P: SharedPointerKind,

Source§

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

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<'a, A, P> From<&'a [A]> for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

fn from(slice: &'a [A]) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, P> From<&BTreeSet<A>> for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

fn from(btree_set: &BTreeSet<A>) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, S, P1, P2> From<&GenericHashSet<A, S, P2>> for GenericOrdSet<A, P1>

Source§

fn from(hashset: &GenericHashSet<A, S, P2>) -> GenericOrdSet<A, P1>

Converts to this type from the input type.
Source§

impl<A, OA, P1, P2> From<&GenericOrdSet<&A, P2>> for GenericOrdSet<OA, P1>
where A: ToOwned<Owned = OA> + Ord + ?Sized, OA: Borrow<A> + Ord + Clone, P1: SharedPointerKind, P2: SharedPointerKind,

Source§

fn from(set: &GenericOrdSet<&A, P2>) -> GenericOrdSet<OA, P1>

Converts to this type from the input type.
Source§

impl<'a, A, S, P1, P2> From<&'a GenericOrdSet<A, P2>> for GenericHashSet<A, S, P1>

Source§

fn from(ordset: &GenericOrdSet<A, P2>) -> GenericHashSet<A, S, P1>

Converts to this type from the input type.
Source§

impl<A, P> From<&HashSet<A>> for GenericOrdSet<A, P>
where A: Eq + Hash + Ord + Clone, P: SharedPointerKind,

Source§

fn from(hash_set: &HashSet<A>) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, P> From<&Vec<A>> for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

fn from(vec: &Vec<A>) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, P> From<BTreeSet<A>> for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

fn from(btree_set: BTreeSet<A>) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, S, P1, P2> From<GenericHashSet<A, S, P2>> for GenericOrdSet<A, P1>

Source§

fn from(hashset: GenericHashSet<A, S, P2>) -> GenericOrdSet<A, P1>

Converts to this type from the input type.
Source§

impl<A, S, P1, P2> From<GenericOrdSet<A, P2>> for GenericHashSet<A, S, P1>

Source§

fn from(ordset: GenericOrdSet<A, P2>) -> GenericHashSet<A, S, P1>

Converts to this type from the input type.
Source§

impl<A, P> From<HashSet<A>> for GenericOrdSet<A, P>
where A: Eq + Hash + Ord + Clone, P: SharedPointerKind,

Source§

fn from(hash_set: HashSet<A>) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, P> From<Vec<A>> for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

fn from(vec: Vec<A>) -> GenericOrdSet<A, P>

Converts to this type from the input type.
Source§

impl<A, R, P> FromIterator<R> for GenericOrdSet<A, P>
where A: Ord + Clone + From<R>, P: SharedPointerKind,

Source§

fn from_iter<T>(i: T) -> GenericOrdSet<A, P>
where T: IntoIterator<Item = R>,

Creates a value from an iterator. Read more
Source§

impl<A, P> Hash for GenericOrdSet<A, P>
where A: Ord + Hash, P: SharedPointerKind,

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<'a, A, P> IntoIterator for &'a GenericOrdSet<A, P>
where A: 'a + Ord, P: SharedPointerKind,

Source§

type Item = &'a A

The type of the elements being iterated over.
Source§

type IntoIter = Iter<'a, A, P>

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

fn into_iter(self) -> <&'a GenericOrdSet<A, P> as IntoIterator>::IntoIter

Creates an iterator from a value. Read more
Source§

impl<A, P> IntoIterator for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

type Item = A

The type of the elements being iterated over.
Source§

type IntoIter = ConsumingIter<A, P>

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

fn into_iter(self) -> <GenericOrdSet<A, P> as IntoIterator>::IntoIter

Creates an iterator from a value. Read more
Source§

impl<A, P> Mul for &GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

type Output = GenericOrdSet<A, P>

The resulting type after applying the * operator.
Source§

fn mul( self, other: &GenericOrdSet<A, P>, ) -> <&GenericOrdSet<A, P> as Mul>::Output

Performs the * operation. Read more
Source§

impl<A, P> Mul for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

type Output = GenericOrdSet<A, P>

The resulting type after applying the * operator.
Source§

fn mul(self, other: GenericOrdSet<A, P>) -> <GenericOrdSet<A, P> as Mul>::Output

Performs the * operation. Read more
Source§

impl<A, P> Ord for GenericOrdSet<A, P>
where A: Ord, P: SharedPointerKind,

Source§

fn cmp(&self, other: &GenericOrdSet<A, P>) -> 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<A, P> PartialEq for GenericOrdSet<A, P>
where A: Ord, P: SharedPointerKind,

Source§

fn eq(&self, other: &GenericOrdSet<A, P>) -> 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<A, P> PartialOrd for GenericOrdSet<A, P>
where A: Ord, P: SharedPointerKind,

Source§

fn partial_cmp(&self, other: &GenericOrdSet<A, P>) -> 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<A, P> Serialize for GenericOrdSet<A, P>

Source§

fn serialize<S>( &self, ser: S, ) -> Result<<S as Serializer>::Ok, <S as Serializer>::Error>
where S: Serializer,

Serialize this value into the given Serde serializer. Read more
Source§

impl<A, P> Sum for GenericOrdSet<A, P>
where A: Ord + Clone, P: SharedPointerKind,

Source§

fn sum<I>(it: I) -> GenericOrdSet<A, P>
where I: Iterator<Item = GenericOrdSet<A, P>>,

Takes an iterator and generates Self from the elements by “summing up” the items.
Source§

impl<A, P> Eq for GenericOrdSet<A, P>
where A: Ord, P: SharedPointerKind,

Auto Trait Implementations§

§

impl<A, P> Freeze for GenericOrdSet<A, P>
where P: Freeze,

§

impl<A, P> RefUnwindSafe for GenericOrdSet<A, P>

§

impl<A, P> Send for GenericOrdSet<A, P>
where P: Send + Sync, A: Sync + Send,

§

impl<A, P> Sync for GenericOrdSet<A, P>
where P: Sync + Send, A: Sync + Send,

§

impl<A, P> Unpin for GenericOrdSet<A, P>

§

impl<A, P> UnwindSafe for GenericOrdSet<A, P>
where P: UnwindSafe, A: 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

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> Instrument for T

Source§

fn instrument(self, span: Span) -> Instrumented<Self>

Instruments this type with the provided Span, returning an Instrumented wrapper. Read more
Source§

fn in_current_span(self) -> Instrumented<Self>

Instruments this type with the current Span, returning an Instrumented wrapper. Read more
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> Pointable for T

Source§

const ALIGN: usize

The alignment of pointer.
Source§

type Init = T

The type for initializers.
Source§

unsafe fn init(init: <T as Pointable>::Init) -> usize

Initializes a with the given initializer. Read more
Source§

unsafe fn deref<'a>(ptr: usize) -> &'a T

Dereferences the given pointer. Read more
Source§

unsafe fn deref_mut<'a>(ptr: usize) -> &'a mut T

Mutably dereferences the given pointer. Read more
Source§

unsafe fn drop(ptr: usize)

Drops the object pointed to by the given pointer. Read more
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, 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<T> WithSubscriber for T

Source§

fn with_subscriber<S>(self, subscriber: S) -> WithDispatch<Self>
where S: Into<Dispatch>,

Attaches the provided Subscriber to this type, returning a WithDispatch wrapper. Read more
Source§

fn with_current_subscriber(self) -> WithDispatch<Self>

Attaches the current default Subscriber to this type, returning a WithDispatch wrapper. Read more
Source§

impl<T> DeserializeOwned for T
where T: for<'de> Deserialize<'de>,

Source§

impl<M> Measure for M
where M: Debug + PartialOrd + Add<Output = M> + Default + Clone,