#[repr(transparent)]pub struct TiSlice<K, V> {
pub raw: [V],
/* private fields */
}
Expand description
A dynamically-sized view into a contiguous sequence of T
that only accepts keys of the type K
.
TiSlice<K, V>
is a wrapper around Rust primitive type slice
.
The struct mirrors the stable API of Rust slice
and forwards to it as much as possible.
TiSlice<K, V>
uses K
instead of usize
for element indices.
It also uses Range
, RangeTo
, RangeFrom
, RangeInclusive
and
RangeToInclusive
range types with K
indices for get
-methods and
index expressions. The RangeFull
trait is not currently supported.
TiSlice<K, V>
require the index to implement
From<usize>
and Into<usize>
traits.
Their implementation can be easily done
with derive_more
crate and #[derive(From, Into)]
.
There are zero-cost conversions available between types and references:
&[V]
and&TiSlice<K, V>
withAsRef
,&mut [V]
and&mut TiSlice<K, V>
withAsMut
,Box<[V]>
andBox<TiSlice<K, V>>
withFrom
andInto
.
Added methods:
from_ref
- Converts a&[V]
into a&TiSlice<K, V>
.from_mut
- Converts a&mut [V]
into a&mut TiSlice<K, V>
.keys
- Returns an iterator over all keys.next_key
- Returns the index of the next slice element to be appended and at the same time number of elements in the slice of typeK
.first_key
- Returns the first slice element index of typeK
, orNone
if the slice is empty.first_key_value
- Returns the first slice element index of typeK
and the element itself, orNone
if the slice is empty.first_key_value_mut
- Returns the first slice element index of typeK
and a mutable reference to the element itself, orNone
if the slice is empty.last_key
- Returns the last slice element index of typeK
, orNone
if the slice is empty.last_key_value
- Returns the last slice element index of typeK
and the element itself, orNone
if the slice is empty.last_key_value_mut
- Returns the last slice element index of typeK
and a mutable reference to the element itself, orNone
if the slice is empty.iter_enumerated
- Returns an iterator over all key-value pairs. It acts likeself.iter().enumerate()
, but useK
instead ofusize
for iteration indices.iter_mut_enumerated
- Returns an iterator over all key-value pairs, with mutable references to the values. It acts likeself.iter_mut().enumerate()
, but useK
instead ofusize
for iteration indices.position
- Searches for an element in an iterator, returning its index of typeK
. It acts likeself.iter().position(...)
, but instead ofusize
it returns index of typeK
.rposition
- Searches for an element in an iterator from the right, returning its index of typeK
. It acts likeself.iter().rposition(...)
, but instead ofusize
it returns index of typeK
.
§Example
use derive_more::{From, Into};
use typed_index_collections::TiSlice;
#[derive(From, Into)]
struct FooId(usize);
let mut foos_raw = [1, 2, 5, 8];
let foos: &mut TiSlice<FooId, usize> = TiSlice::from_mut(&mut foos_raw);
foos[FooId(2)] = 4;
assert_eq!(foos[FooId(2)], 4);
Fields§
§raw: [V]
Raw slice property
Implementations§
Source§impl<K, V> TiSlice<K, V>
impl<K, V> TiSlice<K, V>
Sourcepub const fn from_ref(raw: &[V]) -> &Self
pub const fn from_ref(raw: &[V]) -> &Self
Converts a &[V]
into a &TiSlice<K, V>
.
§Example
pub struct Id(usize);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
Sourcepub const fn from_mut(raw: &mut [V]) -> &mut Self
pub const fn from_mut(raw: &mut [V]) -> &mut Self
Converts a &mut [V]
into a &mut TiSlice<K, V>
.
§Example
pub struct Id(usize);
let slice: &mut TiSlice<Id, usize> = TiSlice::from_mut(&mut [1, 2, 4]);
Sourcepub const fn len(&self) -> usize
pub const fn len(&self) -> usize
Returns the number of elements in the slice.
See slice::len
for more details.
Sourcepub fn next_key(&self) -> K
pub fn next_key(&self) -> K
Returns the index of the next slice element to be appended
and at the same time number of elements in the slice of type K
.
§Example
#[derive(Eq, Debug, From, Into, PartialEq)]
pub struct Id(usize);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
assert_eq!(slice.next_key(), Id(3));
Sourcepub const fn is_empty(&self) -> bool
pub const fn is_empty(&self) -> bool
Returns true
if the slice has a length of 0.
See slice::is_empty
for more details.
Sourcepub fn keys(&self) -> TiSliceKeys<K>
pub fn keys(&self) -> TiSliceKeys<K>
Returns an iterator over all keys.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
let mut iterator = slice.keys();
assert_eq!(iterator.next(), Some(Id(0)));
assert_eq!(iterator.next(), Some(Id(1)));
assert_eq!(iterator.next(), Some(Id(2)));
assert_eq!(iterator.next(), None);
Sourcepub const fn first(&self) -> Option<&V>
pub const fn first(&self) -> Option<&V>
Returns the first element of the slice, or None
if it is empty.
See slice::first
for more details.
Sourcepub const fn first_mut(&mut self) -> Option<&mut V>
pub const fn first_mut(&mut self) -> Option<&mut V>
Returns a mutable reference to the first element of the slice, or None
if it is empty.
See slice::first_mut
for more details.
Sourcepub fn first_key(&self) -> Option<K>
pub fn first_key(&self) -> Option<K>
Returns the first slice element index of type K
, or None
if the
slice is empty.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let empty_slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[]);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
assert_eq!(empty_slice.first_key(), None);
assert_eq!(slice.first_key(), Some(Id(0)));
Sourcepub fn first_key_value(&self) -> Option<(K, &V)>
pub fn first_key_value(&self) -> Option<(K, &V)>
Returns the first slice element index of type K
and the element
itself, or None
if the slice is empty.
See slice::first
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let empty_slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[]);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
assert_eq!(empty_slice.first_key_value(), None);
assert_eq!(slice.first_key_value(), Some((Id(0), &1)));
Sourcepub fn first_key_value_mut(&mut self) -> Option<(K, &mut V)>
pub fn first_key_value_mut(&mut self) -> Option<(K, &mut V)>
Returns the first slice element index of type K
and a mutable
reference to the element itself, or None
if the slice is empty.
See slice::first_mut
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let empty_slice: &mut TiSlice<Id, usize> = TiSlice::from_mut(&mut []);
let mut array = [1, 2, 4];
let slice: &mut TiSlice<Id, usize> = TiSlice::from_mut(&mut array);
assert_eq!(empty_slice.first_key_value_mut(), None);
assert_eq!(slice.first_key_value_mut(), Some((Id(0), &mut 1)));
*slice.first_key_value_mut().unwrap().1 = 123;
assert_eq!(slice.raw, [123, 2, 4]);
Sourcepub fn split_first(&self) -> Option<(&V, &Self)>
pub fn split_first(&self) -> Option<(&V, &Self)>
Returns the first and all the rest of the elements of the slice, or
None
if it is empty.
See slice::split_first
for more details.
Sourcepub const fn split_first_mut(&mut self) -> Option<(&mut V, &mut Self)>
pub const fn split_first_mut(&mut self) -> Option<(&mut V, &mut Self)>
Returns the first and all the rest of the elements of the slice, or
None
if it is empty.
See slice::split_first_mut
for more details.
Sourcepub fn split_last(&self) -> Option<(&V, &Self)>
pub fn split_last(&self) -> Option<(&V, &Self)>
Returns the last and all the rest of the elements of the slice, or
None
if it is empty.
See slice::split_last
for more details.
Sourcepub const fn split_last_mut(&mut self) -> Option<(&mut V, &mut Self)>
pub const fn split_last_mut(&mut self) -> Option<(&mut V, &mut Self)>
Returns the last and all the rest of the elements of the slice, or
None
if it is empty.
See slice::split_last_mut
for more details.
Sourcepub const fn last(&self) -> Option<&V>
pub const fn last(&self) -> Option<&V>
Returns the last element of the slice of type K
, or None
if it is
empty.
See slice::last
for more details.
Sourcepub const fn last_mut(&mut self) -> Option<&mut V>
pub const fn last_mut(&mut self) -> Option<&mut V>
Returns a mutable reference to the last item in the slice.
See slice::last_mut
for more details.
Sourcepub fn last_key(&self) -> Option<K>
pub fn last_key(&self) -> Option<K>
Returns the last slice element index of type K
, or None
if the slice
is empty.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let empty_slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[]);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
assert_eq!(empty_slice.last_key(), None);
assert_eq!(slice.last_key(), Some(Id(2)));
Sourcepub fn last_key_value(&self) -> Option<(K, &V)>
pub fn last_key_value(&self) -> Option<(K, &V)>
Returns the last slice element index of type K
and the element itself,
or None
if the slice is empty.
See slice::last
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let empty_slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[]);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
assert_eq!(empty_slice.last_key_value(), None);
assert_eq!(slice.last_key_value(), Some((Id(2), &4)));
Sourcepub fn last_key_value_mut(&mut self) -> Option<(K, &mut V)>
pub fn last_key_value_mut(&mut self) -> Option<(K, &mut V)>
Returns the last slice element index of type K
and a mutable reference
to the element itself, or None
if the slice is empty.
See slice::last_mut
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let empty_slice: &mut TiSlice<Id, usize> = TiSlice::from_mut(&mut []);
let mut array = [1, 2, 4];
let slice: &mut TiSlice<Id, usize> = TiSlice::from_mut(&mut array);
assert_eq!(empty_slice.last_key_value_mut(), None);
assert_eq!(slice.last_key_value_mut(), Some((Id(2), &mut 4)));
*slice.last_key_value_mut().unwrap().1 = 123;
assert_eq!(slice.raw, [1, 2, 123]);
Sourcepub fn get<I>(&self, index: I) -> Option<&I::Output>where
I: TiSliceIndex<K, V>,
pub fn get<I>(&self, index: I) -> Option<&I::Output>where
I: TiSliceIndex<K, V>,
Returns a reference to an element or subslice
depending on the type of index or None
if the index is out of bounds.
See slice::get
for more details.
Sourcepub fn get_mut<I>(&mut self, index: I) -> Option<&mut I::Output>where
I: TiSliceIndex<K, V>,
pub fn get_mut<I>(&mut self, index: I) -> Option<&mut I::Output>where
I: TiSliceIndex<K, V>,
Returns a mutable reference to an element or subslice
depending on the type of index or None
if the index is out of bounds.
See slice::get_mut
for more details.
Sourcepub unsafe fn get_unchecked<I>(&self, index: I) -> &I::Outputwhere
I: TiSliceIndex<K, V>,
pub unsafe fn get_unchecked<I>(&self, index: I) -> &I::Outputwhere
I: TiSliceIndex<K, V>,
Returns a reference to an element or subslice depending on the type of index, without doing bounds checking.
See slice::get_unchecked
for more details.
§Safety
Calling this method with an out-of-bounds index is
undefined behavior even if the resulting reference is not used.
For a safe alternative see get
.
Sourcepub unsafe fn get_unchecked_mut<I>(&mut self, index: I) -> &mut I::Outputwhere
I: TiSliceIndex<K, V>,
pub unsafe fn get_unchecked_mut<I>(&mut self, index: I) -> &mut I::Outputwhere
I: TiSliceIndex<K, V>,
Returns a mutable reference to an element or subslice depending on the type of index, without doing bounds checking.
See slice::get_unchecked_mut
for more details.
§Safety
Calling this method with an out-of-bounds index is
undefined behavior even if the resulting reference is not used.
For a safe alternative see get_mut
.
Sourcepub const fn as_ptr(&self) -> *const V
pub const fn as_ptr(&self) -> *const V
Returns a raw pointer to the slice’s buffer.
See slice::as_ptr
for more details.
Sourcepub const fn as_mut_ptr(&mut self) -> *mut V
pub const fn as_mut_ptr(&mut self) -> *mut V
Returns an unsafe mutable reference to the slice’s buffer.
See slice::as_mut_ptr
for more details.
Sourcepub const fn as_ptr_range(&self) -> Range<*const V>
pub const fn as_ptr_range(&self) -> Range<*const V>
Returns the two raw pointers spanning the slice.
See slice::as_ptr_range
for more details.
Sourcepub const fn as_mut_ptr_range(&mut self) -> Range<*mut V>
pub const fn as_mut_ptr_range(&mut self) -> Range<*mut V>
Returns the two unsafe mutable pointers spanning the slice.
See slice::as_mut_ptr_range
for more details.
Sourcepub fn swap(&mut self, a: K, b: K)
pub fn swap(&mut self, a: K, b: K)
Swaps two elements in the slice.
See slice::swap
for more details.
Sourcepub fn reverse(&mut self)
pub fn reverse(&mut self)
Reverses the order of elements in the slice, in place.
See slice::reverse
for more details.
Sourcepub fn iter(&self) -> Iter<'_, V>
pub fn iter(&self) -> Iter<'_, V>
Returns an iterator over the slice.
See slice::iter
for more details.
Sourcepub fn iter_enumerated(&self) -> TiEnumerated<Iter<'_, V>, K, &V>
pub fn iter_enumerated(&self) -> TiEnumerated<Iter<'_, V>, K, &V>
Returns an iterator over all key-value pairs.
It acts like self.iter().enumerate()
,
but use K
instead of usize
for iteration indices.
See slice::iter
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4]);
let mut iterator = slice.iter_enumerated();
assert_eq!(iterator.next(), Some((Id(0), &1)));
assert_eq!(iterator.next(), Some((Id(1), &2)));
assert_eq!(iterator.next(), Some((Id(2), &4)));
assert_eq!(iterator.next(), None);
Sourcepub fn iter_mut(&mut self) -> IterMut<'_, V>
pub fn iter_mut(&mut self) -> IterMut<'_, V>
Returns an iterator that allows modifying each value.
See slice::iter_mut
for more details.
Sourcepub fn iter_mut_enumerated(&mut self) -> TiEnumerated<IterMut<'_, V>, K, &mut V>
pub fn iter_mut_enumerated(&mut self) -> TiEnumerated<IterMut<'_, V>, K, &mut V>
Returns an iterator over all key-value pairs, with mutable references to the values.
It acts like self.iter_mut().enumerate()
,
but use K
instead of usize
for iteration indices.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let mut array = [1, 2, 4];
let slice: &mut TiSlice<Id, usize> = TiSlice::from_mut(&mut array);
for (key, value) in slice.iter_mut_enumerated() {
*value += key.0;
}
assert_eq!(array, [1, 3, 6]);
Sourcepub fn position<P>(&self, predicate: P) -> Option<K>
pub fn position<P>(&self, predicate: P) -> Option<K>
Searches for an element in an iterator, returning its index of type K
.
It acts like self.iter().position(...)
,
but instead of usize
it returns index of type K
.
See slice::iter
and Iterator::position
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4, 2, 1]);
assert_eq!(slice.position(|&value| value == 1), Some(Id(0)));
assert_eq!(slice.position(|&value| value == 2), Some(Id(1)));
assert_eq!(slice.position(|&value| value == 3), None);
assert_eq!(slice.position(|&value| value == 4), Some(Id(2)));
Sourcepub fn rposition<P>(&self, predicate: P) -> Option<K>
pub fn rposition<P>(&self, predicate: P) -> Option<K>
Searches for an element in an iterator from the right, returning its
index of type K
.
It acts like self.iter().rposition(...)
,
but instead of usize
it returns index of type K
.
See slice::iter
and Iterator::rposition
for more details.
§Example
#[derive(Debug, Eq, From, Into, PartialEq)]
pub struct Id(usize);
let slice: &TiSlice<Id, usize> = TiSlice::from_ref(&[1, 2, 4, 2, 1]);
assert_eq!(slice.rposition(|&value| value == 1), Some(Id(4)));
assert_eq!(slice.rposition(|&value| value == 2), Some(Id(3)));
assert_eq!(slice.rposition(|&value| value == 3), None);
assert_eq!(slice.rposition(|&value| value == 4), Some(Id(2)));
Sourcepub fn windows(&self, size: usize) -> TiSliceRefMap<Windows<'_, V>, K, V>
pub fn windows(&self, size: usize) -> TiSliceRefMap<Windows<'_, V>, K, V>
Returns an iterator over all contiguous windows of length
size
. The windows overlap. If the slice is shorter than
size
, the iterator returns no values.
See slice::windows
for more details.
Sourcepub fn chunks(&self, chunk_size: usize) -> TiSliceRefMap<Chunks<'_, V>, K, V>
pub fn chunks(&self, chunk_size: usize) -> TiSliceRefMap<Chunks<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the beginning of the slice.
See slice::chunks
for more details.
Sourcepub fn chunks_mut(
&mut self,
chunk_size: usize,
) -> TiSliceMutMap<ChunksMut<'_, V>, K, V>
pub fn chunks_mut( &mut self, chunk_size: usize, ) -> TiSliceMutMap<ChunksMut<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the beginning of the slice.
See slice::chunks_mut
for more details.
Sourcepub fn chunks_exact(
&self,
chunk_size: usize,
) -> TiSliceRefMap<ChunksExact<'_, V>, K, V>
pub fn chunks_exact( &self, chunk_size: usize, ) -> TiSliceRefMap<ChunksExact<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the beginning of the slice.
See slice::chunks_exact
for more details.
Sourcepub fn chunks_exact_mut(
&mut self,
chunk_size: usize,
) -> TiSliceMutMap<ChunksExactMut<'_, V>, K, V>
pub fn chunks_exact_mut( &mut self, chunk_size: usize, ) -> TiSliceMutMap<ChunksExactMut<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the beginning of the slice.
See slice::chunks_exact_mut
for more details.
Sourcepub fn rchunks(&self, chunk_size: usize) -> TiSliceRefMap<RChunks<'_, V>, K, V>
pub fn rchunks(&self, chunk_size: usize) -> TiSliceRefMap<RChunks<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the end of the slice.
See slice::rchunks
for more details.
Sourcepub fn rchunks_mut(
&mut self,
chunk_size: usize,
) -> TiSliceMutMap<RChunksMut<'_, V>, K, V>
pub fn rchunks_mut( &mut self, chunk_size: usize, ) -> TiSliceMutMap<RChunksMut<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the end of the slice.
See slice::rchunks_mut
for more details.
Sourcepub fn rchunks_exact(
&self,
chunk_size: usize,
) -> TiSliceRefMap<RChunksExact<'_, V>, K, V>
pub fn rchunks_exact( &self, chunk_size: usize, ) -> TiSliceRefMap<RChunksExact<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the end of the slice.
See slice::rchunks_exact
for more details.
Sourcepub fn rchunks_exact_mut(
&mut self,
chunk_size: usize,
) -> TiSliceMutMap<RChunksExactMut<'_, V>, K, V>
pub fn rchunks_exact_mut( &mut self, chunk_size: usize, ) -> TiSliceMutMap<RChunksExactMut<'_, V>, K, V>
Returns an iterator over chunk_size
elements of the slice at a time,
starting at the end of the slice.
See slice::rchunks_exact_mut
for more details.
Sourcepub fn chunk_by<F>(&self, pred: F) -> TiSliceRefMap<ChunkBy<'_, V, F>, K, V>
pub fn chunk_by<F>(&self, pred: F) -> TiSliceRefMap<ChunkBy<'_, V, F>, K, V>
Returns an iterator over the slice producing non-overlapping runs of elements using the predicate to separate them.
See slice::chunk_by
for more details.
Sourcepub fn chunk_by_mut<F>(
&mut self,
pred: F,
) -> TiSliceMutMap<ChunkByMut<'_, V, F>, K, V>
pub fn chunk_by_mut<F>( &mut self, pred: F, ) -> TiSliceMutMap<ChunkByMut<'_, V, F>, K, V>
Returns an iterator over the slice producing non-overlapping mutable runs of elements using the predicate to separate them.
See slice::chunk_by_mut
for more details.
Sourcepub fn split_at(&self, mid: K) -> (&Self, &Self)
pub fn split_at(&self, mid: K) -> (&Self, &Self)
Divides one slice into two at an index.
See slice::split_at
for more details.
Sourcepub fn split_at_mut(&mut self, mid: K) -> (&mut Self, &mut Self)
pub fn split_at_mut(&mut self, mid: K) -> (&mut Self, &mut Self)
Divides one mutable slice into two at an index.
See slice::split_at_mut
for more details.
Sourcepub unsafe fn split_at_unchecked(&self, mid: K) -> (&Self, &Self)
pub unsafe fn split_at_unchecked(&self, mid: K) -> (&Self, &Self)
Divides one slice into two at an index, without doing bounds checking.
See slice::split_at_unchecked
for more details.
§Safety
Calling this method with an out-of-bounds index is
undefined behavior even if the resulting reference is not used. The
caller has to ensure that 0 <= mid <= self.len()
.
Sourcepub unsafe fn split_at_mut_unchecked(
&mut self,
mid: K,
) -> (&mut Self, &mut Self)
pub unsafe fn split_at_mut_unchecked( &mut self, mid: K, ) -> (&mut Self, &mut Self)
Divides one mutable slice into two at an index, without doing bounds checking.
See slice::split_at_mut_unchecked
for more details.
§Safety
Calling this method with an out-of-bounds index is
undefined behavior even if the resulting reference is not used. The
caller has to ensure that 0 <= mid <= self.len()
.
Sourcepub fn split_at_checked(&self, mid: K) -> Option<(&Self, &Self)>
pub fn split_at_checked(&self, mid: K) -> Option<(&Self, &Self)>
Divides one slice into two at an index, returning None
if the slice is
too short.
See slice::split_at_checked
for more details.
Sourcepub fn split_at_mut_checked(&mut self, mid: K) -> Option<(&mut Self, &mut Self)>
pub fn split_at_mut_checked(&mut self, mid: K) -> Option<(&mut Self, &mut Self)>
Divides one mutable slice into two at an index, returning None
if the
slice is too short.
See slice::split_at_mut_checked
for more details.
Sourcepub fn split<F>(&self, pred: F) -> TiSliceRefMap<Split<'_, V, F>, K, V>
pub fn split<F>(&self, pred: F) -> TiSliceRefMap<Split<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
. The matched element is not contained in the subslices.
See slice::split
for more details.
Sourcepub fn split_mut<F>(
&mut self,
pred: F,
) -> TiSliceMutMap<SplitMut<'_, V, F>, K, V>
pub fn split_mut<F>( &mut self, pred: F, ) -> TiSliceMutMap<SplitMut<'_, V, F>, K, V>
Returns an iterator over mutable subslices separated by elements that
match pred
. The matched element is not contained in the subslices.
See slice::split_mut
for more details.
Sourcepub fn split_inclusive<F>(
&self,
pred: F,
) -> TiSliceRefMap<SplitInclusive<'_, V, F>, K, V>
pub fn split_inclusive<F>( &self, pred: F, ) -> TiSliceRefMap<SplitInclusive<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
. The matched element is contained in the end of the previous
subslice as a terminator.
See slice::split_inclusive
for more details.
Sourcepub fn split_inclusive_mut<F>(
&mut self,
pred: F,
) -> TiSliceMutMap<SplitInclusiveMut<'_, V, F>, K, V>
pub fn split_inclusive_mut<F>( &mut self, pred: F, ) -> TiSliceMutMap<SplitInclusiveMut<'_, V, F>, K, V>
Returns an iterator over mutable subslices separated by elements that
match pred
. The matched element is contained in the previous
subslice as a terminator.
See slice::split_inclusive_mut
for more details.
Sourcepub fn rsplit<F>(&self, pred: F) -> TiSliceRefMap<RSplit<'_, V, F>, K, V>
pub fn rsplit<F>(&self, pred: F) -> TiSliceRefMap<RSplit<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
, starting at the end of the slice and working backwards.
The matched element is not contained in the subslices.
See slice::rsplit
for more details.
Sourcepub fn rsplit_mut<F>(
&mut self,
pred: F,
) -> TiSliceMutMap<RSplitMut<'_, V, F>, K, V>
pub fn rsplit_mut<F>( &mut self, pred: F, ) -> TiSliceMutMap<RSplitMut<'_, V, F>, K, V>
Returns an iterator over mutable subslices separated by elements that
match pred
, starting at the end of the slice and working
backwards. The matched element is not contained in the subslices.
See slice::rsplit_mut
for more details.
Sourcepub fn splitn<F>(
&self,
n: usize,
pred: F,
) -> TiSliceRefMap<SplitN<'_, V, F>, K, V>
pub fn splitn<F>( &self, n: usize, pred: F, ) -> TiSliceRefMap<SplitN<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
, limited to returning at most n
items. The matched element is
not contained in the subslices.
See slice::splitn
for more details.
Sourcepub fn splitn_mut<F>(
&mut self,
n: usize,
pred: F,
) -> TiSliceMutMap<SplitNMut<'_, V, F>, K, V>
pub fn splitn_mut<F>( &mut self, n: usize, pred: F, ) -> TiSliceMutMap<SplitNMut<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
, limited to returning at most n
items. The matched element is
not contained in the subslices.
See slice::splitn_mut
for more details.
Sourcepub fn rsplitn<F>(
&self,
n: usize,
pred: F,
) -> TiSliceRefMap<RSplitN<'_, V, F>, K, V>
pub fn rsplitn<F>( &self, n: usize, pred: F, ) -> TiSliceRefMap<RSplitN<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
limited to returning at most n
items. This starts at the end of
the slice and works backwards. The matched element is not contained in
the subslices.
See slice::rsplitn
for more details.
Sourcepub fn rsplitn_mut<F>(
&mut self,
n: usize,
pred: F,
) -> TiSliceMutMap<RSplitNMut<'_, V, F>, K, V>
pub fn rsplitn_mut<F>( &mut self, n: usize, pred: F, ) -> TiSliceMutMap<RSplitNMut<'_, V, F>, K, V>
Returns an iterator over subslices separated by elements that match
pred
limited to returning at most n
items. This starts at the end of
the slice and works backwards. The matched element is not contained in
the subslices.
See slice::rsplitn_mut
for more details.
Sourcepub fn contains(&self, x: &V) -> boolwhere
V: PartialEq,
pub fn contains(&self, x: &V) -> boolwhere
V: PartialEq,
Returns true
if the slice contains an element with the given value.
See slice::contains
for more details.
Sourcepub fn starts_with(&self, needle: &Self) -> boolwhere
V: PartialEq,
pub fn starts_with(&self, needle: &Self) -> boolwhere
V: PartialEq,
Returns true
if needle
is a prefix of the slice.
See slice::starts_with
for more details.
Sourcepub fn ends_with(&self, needle: &Self) -> boolwhere
V: PartialEq,
pub fn ends_with(&self, needle: &Self) -> boolwhere
V: PartialEq,
Returns true
if needle
is a suffix of the slice.
See slice::ends_with
for more details.
Sourcepub fn binary_search(&self, x: &V) -> Result<K, K>
pub fn binary_search(&self, x: &V) -> Result<K, K>
Binary searches this sorted slice for a given element.
See slice::binary_search
for more details.
Sourcepub fn binary_search_by<'a, F>(&'a self, f: F) -> Result<K, K>
pub fn binary_search_by<'a, F>(&'a self, f: F) -> Result<K, K>
Binary searches this sorted slice with a comparator function.
See slice::binary_search_by
for more details.
Sourcepub fn binary_search_by_key<'a, B, F>(&'a self, b: &B, f: F) -> Result<K, K>
pub fn binary_search_by_key<'a, B, F>(&'a self, b: &B, f: F) -> Result<K, K>
Binary searches this sorted slice with a key extraction function.
See slice::binary_search_by_key
for more details.
Sourcepub fn sort_unstable(&mut self)where
V: Ord,
pub fn sort_unstable(&mut self)where
V: Ord,
Sorts the slice, but may not preserve the order of equal elements.
See slice::sort_unstable
for more details.
Sourcepub fn sort_unstable_by<F>(&mut self, compare: F)
pub fn sort_unstable_by<F>(&mut self, compare: F)
Sorts the slice with a comparator function, but may not preserve the order of equal elements.
See slice::sort_unstable_by
for more details.
Sourcepub fn sort_unstable_by_key<K2, F>(&mut self, f: F)
pub fn sort_unstable_by_key<K2, F>(&mut self, f: F)
Sorts the slice with a key extraction function, but may not preserve the order of equal elements.
See slice::sort_unstable_by_key
for more details.
Sourcepub fn select_nth_unstable(
&mut self,
index: K,
) -> (&mut Self, &mut V, &mut Self)
pub fn select_nth_unstable( &mut self, index: K, ) -> (&mut Self, &mut V, &mut Self)
Reorder the slice such that the element at index
after the reordering
is at its final sorted position.
See slice::select_nth_unstable
for more details.
§Panics
Panics when index >= len()
, meaning it always panics on empty slices.
May panic if the implementation of Ord
for T
does not implement a
[total order].
Sourcepub fn select_nth_unstable_by<F>(
&mut self,
index: K,
compare: F,
) -> (&mut Self, &mut V, &mut Self)
pub fn select_nth_unstable_by<F>( &mut self, index: K, compare: F, ) -> (&mut Self, &mut V, &mut Self)
Reorder the slice with a comparator function such that the element at
index
after the reordering is at its final sorted position.
See slice::select_nth_unstable_by
for more details.
§Panics
Panics when index >= len()
, meaning it always panics on empty slices.
May panic if compare
does not implement a [total order].
Sourcepub fn select_nth_unstable_by_key<Key, F>(
&mut self,
index: K,
f: F,
) -> (&mut Self, &mut V, &mut Self)
pub fn select_nth_unstable_by_key<Key, F>( &mut self, index: K, f: F, ) -> (&mut Self, &mut V, &mut Self)
Reorder the slice with a key extraction function such that the element
at index
after the reordering is at its final sorted position.
See slice::select_nth_unstable_by_key
for more details.
§Panics
Panics when index >= len()
, meaning it always panics on empty slices.
May panic if K: Ord
does not implement a total order.
Sourcepub fn rotate_left(&mut self, mid: K)
pub fn rotate_left(&mut self, mid: K)
Rotates the slice in-place such that the first mid
elements of the
slice move to the end while the last self.next_key() - mid
elements
move to the front. After calling rotate_left
, the element
previously at index mid
will become the first element in the
slice.
See slice::rotate_left
for more details.
Sourcepub fn rotate_right(&mut self, k: K)
pub fn rotate_right(&mut self, k: K)
Rotates the slice in-place such that the first self.next_key() - k
elements of the slice move to the end while the last k
elements move
to the front. After calling rotate_right
, the element previously at
index self.next_key() - k
will become the first element in the slice.
See slice::rotate_right
for more details.
Sourcepub fn fill(&mut self, value: V)where
V: Clone,
pub fn fill(&mut self, value: V)where
V: Clone,
Fills self
with elements by cloning value
.
See slice::fill
for more details.
Sourcepub fn fill_with<F>(&mut self, f: F)where
F: FnMut() -> V,
pub fn fill_with<F>(&mut self, f: F)where
F: FnMut() -> V,
Fills self
with elements returned by calling a closure repeatedly.
See slice::fill_with
for more details.
Sourcepub fn clone_from_slice(&mut self, src: &Self)where
V: Clone,
pub fn clone_from_slice(&mut self, src: &Self)where
V: Clone,
Copies the elements from src
into self
.
See slice::clone_from_slice
for more details.
Sourcepub fn copy_from_slice(&mut self, src: &Self)where
V: Copy,
pub fn copy_from_slice(&mut self, src: &Self)where
V: Copy,
Copies all elements from src
into self
, using a memcpy.
See slice::copy_from_slice
for more details.
Sourcepub fn copy_within<R>(&mut self, src: R, dest: K)
pub fn copy_within<R>(&mut self, src: R, dest: K)
Copies elements from one part of the slice to another part of itself, using a memmove.
See slice::copy_within
for more details.
Sourcepub fn swap_with_slice(&mut self, other: &mut Self)
pub fn swap_with_slice(&mut self, other: &mut Self)
Swaps all elements in self
with those in other
.
See slice::swap_with_slice
for more details.
Sourcepub unsafe fn align_to<U>(&self) -> (&Self, &TiSlice<K, U>, &Self)
pub unsafe fn align_to<U>(&self) -> (&Self, &TiSlice<K, U>, &Self)
Transmute the slice to a slice of another type, ensuring alignment of the types is maintained.
See slice::align_to
for more details.
§Safety
This method is essentially a transmute
with respect to the elements in
the returned middle slice, so all the usual caveats pertaining to
transmute::<T, U>
also apply here.
Sourcepub unsafe fn align_to_mut<U>(
&mut self,
) -> (&mut Self, &mut TiSlice<K, U>, &mut Self)
pub unsafe fn align_to_mut<U>( &mut self, ) -> (&mut Self, &mut TiSlice<K, U>, &mut Self)
Transmute the slice to a slice of another type, ensuring alignment of the types is maintained.
See slice::align_to_mut
for more details.
§Safety
This method is essentially a transmute
with respect to the elements in
the returned middle slice, so all the usual caveats pertaining to
transmute::<T, U>
also apply here.
Sourcepub fn is_sorted(&self) -> boolwhere
V: PartialOrd,
pub fn is_sorted(&self) -> boolwhere
V: PartialOrd,
Checks if the elements of this slice are sorted.
See slice::is_sorted
for more details.
Sourcepub fn is_sorted_by<'a, F>(&'a self, compare: F) -> bool
pub fn is_sorted_by<'a, F>(&'a self, compare: F) -> bool
Checks if the elements of this slice are sorted using the given comparator function.
See slice::is_sorted_by
for more details.
Sourcepub fn is_sorted_by_key<'a, F, T>(&'a self, f: F) -> bool
pub fn is_sorted_by_key<'a, F, T>(&'a self, f: F) -> bool
Checks if the elements of this slice are sorted using the given key extraction function.
See slice::is_sorted_by_key
for more details.
Sourcepub fn partition_point<P>(&self, pred: P) -> K
pub fn partition_point<P>(&self, pred: P) -> K
Returns the index of the partition point according to the given predicate (the index of the first element of the second partition).
See slice::partition_point
for more details.
Source§impl<K> TiSlice<K, u8>
impl<K> TiSlice<K, u8>
Sourcepub const fn is_ascii(&self) -> bool
pub const fn is_ascii(&self) -> bool
Checks if all bytes in this slice are within the ASCII range.
See slice::is_ascii
for more details.
Sourcepub fn eq_ignore_ascii_case(&self, other: &Self) -> bool
pub fn eq_ignore_ascii_case(&self, other: &Self) -> bool
Checks that two slices are an ASCII case-insensitive match.
See slice::eq_ignore_ascii_case
for more details.
Sourcepub const fn make_ascii_uppercase(&mut self)
pub const fn make_ascii_uppercase(&mut self)
Converts this slice to its ASCII upper case equivalent in-place.
See slice::make_ascii_uppercase
for more details.
Sourcepub const fn make_ascii_lowercase(&mut self)
pub const fn make_ascii_lowercase(&mut self)
Converts this slice to its ASCII lower case equivalent in-place.
See slice::make_ascii_lowercase
for more details.
Sourcepub fn escape_ascii(&self) -> EscapeAscii<'_>
pub fn escape_ascii(&self) -> EscapeAscii<'_>
Returns an iterator that produces an escaped version of this slice, treating it as an ASCII string.
See slice::escape_ascii
for more details.
Sourcepub const fn trim_ascii_start(&self) -> &Self
pub const fn trim_ascii_start(&self) -> &Self
Returns a byte slice with leading ASCII whitespace bytes removed.
See slice::trim_ascii_start
for more details.
Sourcepub const fn trim_ascii_end(&self) -> &Self
pub const fn trim_ascii_end(&self) -> &Self
Returns a byte slice with trailing ASCII whitespace bytes removed.
See slice::trim_ascii_end
for more details.
Sourcepub const fn trim_ascii(&self) -> &Self
pub const fn trim_ascii(&self) -> &Self
Returns a byte slice with leading and trailing ASCII whitespace bytes removed.
See slice::trim_ascii
for more details.
Sourcepub fn utf8_chunks(&self) -> Utf8Chunks<'_>
pub fn utf8_chunks(&self) -> Utf8Chunks<'_>
Creates an iterator over the contiguous valid UTF-8 ranges of this slice, and the non-UTF-8 fragments in between.
See slice::utf8_chunks
for more details.
Source§impl<K, V> TiSlice<K, V>
impl<K, V> TiSlice<K, V>
Sourcepub fn sort(&mut self)where
V: Ord,
Available on crate feature alloc
only.
pub fn sort(&mut self)where
V: Ord,
alloc
only.Sorts the slice.
See slice::sort
for more details.
Sourcepub fn sort_by<F>(&mut self, compare: F)
Available on crate feature alloc
only.
pub fn sort_by<F>(&mut self, compare: F)
alloc
only.Sorts the slice with a comparator function.
See slice::sort_by
for more details.
Sourcepub fn sort_by_key<K2, F>(&mut self, f: F)
Available on crate feature alloc
only.
pub fn sort_by_key<K2, F>(&mut self, f: F)
alloc
only.Sorts the slice with a key extraction function.
See slice::sort_by_key
for more details.
Sourcepub fn sort_by_cached_key<K2, F>(&mut self, f: F)
Available on crate feature alloc
only.
pub fn sort_by_cached_key<K2, F>(&mut self, f: F)
alloc
only.Sorts the slice with a key extraction function.
See slice::sort_by_cached_key
for more details.
Sourcepub fn to_vec(&self) -> TiVec<K, V>where
V: Clone,
Available on crate feature alloc
only.
pub fn to_vec(&self) -> TiVec<K, V>where
V: Clone,
alloc
only.Copies self
into a new TiVec
.
See slice::to_vec
for more details.
Sourcepub fn into_vec(self: Box<Self>) -> TiVec<K, V>
Available on crate feature alloc
only.
pub fn into_vec(self: Box<Self>) -> TiVec<K, V>
alloc
only.Converts self
into a vector without clones or allocation.
See slice::into_vec
for more details.
Sourcepub fn repeat(&self, n: usize) -> TiVec<K, V>where
V: Copy,
Available on crate feature alloc
only.
pub fn repeat(&self, n: usize) -> TiVec<K, V>where
V: Copy,
alloc
only.Creates a vector by repeating a slice n
times.
See slice::repeat
for more details.
Sourcepub fn concat<Item: ?Sized>(&self) -> <Self as Concat<Item>>::Outputwhere
Self: Concat<Item>,
Available on crate feature alloc
only.
pub fn concat<Item: ?Sized>(&self) -> <Self as Concat<Item>>::Outputwhere
Self: Concat<Item>,
alloc
only.Flattens a slice of T
into a single value Self::Output
.
See slice::concat
for more details.
Sourcepub fn join<Separator>(
&self,
sep: Separator,
) -> <Self as Join<Separator>>::Outputwhere
Self: Join<Separator>,
Available on crate feature alloc
only.
pub fn join<Separator>(
&self,
sep: Separator,
) -> <Self as Join<Separator>>::Outputwhere
Self: Join<Separator>,
alloc
only.Flattens a slice of T
into a single value Self::Output
, placing a
given separator between each.
See slice::join
for more details.
Source§impl<K> TiSlice<K, u8>
impl<K> TiSlice<K, u8>
Sourcepub fn to_ascii_uppercase(&self) -> TiVec<K, u8> ⓘ
Available on crate feature alloc
only.
pub fn to_ascii_uppercase(&self) -> TiVec<K, u8> ⓘ
alloc
only.Returns a vector containing a copy of this slice where each byte is mapped to its ASCII upper case equivalent.
See slice::to_ascii_uppercase
for more details.
Sourcepub fn to_ascii_lowercase(&self) -> TiVec<K, u8> ⓘ
Available on crate feature alloc
only.
pub fn to_ascii_lowercase(&self) -> TiVec<K, u8> ⓘ
alloc
only.Returns a vector containing a copy of this slice where each byte is mapped to its ASCII lower case equivalent.
See slice::to_ascii_lowercase
for more details.
Trait Implementations§
Source§impl<'de, K, V, Context> BorrowDecode<'de, Context> for Box<TiSlice<K, V>>where
V: 'de + BorrowDecode<'de, Context>,
Available on crate features alloc
and bincode
only.
impl<'de, K, V, Context> BorrowDecode<'de, Context> for Box<TiSlice<K, V>>where
V: 'de + BorrowDecode<'de, Context>,
alloc
and bincode
only.Source§fn borrow_decode<D>(decoder: &mut D) -> Result<Self, DecodeError>where
D: BorrowDecoder<'de, Context = Context>,
fn borrow_decode<D>(decoder: &mut D) -> Result<Self, DecodeError>where
D: BorrowDecoder<'de, Context = Context>,
Source§impl<K, V> BorrowMut<TiSlice<K, V>> for TiVec<K, V>
Available on crate feature alloc
only.
impl<K, V> BorrowMut<TiSlice<K, V>> for TiVec<K, V>
alloc
only.Source§fn borrow_mut(&mut self) -> &mut TiSlice<K, V>
fn borrow_mut(&mut self) -> &mut TiSlice<K, V>
Source§impl<K> BufRead for &TiSlice<K, u8>
Available on crate feature std
only.
impl<K> BufRead for &TiSlice<K, u8>
std
only.Source§fn fill_buf(&mut self) -> IoResult<&[u8]>
fn fill_buf(&mut self) -> IoResult<&[u8]>
Read
methods, if empty. Read moreSource§fn consume(&mut self, amt: usize)
fn consume(&mut self, amt: usize)
amount
of additional bytes from the internal buffer as having been read.
Subsequent calls to read
only return bytes that have not been marked as read. Read moreSource§fn has_data_left(&mut self) -> Result<bool, Error>
fn has_data_left(&mut self) -> Result<bool, Error>
buf_read_has_data_left
)read
. Read more1.83.0 · Source§fn skip_until(&mut self, byte: u8) -> Result<usize, Error>
fn skip_until(&mut self, byte: u8) -> Result<usize, Error>
byte
or EOF is reached. Read more1.0.0 · Source§fn read_line(&mut self, buf: &mut String) -> Result<usize, Error>
fn read_line(&mut self, buf: &mut String) -> Result<usize, Error>
0xA
byte) is reached, and append
them to the provided String
buffer. Read moreSource§impl<K, V, Context> Decode<Context> for Box<TiSlice<K, V>>where
V: 'static + Decode<Context>,
Available on crate features alloc
and bincode
only.
impl<K, V, Context> Decode<Context> for Box<TiSlice<K, V>>where
V: 'static + Decode<Context>,
alloc
and bincode
only.Source§impl<'de, K, V> Deserialize<'de> for Box<TiSlice<K, V>>where
V: Deserialize<'de>,
Available on crate features alloc
and serde
only.
impl<'de, K, V> Deserialize<'de> for Box<TiSlice<K, V>>where
V: Deserialize<'de>,
alloc
and serde
only.Source§fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>where
D: Deserializer<'de>,
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>where
D: Deserializer<'de>,
Source§impl<'a, K, V: Clone> From<&'a TiSlice<K, V>> for Cow<'a, TiSlice<K, V>>
Available on crate feature alloc
only.
impl<'a, K, V: Clone> From<&'a TiSlice<K, V>> for Cow<'a, TiSlice<K, V>>
alloc
only.Source§impl<K, V> From<&TiSlice<K, V>> for TiVec<K, V>where
V: Clone,
Available on crate feature alloc
only.
impl<K, V> From<&TiSlice<K, V>> for TiVec<K, V>where
V: Clone,
alloc
only.Source§impl<K, V> From<&mut TiSlice<K, V>> for TiVec<K, V>where
V: Clone,
Available on crate feature alloc
only.
impl<K, V> From<&mut TiSlice<K, V>> for TiVec<K, V>where
V: Clone,
alloc
only.Source§impl<K, V> FromIterator<V> for Box<TiSlice<K, V>>
impl<K, V> FromIterator<V> for Box<TiSlice<K, V>>
Source§fn from_iter<T: IntoIterator<Item = V>>(iter: T) -> Self
fn from_iter<T: IntoIterator<Item = V>>(iter: T) -> Self
Source§impl<I, K, V> Index<I> for TiSlice<K, V>where
I: TiSliceIndex<K, V>,
impl<I, K, V> Index<I> for TiSlice<K, V>where
I: TiSliceIndex<K, V>,
Source§impl<I, K, V> IndexMut<I> for TiSlice<K, V>where
I: TiSliceIndex<K, V>,
impl<I, K, V> IndexMut<I> for TiSlice<K, V>where
I: TiSliceIndex<K, V>,
Source§impl<'a, K, V> IntoIterator for &'a TiSlice<K, V>
impl<'a, K, V> IntoIterator for &'a TiSlice<K, V>
Source§impl<'a, K, V> IntoIterator for &'a mut TiSlice<K, V>
impl<'a, K, V> IntoIterator for &'a mut TiSlice<K, V>
Source§impl<K, V> IntoIterator for Box<TiSlice<K, V>>
impl<K, V> IntoIterator for Box<TiSlice<K, V>>
Source§impl<'a, K, A, B> PartialEq<&'a TiSlice<K, B>> for TiVec<K, A>where
A: PartialEq<B>,
Available on crate feature alloc
only.
impl<'a, K, A, B> PartialEq<&'a TiSlice<K, B>> for TiVec<K, A>where
A: PartialEq<B>,
alloc
only.Source§impl<'a, K, A, B> PartialEq<&'a mut TiSlice<K, B>> for TiVec<K, A>where
A: PartialEq<B>,
Available on crate feature alloc
only.
impl<'a, K, A, B> PartialEq<&'a mut TiSlice<K, B>> for TiVec<K, A>where
A: PartialEq<B>,
alloc
only.Source§impl<K, A, B> PartialEq<TiSlice<K, B>> for TiVec<K, A>where
A: PartialEq<B>,
Available on crate feature alloc
only.
impl<K, A, B> PartialEq<TiSlice<K, B>> for TiVec<K, A>where
A: PartialEq<B>,
alloc
only.Source§impl<K, A, B> PartialEq<TiVec<K, B>> for &TiSlice<K, A>where
A: PartialEq<B>,
Available on crate feature alloc
only.
impl<K, A, B> PartialEq<TiVec<K, B>> for &TiSlice<K, A>where
A: PartialEq<B>,
alloc
only.Source§impl<K, A, B> PartialEq<TiVec<K, B>> for &mut TiSlice<K, A>where
A: PartialEq<B>,
Available on crate feature alloc
only.
impl<K, A, B> PartialEq<TiVec<K, B>> for &mut TiSlice<K, A>where
A: PartialEq<B>,
alloc
only.Source§impl<K, A, B> PartialEq<TiVec<K, B>> for TiSlice<K, A>where
A: PartialEq<B>,
Available on crate feature alloc
only.
impl<K, A, B> PartialEq<TiVec<K, B>> for TiSlice<K, A>where
A: PartialEq<B>,
alloc
only.Source§impl<K, V> PartialOrd for TiSlice<K, V>where
V: PartialOrd<V>,
impl<K, V> PartialOrd for TiSlice<K, V>where
V: PartialOrd<V>,
Source§impl<K> Read for &TiSlice<K, u8>
Available on crate feature std
only.Read is implemented for &TiSlice<K, u8>
by copying from the slice.
impl<K> Read for &TiSlice<K, u8>
std
only.Read is implemented for &TiSlice<K, u8>
by copying from the slice.
Note that reading updates the slice to point to the yet unread part. The slice will be empty when EOF is reached.
Source§fn read(&mut self, buf: &mut [u8]) -> IoResult<usize>
fn read(&mut self, buf: &mut [u8]) -> IoResult<usize>
Source§fn read_vectored(&mut self, bufs: &mut [IoSliceMut<'_>]) -> IoResult<usize>
fn read_vectored(&mut self, bufs: &mut [IoSliceMut<'_>]) -> IoResult<usize>
read
, except that it reads into a slice of buffers. Read moreSource§fn read_exact(&mut self, buf: &mut [u8]) -> IoResult<()>
fn read_exact(&mut self, buf: &mut [u8]) -> IoResult<()>
buf
. Read moreSource§fn read_to_end(&mut self, buf: &mut Vec<u8>) -> IoResult<usize>
fn read_to_end(&mut self, buf: &mut Vec<u8>) -> IoResult<usize>
buf
. Read moreSource§fn read_to_string(&mut self, buf: &mut String) -> IoResult<usize>
fn read_to_string(&mut self, buf: &mut String) -> IoResult<usize>
buf
. Read moreSource§fn is_read_vectored(&self) -> bool
fn is_read_vectored(&self) -> bool
can_vector
)Source§fn read_buf(&mut self, buf: BorrowedCursor<'_>) -> Result<(), Error>
fn read_buf(&mut self, buf: BorrowedCursor<'_>) -> Result<(), Error>
read_buf
)Source§fn read_buf_exact(&mut self, cursor: BorrowedCursor<'_>) -> Result<(), Error>
fn read_buf_exact(&mut self, cursor: BorrowedCursor<'_>) -> Result<(), Error>
read_buf
)cursor
. Read more1.0.0 · Source§fn by_ref(&mut self) -> &mut Selfwhere
Self: Sized,
fn by_ref(&mut self) -> &mut Selfwhere
Self: Sized,
Read
. Read moreSource§impl<K, V> Serialize for TiSlice<K, V>where
V: Serialize,
Available on crate feature serde
only.
impl<K, V> Serialize for TiSlice<K, V>where
V: Serialize,
serde
only.Source§impl<K, V: Clone> ToOwned for TiSlice<K, V>
Available on crate feature alloc
only.
impl<K, V: Clone> ToOwned for TiSlice<K, V>
alloc
only.Source§impl<K> Write for &mut TiSlice<K, u8>
Available on crate feature std
only.Write is implemented for &mut TiSlice<K, u8>
by copying into the slice,
overwriting its data.
impl<K> Write for &mut TiSlice<K, u8>
std
only.Write is implemented for &mut TiSlice<K, u8>
by copying into the slice,
overwriting its data.
Note that writing updates the slice to point to the yet unwritten part. The slice will be empty when it has been completely overwritten.
If the number of bytes to be written exceeds the size of the slice, write
operations will return short writes: ultimately, Ok(0)
; in this situation,
write_all
returns an error of kind ErrorKind::WriteZero
.
Source§fn write(&mut self, buf: &[u8]) -> IoResult<usize>
fn write(&mut self, buf: &[u8]) -> IoResult<usize>
Source§fn write_all(&mut self, buf: &[u8]) -> IoResult<()>
fn write_all(&mut self, buf: &[u8]) -> IoResult<()>
Source§fn flush(&mut self) -> IoResult<()>
fn flush(&mut self) -> IoResult<()>
Source§fn is_write_vectored(&self) -> bool
fn is_write_vectored(&self) -> bool
can_vector
)Source§fn write_all_vectored(&mut self, bufs: &mut [IoSlice<'_>]) -> Result<(), Error>
fn write_all_vectored(&mut self, bufs: &mut [IoSlice<'_>]) -> Result<(), Error>
write_all_vectored
)