1/*!
2Lower level primitive types that are useful in a variety of circumstances.
34# Overview
56This list represents the principle types in this module and briefly describes
7when you might want to use them.
89* [`PatternID`] - A type that represents the identifier of a regex pattern.
10This is probably the most widely used type in this module (which is why it's
11also re-exported in the crate root).
12* [`StateID`] - A type the represents the identifier of a finite automaton
13state. This is used for both NFAs and DFAs, with the notable exception of
14the hybrid NFA/DFA. (The hybrid NFA/DFA uses a special purpose "lazy" state
15identifier.)
16* [`SmallIndex`] - The internal representation of both a `PatternID` and a
17`StateID`. Its purpose is to serve as a type that can index memory without
18being as big as a `usize` on 64-bit targets. The main idea behind this type
19is that there are many things in regex engines that will, in practice, never
20overflow a 32-bit integer. (For example, like the number of patterns in a regex
21or the number of states in an NFA.) Thus, a `SmallIndex` can be used to index
22memory without peppering `as` casts everywhere. Moreover, it forces callers
23to handle errors in the case where, somehow, the value would otherwise overflow
24either a 32-bit integer or a `usize` (e.g., on 16-bit targets).
25* [`NonMaxUsize`] - Represents a `usize` that cannot be `usize::MAX`. As a
26result, `Option<NonMaxUsize>` has the same size in memory as a `usize`. This
27useful, for example, when representing the offsets of submatches since it
28reduces memory usage by a factor of 2. It is a legal optimization since Rust
29guarantees that slices never have a length that exceeds `isize::MAX`.
30*/
3132use core::num::NonZeroUsize;
3334#[cfg(feature = "alloc")]
35use alloc::vec::Vec;
3637use crate::util::int::{Usize, U16, U32, U64};
3839/// A `usize` that can never be `usize::MAX`.
40///
41/// This is similar to `core::num::NonZeroUsize`, but instead of not permitting
42/// a zero value, this does not permit a max value.
43///
44/// This is useful in certain contexts where one wants to optimize the memory
45/// usage of things that contain match offsets. Namely, since Rust slices
46/// are guaranteed to never have a length exceeding `isize::MAX`, we can use
47/// `usize::MAX` as a sentinel to indicate that no match was found. Indeed,
48/// types like `Option<NonMaxUsize>` have exactly the same size in memory as a
49/// `usize`.
50///
51/// This type is defined to be `repr(transparent)` for
52/// `core::num::NonZeroUsize`, which is in turn defined to be
53/// `repr(transparent)` for `usize`.
54#[derive(#[automatically_derived]
impl ::core::clone::Clone for NonMaxUsize {
#[inline]
fn clone(&self) -> NonMaxUsize {
let _: ::core::clone::AssertParamIsClone<NonZeroUsize>;
*self
}
}Clone, #[automatically_derived]
impl ::core::marker::Copy for NonMaxUsize { }Copy, #[automatically_derived]
impl ::core::cmp::Eq for NonMaxUsize {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<NonZeroUsize>;
}
}Eq, #[automatically_derived]
impl ::core::hash::Hash for NonMaxUsize {
#[inline]
fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
::core::hash::Hash::hash(&self.0, state)
}
}Hash, #[automatically_derived]
impl ::core::cmp::PartialEq for NonMaxUsize {
#[inline]
fn eq(&self, other: &NonMaxUsize) -> bool { self.0 == other.0 }
}PartialEq, #[automatically_derived]
impl ::core::cmp::PartialOrd for NonMaxUsize {
#[inline]
fn partial_cmp(&self, other: &NonMaxUsize)
-> ::core::option::Option<::core::cmp::Ordering> {
::core::cmp::PartialOrd::partial_cmp(&self.0, &other.0)
}
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Ord for NonMaxUsize {
#[inline]
fn cmp(&self, other: &NonMaxUsize) -> ::core::cmp::Ordering {
::core::cmp::Ord::cmp(&self.0, &other.0)
}
}Ord)]
55#[repr(transparent)]
56pub struct NonMaxUsize(NonZeroUsize);
5758impl NonMaxUsize {
59/// Create a new `NonMaxUsize` from the given value.
60 ///
61 /// This returns `None` only when the given value is equal to `usize::MAX`.
62#[inline]
63pub fn new(value: usize) -> Option<NonMaxUsize> {
64NonZeroUsize::new(value.wrapping_add(1)).map(NonMaxUsize)
65 }
6667/// Return the underlying `usize` value. The returned value is guaranteed
68 /// to not equal `usize::MAX`.
69#[inline]
70pub fn get(self) -> usize {
71self.0.get().wrapping_sub(1)
72 }
73}
7475// We provide our own Debug impl because seeing the internal repr can be quite
76// surprising if you aren't expecting it. e.g., 'NonMaxUsize(5)' vs just '5'.
77impl core::fmt::Debugfor NonMaxUsize {
78fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
79f.write_fmt(format_args!("{0:?}", self.get()))write!(f, "{:?}", self.get())80 }
81}
8283/// A type that represents a "small" index.
84///
85/// The main idea of this type is to provide something that can index memory,
86/// but uses less memory than `usize` on 64-bit systems. Specifically, its
87/// representation is always a `u32` and has `repr(transparent)` enabled. (So
88/// it is safe to transmute between a `u32` and a `SmallIndex`.)
89///
90/// A small index is typically useful in cases where there is no practical way
91/// that the index will overflow a 32-bit integer. A good example of this is
92/// an NFA state. If you could somehow build an NFA with `2^30` states, its
93/// memory usage would be exorbitant and its runtime execution would be so
94/// slow as to be completely worthless. Therefore, this crate generally deems
95/// it acceptable to return an error if it would otherwise build an NFA that
96/// requires a slice longer than what a 32-bit integer can index. In exchange,
97/// we can use 32-bit indices instead of 64-bit indices in various places.
98///
99/// This type ensures this by providing a constructor that will return an error
100/// if its argument cannot fit into the type. This makes it much easier to
101/// handle these sorts of boundary cases that are otherwise extremely subtle.
102///
103/// On all targets, this type guarantees that its value will fit in a `u32`,
104/// `i32`, `usize` and an `isize`. This means that on 16-bit targets, for
105/// example, this type's maximum value will never overflow an `isize`,
106/// which means it will never overflow a `i16` even though its internal
107/// representation is still a `u32`.
108///
109/// The purpose for making the type fit into even signed integer types like
110/// `isize` is to guarantee that the difference between any two small indices
111/// is itself also a small index. This is useful in certain contexts, e.g.,
112/// for delta encoding.
113///
114/// # Other types
115///
116/// The following types wrap `SmallIndex` to provide a more focused use case:
117///
118/// * [`PatternID`] is for representing the identifiers of patterns.
119/// * [`StateID`] is for representing the identifiers of states in finite
120/// automata. It is used for both NFAs and DFAs.
121///
122/// # Representation
123///
124/// This type is always represented internally by a `u32` and is marked as
125/// `repr(transparent)`. Thus, this type always has the same representation as
126/// a `u32`. It is thus safe to transmute between a `u32` and a `SmallIndex`.
127///
128/// # Indexing
129///
130/// For convenience, callers may use a `SmallIndex` to index slices.
131///
132/// # Safety
133///
134/// While a `SmallIndex` is meant to guarantee that its value fits into `usize`
135/// without using as much space as a `usize` on all targets, callers must
136/// not rely on this property for safety. Callers may choose to rely on this
137/// property for correctness however. For example, creating a `SmallIndex` with
138/// an invalid value can be done in entirely safe code. This may in turn result
139/// in panics or silent logical errors.
140#[derive(
141#[automatically_derived]
impl ::core::clone::Clone for SmallIndex {
#[inline]
fn clone(&self) -> SmallIndex {
let _: ::core::clone::AssertParamIsClone<u32>;
*self
}
}Clone, #[automatically_derived]
impl ::core::marker::Copy for SmallIndex { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for SmallIndex {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_tuple_field1_finish(f, "SmallIndex",
&&self.0)
}
}Debug, #[automatically_derived]
impl ::core::default::Default for SmallIndex {
#[inline]
fn default() -> SmallIndex {
SmallIndex(::core::default::Default::default())
}
}Default, #[automatically_derived]
impl ::core::cmp::Eq for SmallIndex {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<u32>;
}
}Eq, #[automatically_derived]
impl ::core::hash::Hash for SmallIndex {
#[inline]
fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
::core::hash::Hash::hash(&self.0, state)
}
}Hash, #[automatically_derived]
impl ::core::cmp::PartialEq for SmallIndex {
#[inline]
fn eq(&self, other: &SmallIndex) -> bool { self.0 == other.0 }
}PartialEq, #[automatically_derived]
impl ::core::cmp::PartialOrd for SmallIndex {
#[inline]
fn partial_cmp(&self, other: &SmallIndex)
-> ::core::option::Option<::core::cmp::Ordering> {
::core::cmp::PartialOrd::partial_cmp(&self.0, &other.0)
}
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Ord for SmallIndex {
#[inline]
fn cmp(&self, other: &SmallIndex) -> ::core::cmp::Ordering {
::core::cmp::Ord::cmp(&self.0, &other.0)
}
}Ord,
142)]
143#[repr(transparent)]
144pub struct SmallIndex(u32);
145146impl SmallIndex {
147/// The maximum index value.
148#[cfg(any(target_pointer_width = "32", target_pointer_width = "64"))]
149pub const MAX: SmallIndex =
150// FIXME: Use as_usize() once const functions in traits are stable.
151SmallIndex::new_unchecked(core::i32::MAXas usize - 1);
152153/// The maximum index value.
154#[cfg(target_pointer_width = "16")]
155pub const MAX: SmallIndex =
156 SmallIndex::new_unchecked(core::isize::MAX - 1);
157158/// The total number of values that can be represented as a small index.
159pub const LIMIT: usize = SmallIndex::MAX.as_usize() + 1;
160161/// The zero index value.
162pub const ZERO: SmallIndex = SmallIndex::new_unchecked(0);
163164/// The number of bytes that a single small index uses in memory.
165pub const SIZE: usize = core::mem::size_of::<SmallIndex>();
166167/// Create a new small index.
168 ///
169 /// If the given index exceeds [`SmallIndex::MAX`], then this returns
170 /// an error.
171#[inline]
172pub fn new(index: usize) -> Result<SmallIndex, SmallIndexError> {
173SmallIndex::try_from(index)
174 }
175176/// Create a new small index without checking whether the given value
177 /// exceeds [`SmallIndex::MAX`].
178 ///
179 /// Using this routine with an invalid index value will result in
180 /// unspecified behavior, but *not* undefined behavior. In particular, an
181 /// invalid index value is likely to cause panics or possibly even silent
182 /// logical errors.
183 ///
184 /// Callers must never rely on a `SmallIndex` to be within a certain range
185 /// for memory safety.
186#[inline]
187pub const fn new_unchecked(index: usize) -> SmallIndex {
188// FIXME: Use as_u32() once const functions in traits are stable.
189SmallIndex(indexas u32)
190 }
191192/// Like [`SmallIndex::new`], but panics if the given index is not valid.
193#[inline]
194pub fn must(index: usize) -> SmallIndex {
195SmallIndex::new(index).expect("invalid small index")
196 }
197198/// Return this small index as a `usize`. This is guaranteed to never
199 /// overflow `usize`.
200#[inline]
201pub const fn as_usize(&self) -> usize {
202// FIXME: Use as_usize() once const functions in traits are stable.
203self.0 as usize204 }
205206/// Return this small index as a `u64`. This is guaranteed to never
207 /// overflow.
208#[inline]
209pub const fn as_u64(&self) -> u64 {
210// FIXME: Use u64::from() once const functions in traits are stable.
211self.0 as u64212 }
213214/// Return the internal `u32` of this small index. This is guaranteed to
215 /// never overflow `u32`.
216#[inline]
217pub const fn as_u32(&self) -> u32 {
218self.0
219}
220221/// Return the internal `u32` of this small index represented as an `i32`.
222 /// This is guaranteed to never overflow an `i32`.
223#[inline]
224pub const fn as_i32(&self) -> i32 {
225// This is OK because we guarantee that our max value is <= i32::MAX.
226self.0 as i32227 }
228229/// Returns one more than this small index as a usize.
230 ///
231 /// Since a small index has constraints on its maximum value, adding `1` to
232 /// it will always fit in a `usize`, `u32` and a `i32`.
233#[inline]
234pub fn one_more(&self) -> usize {
235self.as_usize() + 1
236}
237238/// Decode this small index from the bytes given using the native endian
239 /// byte order for the current target.
240 ///
241 /// If the decoded integer is not representable as a small index for the
242 /// current target, then this returns an error.
243#[inline]
244pub fn from_ne_bytes(
245 bytes: [u8; 4],
246 ) -> Result<SmallIndex, SmallIndexError> {
247let id = u32::from_ne_bytes(bytes);
248if id > SmallIndex::MAX.as_u32() {
249return Err(SmallIndexError { attempted: u64::from(id) });
250 }
251Ok(SmallIndex::new_unchecked(id.as_usize()))
252 }
253254/// Decode this small index from the bytes given using the native endian
255 /// byte order for the current target.
256 ///
257 /// This is analogous to [`SmallIndex::new_unchecked`] in that is does not
258 /// check whether the decoded integer is representable as a small index.
259#[inline]
260pub fn from_ne_bytes_unchecked(bytes: [u8; 4]) -> SmallIndex {
261SmallIndex::new_unchecked(u32::from_ne_bytes(bytes).as_usize())
262 }
263264/// Return the underlying small index integer as raw bytes in native endian
265 /// format.
266#[inline]
267pub fn to_ne_bytes(&self) -> [u8; 4] {
268self.0.to_ne_bytes()
269 }
270}
271272impl<T> core::ops::Index<SmallIndex> for [T] {
273type Output = T;
274275#[inline]
276fn index(&self, index: SmallIndex) -> &T {
277&self[index.as_usize()]
278 }
279}
280281impl<T> core::ops::IndexMut<SmallIndex> for [T] {
282#[inline]
283fn index_mut(&mut self, index: SmallIndex) -> &mut T {
284&mut self[index.as_usize()]
285 }
286}
287288#[cfg(feature = "alloc")]
289impl<T> core::ops::Index<SmallIndex> for Vec<T> {
290type Output = T;
291292#[inline]
293fn index(&self, index: SmallIndex) -> &T {
294&self[index.as_usize()]
295 }
296}
297298#[cfg(feature = "alloc")]
299impl<T> core::ops::IndexMut<SmallIndex> for Vec<T> {
300#[inline]
301fn index_mut(&mut self, index: SmallIndex) -> &mut T {
302&mut self[index.as_usize()]
303 }
304}
305306impl From<u8> for SmallIndex {
307fn from(index: u8) -> SmallIndex {
308SmallIndex::new_unchecked(usize::from(index))
309 }
310}
311312impl TryFrom<u16> for SmallIndex {
313type Error = SmallIndexError;
314315fn try_from(index: u16) -> Result<SmallIndex, SmallIndexError> {
316if u32::from(index) > SmallIndex::MAX.as_u32() {
317return Err(SmallIndexError { attempted: u64::from(index) });
318 }
319Ok(SmallIndex::new_unchecked(index.as_usize()))
320 }
321}
322323impl TryFrom<u32> for SmallIndex {
324type Error = SmallIndexError;
325326fn try_from(index: u32) -> Result<SmallIndex, SmallIndexError> {
327if index > SmallIndex::MAX.as_u32() {
328return Err(SmallIndexError { attempted: u64::from(index) });
329 }
330Ok(SmallIndex::new_unchecked(index.as_usize()))
331 }
332}
333334impl TryFrom<u64> for SmallIndex {
335type Error = SmallIndexError;
336337fn try_from(index: u64) -> Result<SmallIndex, SmallIndexError> {
338if index > SmallIndex::MAX.as_u64() {
339return Err(SmallIndexError { attempted: index });
340 }
341Ok(SmallIndex::new_unchecked(index.as_usize()))
342 }
343}
344345impl TryFrom<usize> for SmallIndex {
346type Error = SmallIndexError;
347348fn try_from(index: usize) -> Result<SmallIndex, SmallIndexError> {
349if index > SmallIndex::MAX.as_usize() {
350return Err(SmallIndexError { attempted: index.as_u64() });
351 }
352Ok(SmallIndex::new_unchecked(index))
353 }
354}
355356#[cfg(test)]
357impl quickcheck::Arbitrary for SmallIndex {
358fn arbitrary(gen: &mut quickcheck::Gen) -> SmallIndex {
359use core::cmp::max;
360361let id = max(i32::MIN + 1, i32::arbitrary(gen)).abs();
362if id > SmallIndex::MAX.as_i32() {
363 SmallIndex::MAX
364 } else {
365 SmallIndex::new(usize::try_from(id).unwrap()).unwrap()
366 }
367 }
368}
369370/// This error occurs when a small index could not be constructed.
371///
372/// This occurs when given an integer exceeding the maximum small index value.
373///
374/// When the `std` feature is enabled, this implements the `Error` trait.
375#[derive(#[automatically_derived]
impl ::core::clone::Clone for SmallIndexError {
#[inline]
fn clone(&self) -> SmallIndexError {
SmallIndexError {
attempted: ::core::clone::Clone::clone(&self.attempted),
}
}
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for SmallIndexError {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field1_finish(f,
"SmallIndexError", "attempted", &&self.attempted)
}
}Debug, #[automatically_derived]
impl ::core::cmp::Eq for SmallIndexError {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<u64>;
}
}Eq, #[automatically_derived]
impl ::core::cmp::PartialEq for SmallIndexError {
#[inline]
fn eq(&self, other: &SmallIndexError) -> bool {
self.attempted == other.attempted
}
}PartialEq)]
376pub struct SmallIndexError {
377 attempted: u64,
378}
379380impl SmallIndexError {
381/// Returns the value that could not be converted to a small index.
382pub fn attempted(&self) -> u64 {
383self.attempted
384 }
385}
386387#[cfg(feature = "std")]
388impl std::error::Errorfor SmallIndexError {}
389390impl core::fmt::Displayfor SmallIndexError {
391fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
392f.write_fmt(format_args!("failed to create small index from {0:?}, which exceeds {1:?}",
self.attempted(), SmallIndex::MAX))write!(
393f,
394"failed to create small index from {:?}, which exceeds {:?}",
395self.attempted(),
396 SmallIndex::MAX,
397 )398 }
399}
400401#[derive(#[automatically_derived]
impl ::core::clone::Clone for SmallIndexIter {
#[inline]
fn clone(&self) -> SmallIndexIter {
SmallIndexIter { rng: ::core::clone::Clone::clone(&self.rng) }
}
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for SmallIndexIter {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field1_finish(f,
"SmallIndexIter", "rng", &&self.rng)
}
}Debug)]
402pub(crate) struct SmallIndexIter {
403 rng: core::ops::Range<usize>,
404}
405406impl Iteratorfor SmallIndexIter {
407type Item = SmallIndex;
408409fn next(&mut self) -> Option<SmallIndex> {
410if self.rng.start >= self.rng.end {
411return None;
412 }
413let next_id = self.rng.start + 1;
414let id = core::mem::replace(&mut self.rng.start, next_id);
415// new_unchecked is OK since we asserted that the number of
416 // elements in this iterator will fit in an ID at construction.
417Some(SmallIndex::new_unchecked(id))
418 }
419}
420421macro_rules! index_type_impls {
422 ($name:ident, $err:ident, $iter:ident, $withiter:ident) => {
423impl $name {
424/// The maximum value.
425pub const MAX: $name = $name(SmallIndex::MAX);
426427/// The total number of values that can be represented.
428pub const LIMIT: usize = SmallIndex::LIMIT;
429430/// The zero value.
431pub const ZERO: $name = $name(SmallIndex::ZERO);
432433/// The number of bytes that a single value uses in memory.
434pub const SIZE: usize = SmallIndex::SIZE;
435436/// Create a new value that is represented by a "small index."
437 ///
438 /// If the given index exceeds the maximum allowed value, then this
439 /// returns an error.
440#[inline]
441pub fn new(value: usize) -> Result<$name, $err> {
442 SmallIndex::new(value).map($name).map_err($err)
443 }
444445/// Create a new value without checking whether the given argument
446 /// exceeds the maximum.
447 ///
448 /// Using this routine with an invalid value will result in
449 /// unspecified behavior, but *not* undefined behavior. In
450 /// particular, an invalid ID value is likely to cause panics or
451 /// possibly even silent logical errors.
452 ///
453 /// Callers must never rely on this type to be within a certain
454 /// range for memory safety.
455#[inline]
456pub const fn new_unchecked(value: usize) -> $name {
457$name(SmallIndex::new_unchecked(value))
458 }
459460/// Like `new`, but panics if the given value is not valid.
461#[inline]
462pub fn must(value: usize) -> $name {
463$name::new(value).expect(concat!(
464"invalid ",
465stringify!($name),
466" value"
467))
468 }
469470/// Return the internal value as a `usize`. This is guaranteed to
471 /// never overflow `usize`.
472#[inline]
473pub const fn as_usize(&self) -> usize {
474self.0.as_usize()
475 }
476477/// Return the internal value as a `u64`. This is guaranteed to
478 /// never overflow.
479#[inline]
480pub const fn as_u64(&self) -> u64 {
481self.0.as_u64()
482 }
483484/// Return the internal value as a `u32`. This is guaranteed to
485 /// never overflow `u32`.
486#[inline]
487pub const fn as_u32(&self) -> u32 {
488self.0.as_u32()
489 }
490491/// Return the internal value as a i32`. This is guaranteed to
492 /// never overflow an `i32`.
493#[inline]
494pub const fn as_i32(&self) -> i32 {
495self.0.as_i32()
496 }
497498/// Returns one more than this value as a usize.
499 ///
500 /// Since values represented by a "small index" have constraints
501 /// on their maximum value, adding `1` to it will always fit in a
502 /// `usize`, `u32` and a `i32`.
503#[inline]
504pub fn one_more(&self) -> usize {
505self.0.one_more()
506 }
507508/// Decode this value from the bytes given using the native endian
509 /// byte order for the current target.
510 ///
511 /// If the decoded integer is not representable as a small index
512 /// for the current target, then this returns an error.
513#[inline]
514pub fn from_ne_bytes(bytes: [u8; 4]) -> Result<$name, $err> {
515 SmallIndex::from_ne_bytes(bytes).map($name).map_err($err)
516 }
517518/// Decode this value from the bytes given using the native endian
519 /// byte order for the current target.
520 ///
521 /// This is analogous to `new_unchecked` in that is does not check
522 /// whether the decoded integer is representable as a small index.
523#[inline]
524pub fn from_ne_bytes_unchecked(bytes: [u8; 4]) -> $name {
525$name(SmallIndex::from_ne_bytes_unchecked(bytes))
526 }
527528/// Return the underlying integer as raw bytes in native endian
529 /// format.
530#[inline]
531pub fn to_ne_bytes(&self) -> [u8; 4] {
532self.0.to_ne_bytes()
533 }
534535/// Returns an iterator over all values from 0 up to and not
536 /// including the given length.
537 ///
538 /// If the given length exceeds this type's limit, then this
539 /// panics.
540pub(crate) fn iter(len: usize) -> $iter {
541$iter::new(len)
542 }
543 }
544545// We write our own Debug impl so that we get things like PatternID(5)
546 // instead of PatternID(SmallIndex(5)).
547impl core::fmt::Debug for $name {
548fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
549 f.debug_tuple(stringify!($name)).field(&self.as_u32()).finish()
550 }
551 }
552553impl<T> core::ops::Index<$name> for [T] {
554type Output = T;
555556#[inline]
557fn index(&self, index: $name) -> &T {
558&self[index.as_usize()]
559 }
560 }
561562impl<T> core::ops::IndexMut<$name> for [T] {
563#[inline]
564fn index_mut(&mut self, index: $name) -> &mut T {
565&mut self[index.as_usize()]
566 }
567 }
568569#[cfg(feature = "alloc")]
570impl<T> core::ops::Index<$name> for Vec<T> {
571type Output = T;
572573#[inline]
574fn index(&self, index: $name) -> &T {
575&self[index.as_usize()]
576 }
577 }
578579#[cfg(feature = "alloc")]
580impl<T> core::ops::IndexMut<$name> for Vec<T> {
581#[inline]
582fn index_mut(&mut self, index: $name) -> &mut T {
583&mut self[index.as_usize()]
584 }
585 }
586587impl From<u8> for $name {
588fn from(value: u8) -> $name {
589$name(SmallIndex::from(value))
590 }
591 }
592593impl TryFrom<u16> for $name {
594type Error = $err;
595596fn try_from(value: u16) -> Result<$name, $err> {
597 SmallIndex::try_from(value).map($name).map_err($err)
598 }
599 }
600601impl TryFrom<u32> for $name {
602type Error = $err;
603604fn try_from(value: u32) -> Result<$name, $err> {
605 SmallIndex::try_from(value).map($name).map_err($err)
606 }
607 }
608609impl TryFrom<u64> for $name {
610type Error = $err;
611612fn try_from(value: u64) -> Result<$name, $err> {
613 SmallIndex::try_from(value).map($name).map_err($err)
614 }
615 }
616617impl TryFrom<usize> for $name {
618type Error = $err;
619620fn try_from(value: usize) -> Result<$name, $err> {
621 SmallIndex::try_from(value).map($name).map_err($err)
622 }
623 }
624625#[cfg(test)]
626impl quickcheck::Arbitrary for $name {
627fn arbitrary(gen: &mut quickcheck::Gen) -> $name {
628$name(SmallIndex::arbitrary(gen))
629 }
630 }
631632/// This error occurs when a value could not be constructed.
633 ///
634 /// This occurs when given an integer exceeding the maximum allowed
635 /// value.
636 ///
637 /// When the `std` feature is enabled, this implements the `Error`
638 /// trait.
639#[derive(Clone, Debug, Eq, PartialEq)]
640pub struct $err(SmallIndexError);
641642impl $err {
643/// Returns the value that could not be converted to an ID.
644pub fn attempted(&self) -> u64 {
645self.0.attempted()
646 }
647 }
648649#[cfg(feature = "std")]
650impl std::error::Error for $err {}
651652impl core::fmt::Display for $err {
653fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
654write!(
655 f,
656"failed to create {} from {:?}, which exceeds {:?}",
657stringify!($name),
658self.attempted(),
659$name::MAX,
660 )
661 }
662 }
663664#[derive(Clone, Debug)]
665pub(crate) struct $iter(SmallIndexIter);
666667impl $iter {
668fn new(len: usize) -> $iter {
669assert!(
670 len <= $name::LIMIT,
671"cannot create iterator for {} when number of \
672 elements exceed {:?}",
673stringify!($name),
674$name::LIMIT,
675 );
676$iter(SmallIndexIter { rng: 0..len })
677 }
678 }
679680impl Iterator for $iter {
681type Item = $name;
682683fn next(&mut self) -> Option<$name> {
684self.0.next().map($name)
685 }
686 }
687688/// An iterator adapter that is like std::iter::Enumerate, but attaches
689 /// small index values instead. It requires `ExactSizeIterator`. At
690 /// construction, it ensures that the index of each element in the
691 /// iterator is representable in the corresponding small index type.
692#[derive(Clone, Debug)]
693pub(crate) struct $withiter<I> {
694 it: I,
695 ids: $iter,
696 }
697698impl<I: Iterator + ExactSizeIterator> $withiter<I> {
699fn new(it: I) -> $withiter<I> {
700let ids = $name::iter(it.len());
701$withiter { it, ids }
702 }
703 }
704705impl<I: Iterator + ExactSizeIterator> Iterator for $withiter<I> {
706type Item = ($name, I::Item);
707708fn next(&mut self) -> Option<($name, I::Item)> {
709let item = self.it.next()?;
710// Number of elements in this iterator must match, according
711 // to contract of ExactSizeIterator.
712let id = self.ids.next().unwrap();
713Some((id, item))
714 }
715 }
716 };
717}
718719/// The identifier of a regex pattern, represented by a [`SmallIndex`].
720///
721/// The identifier for a pattern corresponds to its relative position among
722/// other patterns in a single finite state machine. Namely, when building
723/// a multi-pattern regex engine, one must supply a sequence of patterns to
724/// match. The position (starting at 0) of each pattern in that sequence
725/// represents its identifier. This identifier is in turn used to identify and
726/// report matches of that pattern in various APIs.
727///
728/// See the [`SmallIndex`] type for more information about what it means for
729/// a pattern ID to be a "small index."
730///
731/// Note that this type is defined in the
732/// [`util::primitives`](crate::util::primitives) module, but it is also
733/// re-exported at the crate root due to how common it is.
734#[derive(#[automatically_derived]
impl ::core::clone::Clone for PatternID {
#[inline]
fn clone(&self) -> PatternID {
let _: ::core::clone::AssertParamIsClone<SmallIndex>;
*self
}
}Clone, #[automatically_derived]
impl ::core::marker::Copy for PatternID { }Copy, #[automatically_derived]
impl ::core::default::Default for PatternID {
#[inline]
fn default() -> PatternID {
PatternID(::core::default::Default::default())
}
}Default, #[automatically_derived]
impl ::core::cmp::Eq for PatternID {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<SmallIndex>;
}
}Eq, #[automatically_derived]
impl ::core::hash::Hash for PatternID {
#[inline]
fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
::core::hash::Hash::hash(&self.0, state)
}
}Hash, #[automatically_derived]
impl ::core::cmp::PartialEq for PatternID {
#[inline]
fn eq(&self, other: &PatternID) -> bool { self.0 == other.0 }
}PartialEq, #[automatically_derived]
impl ::core::cmp::PartialOrd for PatternID {
#[inline]
fn partial_cmp(&self, other: &PatternID)
-> ::core::option::Option<::core::cmp::Ordering> {
::core::cmp::PartialOrd::partial_cmp(&self.0, &other.0)
}
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Ord for PatternID {
#[inline]
fn cmp(&self, other: &PatternID) -> ::core::cmp::Ordering {
::core::cmp::Ord::cmp(&self.0, &other.0)
}
}Ord)]
735#[repr(transparent)]
736pub struct PatternID(SmallIndex);
737738/// The identifier of a finite automaton state, represented by a
739/// [`SmallIndex`].
740///
741/// Most regex engines in this crate are built on top of finite automata. Each
742/// state in a finite automaton defines transitions from its state to another.
743/// Those transitions point to other states via their identifiers, i.e., a
744/// `StateID`. Since finite automata tend to contain many transitions, it is
745/// much more memory efficient to define state IDs as small indices.
746///
747/// See the [`SmallIndex`] type for more information about what it means for
748/// a state ID to be a "small index."
749#[derive(#[automatically_derived]
impl ::core::clone::Clone for StateID {
#[inline]
fn clone(&self) -> StateID {
let _: ::core::clone::AssertParamIsClone<SmallIndex>;
*self
}
}Clone, #[automatically_derived]
impl ::core::marker::Copy for StateID { }Copy, #[automatically_derived]
impl ::core::default::Default for StateID {
#[inline]
fn default() -> StateID { StateID(::core::default::Default::default()) }
}Default, #[automatically_derived]
impl ::core::cmp::Eq for StateID {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<SmallIndex>;
}
}Eq, #[automatically_derived]
impl ::core::hash::Hash for StateID {
#[inline]
fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
::core::hash::Hash::hash(&self.0, state)
}
}Hash, #[automatically_derived]
impl ::core::cmp::PartialEq for StateID {
#[inline]
fn eq(&self, other: &StateID) -> bool { self.0 == other.0 }
}PartialEq, #[automatically_derived]
impl ::core::cmp::PartialOrd for StateID {
#[inline]
fn partial_cmp(&self, other: &StateID)
-> ::core::option::Option<::core::cmp::Ordering> {
::core::cmp::PartialOrd::partial_cmp(&self.0, &other.0)
}
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Ord for StateID {
#[inline]
fn cmp(&self, other: &StateID) -> ::core::cmp::Ordering {
::core::cmp::Ord::cmp(&self.0, &other.0)
}
}Ord)]
750#[repr(transparent)]
751pub struct StateID(SmallIndex);
752753impl PatternID {
/// The maximum value.
pub const MAX: PatternID = PatternID(SmallIndex::MAX);
/// The total number of values that can be represented.
pub const LIMIT: usize = SmallIndex::LIMIT;
/// The zero value.
pub const ZERO: PatternID = PatternID(SmallIndex::ZERO);
/// The number of bytes that a single value uses in memory.
pub const SIZE: usize = SmallIndex::SIZE;
/// Create a new value that is represented by a "small index."
///
/// If the given index exceeds the maximum allowed value, then this
/// returns an error.
#[inline]
pub fn new(value: usize) -> Result<PatternID, PatternIDError> {
SmallIndex::new(value).map(PatternID).map_err(PatternIDError)
}
/// Create a new value without checking whether the given argument
/// exceeds the maximum.
///
/// Using this routine with an invalid value will result in
/// unspecified behavior, but *not* undefined behavior. In
/// particular, an invalid ID value is likely to cause panics or
/// possibly even silent logical errors.
///
/// Callers must never rely on this type to be within a certain
/// range for memory safety.
#[inline]
pub const fn new_unchecked(value: usize) -> PatternID {
PatternID(SmallIndex::new_unchecked(value))
}
/// Like `new`, but panics if the given value is not valid.
#[inline]
pub fn must(value: usize) -> PatternID {
PatternID::new(value).expect("invalid PatternID value")
}
/// Return the internal value as a `usize`. This is guaranteed to
/// never overflow `usize`.
#[inline]
pub const fn as_usize(&self) -> usize { self.0.as_usize() }
/// Return the internal value as a `u64`. This is guaranteed to
/// never overflow.
#[inline]
pub const fn as_u64(&self) -> u64 { self.0.as_u64() }
/// Return the internal value as a `u32`. This is guaranteed to
/// never overflow `u32`.
#[inline]
pub const fn as_u32(&self) -> u32 { self.0.as_u32() }
/// Return the internal value as a i32`. This is guaranteed to
/// never overflow an `i32`.
#[inline]
pub const fn as_i32(&self) -> i32 { self.0.as_i32() }
/// Returns one more than this value as a usize.
///
/// Since values represented by a "small index" have constraints
/// on their maximum value, adding `1` to it will always fit in a
/// `usize`, `u32` and a `i32`.
#[inline]
pub fn one_more(&self) -> usize { self.0.one_more() }
/// Decode this value from the bytes given using the native endian
/// byte order for the current target.
///
/// If the decoded integer is not representable as a small index
/// for the current target, then this returns an error.
#[inline]
pub fn from_ne_bytes(bytes: [u8; 4])
-> Result<PatternID, PatternIDError> {
SmallIndex::from_ne_bytes(bytes).map(PatternID).map_err(PatternIDError)
}
/// Decode this value from the bytes given using the native endian
/// byte order for the current target.
///
/// This is analogous to `new_unchecked` in that is does not check
/// whether the decoded integer is representable as a small index.
#[inline]
pub fn from_ne_bytes_unchecked(bytes: [u8; 4]) -> PatternID {
PatternID(SmallIndex::from_ne_bytes_unchecked(bytes))
}
/// Return the underlying integer as raw bytes in native endian
/// format.
#[inline]
pub fn to_ne_bytes(&self) -> [u8; 4] { self.0.to_ne_bytes() }
/// Returns an iterator over all values from 0 up to and not
/// including the given length.
///
/// If the given length exceeds this type's limit, then this
/// panics.
pub(crate) fn iter(len: usize) -> PatternIDIter {
PatternIDIter::new(len)
}
}
impl core::fmt::Debug for PatternID {
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
f.debug_tuple("PatternID").field(&self.as_u32()).finish()
}
}
impl<T> core::ops::Index<PatternID> for [T] {
type Output = T;
#[inline]
fn index(&self, index: PatternID) -> &T { &self[index.as_usize()] }
}
impl<T> core::ops::IndexMut<PatternID> for [T] {
#[inline]
fn index_mut(&mut self, index: PatternID) -> &mut T {
&mut self[index.as_usize()]
}
}
impl<T> core::ops::Index<PatternID> for Vec<T> {
type Output = T;
#[inline]
fn index(&self, index: PatternID) -> &T { &self[index.as_usize()] }
}
impl<T> core::ops::IndexMut<PatternID> for Vec<T> {
#[inline]
fn index_mut(&mut self, index: PatternID) -> &mut T {
&mut self[index.as_usize()]
}
}
impl From<u8> for PatternID {
fn from(value: u8) -> PatternID { PatternID(SmallIndex::from(value)) }
}
impl TryFrom<u16> for PatternID {
type Error = PatternIDError;
fn try_from(value: u16) -> Result<PatternID, PatternIDError> {
SmallIndex::try_from(value).map(PatternID).map_err(PatternIDError)
}
}
impl TryFrom<u32> for PatternID {
type Error = PatternIDError;
fn try_from(value: u32) -> Result<PatternID, PatternIDError> {
SmallIndex::try_from(value).map(PatternID).map_err(PatternIDError)
}
}
impl TryFrom<u64> for PatternID {
type Error = PatternIDError;
fn try_from(value: u64) -> Result<PatternID, PatternIDError> {
SmallIndex::try_from(value).map(PatternID).map_err(PatternIDError)
}
}
impl TryFrom<usize> for PatternID {
type Error = PatternIDError;
fn try_from(value: usize) -> Result<PatternID, PatternIDError> {
SmallIndex::try_from(value).map(PatternID).map_err(PatternIDError)
}
}
/// This error occurs when a value could not be constructed.
///
/// This occurs when given an integer exceeding the maximum allowed
/// value.
///
/// When the `std` feature is enabled, this implements the `Error`
/// trait.
pub struct PatternIDError(SmallIndexError);
#[automatically_derived]
impl ::core::clone::Clone for PatternIDError {
#[inline]
fn clone(&self) -> PatternIDError {
PatternIDError(::core::clone::Clone::clone(&self.0))
}
}
#[automatically_derived]
impl ::core::fmt::Debug for PatternIDError {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_tuple_field1_finish(f, "PatternIDError",
&&self.0)
}
}
#[automatically_derived]
impl ::core::cmp::Eq for PatternIDError {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<SmallIndexError>;
}
}
#[automatically_derived]
impl ::core::marker::StructuralPartialEq for PatternIDError { }
#[automatically_derived]
impl ::core::cmp::PartialEq for PatternIDError {
#[inline]
fn eq(&self, other: &PatternIDError) -> bool { self.0 == other.0 }
}
impl PatternIDError {
/// Returns the value that could not be converted to an ID.
pub fn attempted(&self) -> u64 { self.0.attempted() }
}
impl std::error::Error for PatternIDError { }
impl core::fmt::Display for PatternIDError {
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
f.write_fmt(format_args!("failed to create {0} from {1:?}, which exceeds {2:?}",
"PatternID", self.attempted(), PatternID::MAX))
}
}
pub(crate) struct PatternIDIter(SmallIndexIter);
#[automatically_derived]
impl ::core::clone::Clone for PatternIDIter {
#[inline]
fn clone(&self) -> PatternIDIter {
PatternIDIter(::core::clone::Clone::clone(&self.0))
}
}
#[automatically_derived]
impl ::core::fmt::Debug for PatternIDIter {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_tuple_field1_finish(f, "PatternIDIter",
&&self.0)
}
}
impl PatternIDIter {
fn new(len: usize) -> PatternIDIter {
if !(len <= PatternID::LIMIT) {
{
::core::panicking::panic_fmt(format_args!("cannot create iterator for {0} when number of elements exceed {1:?}",
"PatternID", PatternID::LIMIT));
}
};
PatternIDIter(SmallIndexIter { rng: 0..len })
}
}
impl Iterator for PatternIDIter {
type Item = PatternID;
fn next(&mut self) -> Option<PatternID> { self.0.next().map(PatternID) }
}
/// An iterator adapter that is like std::iter::Enumerate, but attaches
/// small index values instead. It requires `ExactSizeIterator`. At
/// construction, it ensures that the index of each element in the
/// iterator is representable in the corresponding small index type.
pub(crate) struct WithPatternIDIter<I> {
it: I,
ids: PatternIDIter,
}
#[automatically_derived]
impl<I: ::core::clone::Clone> ::core::clone::Clone for WithPatternIDIter<I> {
#[inline]
fn clone(&self) -> WithPatternIDIter<I> {
WithPatternIDIter {
it: ::core::clone::Clone::clone(&self.it),
ids: ::core::clone::Clone::clone(&self.ids),
}
}
}
#[automatically_derived]
impl<I: ::core::fmt::Debug> ::core::fmt::Debug for WithPatternIDIter<I> {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field2_finish(f,
"WithPatternIDIter", "it", &self.it, "ids", &&self.ids)
}
}
impl<I: Iterator + ExactSizeIterator> WithPatternIDIter<I> {
fn new(it: I) -> WithPatternIDIter<I> {
let ids = PatternID::iter(it.len());
WithPatternIDIter { it, ids }
}
}
impl<I: Iterator + ExactSizeIterator> Iterator for WithPatternIDIter<I> {
type Item = (PatternID, I::Item);
fn next(&mut self) -> Option<(PatternID, I::Item)> {
let item = self.it.next()?;
let id = self.ids.next().unwrap();
Some((id, item))
}
}index_type_impls!(PatternID, PatternIDError, PatternIDIter, WithPatternIDIter);
754impl StateID {
/// The maximum value.
pub const MAX: StateID = StateID(SmallIndex::MAX);
/// The total number of values that can be represented.
pub const LIMIT: usize = SmallIndex::LIMIT;
/// The zero value.
pub const ZERO: StateID = StateID(SmallIndex::ZERO);
/// The number of bytes that a single value uses in memory.
pub const SIZE: usize = SmallIndex::SIZE;
/// Create a new value that is represented by a "small index."
///
/// If the given index exceeds the maximum allowed value, then this
/// returns an error.
#[inline]
pub fn new(value: usize) -> Result<StateID, StateIDError> {
SmallIndex::new(value).map(StateID).map_err(StateIDError)
}
/// Create a new value without checking whether the given argument
/// exceeds the maximum.
///
/// Using this routine with an invalid value will result in
/// unspecified behavior, but *not* undefined behavior. In
/// particular, an invalid ID value is likely to cause panics or
/// possibly even silent logical errors.
///
/// Callers must never rely on this type to be within a certain
/// range for memory safety.
#[inline]
pub const fn new_unchecked(value: usize) -> StateID {
StateID(SmallIndex::new_unchecked(value))
}
/// Like `new`, but panics if the given value is not valid.
#[inline]
pub fn must(value: usize) -> StateID {
StateID::new(value).expect("invalid StateID value")
}
/// Return the internal value as a `usize`. This is guaranteed to
/// never overflow `usize`.
#[inline]
pub const fn as_usize(&self) -> usize { self.0.as_usize() }
/// Return the internal value as a `u64`. This is guaranteed to
/// never overflow.
#[inline]
pub const fn as_u64(&self) -> u64 { self.0.as_u64() }
/// Return the internal value as a `u32`. This is guaranteed to
/// never overflow `u32`.
#[inline]
pub const fn as_u32(&self) -> u32 { self.0.as_u32() }
/// Return the internal value as a i32`. This is guaranteed to
/// never overflow an `i32`.
#[inline]
pub const fn as_i32(&self) -> i32 { self.0.as_i32() }
/// Returns one more than this value as a usize.
///
/// Since values represented by a "small index" have constraints
/// on their maximum value, adding `1` to it will always fit in a
/// `usize`, `u32` and a `i32`.
#[inline]
pub fn one_more(&self) -> usize { self.0.one_more() }
/// Decode this value from the bytes given using the native endian
/// byte order for the current target.
///
/// If the decoded integer is not representable as a small index
/// for the current target, then this returns an error.
#[inline]
pub fn from_ne_bytes(bytes: [u8; 4]) -> Result<StateID, StateIDError> {
SmallIndex::from_ne_bytes(bytes).map(StateID).map_err(StateIDError)
}
/// Decode this value from the bytes given using the native endian
/// byte order for the current target.
///
/// This is analogous to `new_unchecked` in that is does not check
/// whether the decoded integer is representable as a small index.
#[inline]
pub fn from_ne_bytes_unchecked(bytes: [u8; 4]) -> StateID {
StateID(SmallIndex::from_ne_bytes_unchecked(bytes))
}
/// Return the underlying integer as raw bytes in native endian
/// format.
#[inline]
pub fn to_ne_bytes(&self) -> [u8; 4] { self.0.to_ne_bytes() }
/// Returns an iterator over all values from 0 up to and not
/// including the given length.
///
/// If the given length exceeds this type's limit, then this
/// panics.
pub(crate) fn iter(len: usize) -> StateIDIter { StateIDIter::new(len) }
}
impl core::fmt::Debug for StateID {
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
f.debug_tuple("StateID").field(&self.as_u32()).finish()
}
}
impl<T> core::ops::Index<StateID> for [T] {
type Output = T;
#[inline]
fn index(&self, index: StateID) -> &T { &self[index.as_usize()] }
}
impl<T> core::ops::IndexMut<StateID> for [T] {
#[inline]
fn index_mut(&mut self, index: StateID) -> &mut T {
&mut self[index.as_usize()]
}
}
impl<T> core::ops::Index<StateID> for Vec<T> {
type Output = T;
#[inline]
fn index(&self, index: StateID) -> &T { &self[index.as_usize()] }
}
impl<T> core::ops::IndexMut<StateID> for Vec<T> {
#[inline]
fn index_mut(&mut self, index: StateID) -> &mut T {
&mut self[index.as_usize()]
}
}
impl From<u8> for StateID {
fn from(value: u8) -> StateID { StateID(SmallIndex::from(value)) }
}
impl TryFrom<u16> for StateID {
type Error = StateIDError;
fn try_from(value: u16) -> Result<StateID, StateIDError> {
SmallIndex::try_from(value).map(StateID).map_err(StateIDError)
}
}
impl TryFrom<u32> for StateID {
type Error = StateIDError;
fn try_from(value: u32) -> Result<StateID, StateIDError> {
SmallIndex::try_from(value).map(StateID).map_err(StateIDError)
}
}
impl TryFrom<u64> for StateID {
type Error = StateIDError;
fn try_from(value: u64) -> Result<StateID, StateIDError> {
SmallIndex::try_from(value).map(StateID).map_err(StateIDError)
}
}
impl TryFrom<usize> for StateID {
type Error = StateIDError;
fn try_from(value: usize) -> Result<StateID, StateIDError> {
SmallIndex::try_from(value).map(StateID).map_err(StateIDError)
}
}
/// This error occurs when a value could not be constructed.
///
/// This occurs when given an integer exceeding the maximum allowed
/// value.
///
/// When the `std` feature is enabled, this implements the `Error`
/// trait.
pub struct StateIDError(SmallIndexError);
#[automatically_derived]
impl ::core::clone::Clone for StateIDError {
#[inline]
fn clone(&self) -> StateIDError {
StateIDError(::core::clone::Clone::clone(&self.0))
}
}
#[automatically_derived]
impl ::core::fmt::Debug for StateIDError {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_tuple_field1_finish(f, "StateIDError",
&&self.0)
}
}
#[automatically_derived]
impl ::core::cmp::Eq for StateIDError {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<SmallIndexError>;
}
}
#[automatically_derived]
impl ::core::marker::StructuralPartialEq for StateIDError { }
#[automatically_derived]
impl ::core::cmp::PartialEq for StateIDError {
#[inline]
fn eq(&self, other: &StateIDError) -> bool { self.0 == other.0 }
}
impl StateIDError {
/// Returns the value that could not be converted to an ID.
pub fn attempted(&self) -> u64 { self.0.attempted() }
}
impl std::error::Error for StateIDError { }
impl core::fmt::Display for StateIDError {
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
f.write_fmt(format_args!("failed to create {0} from {1:?}, which exceeds {2:?}",
"StateID", self.attempted(), StateID::MAX))
}
}
pub(crate) struct StateIDIter(SmallIndexIter);
#[automatically_derived]
impl ::core::clone::Clone for StateIDIter {
#[inline]
fn clone(&self) -> StateIDIter {
StateIDIter(::core::clone::Clone::clone(&self.0))
}
}
#[automatically_derived]
impl ::core::fmt::Debug for StateIDIter {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_tuple_field1_finish(f, "StateIDIter",
&&self.0)
}
}
impl StateIDIter {
fn new(len: usize) -> StateIDIter {
if !(len <= StateID::LIMIT) {
{
::core::panicking::panic_fmt(format_args!("cannot create iterator for {0} when number of elements exceed {1:?}",
"StateID", StateID::LIMIT));
}
};
StateIDIter(SmallIndexIter { rng: 0..len })
}
}
impl Iterator for StateIDIter {
type Item = StateID;
fn next(&mut self) -> Option<StateID> { self.0.next().map(StateID) }
}
/// An iterator adapter that is like std::iter::Enumerate, but attaches
/// small index values instead. It requires `ExactSizeIterator`. At
/// construction, it ensures that the index of each element in the
/// iterator is representable in the corresponding small index type.
pub(crate) struct WithStateIDIter<I> {
it: I,
ids: StateIDIter,
}
#[automatically_derived]
impl<I: ::core::clone::Clone> ::core::clone::Clone for WithStateIDIter<I> {
#[inline]
fn clone(&self) -> WithStateIDIter<I> {
WithStateIDIter {
it: ::core::clone::Clone::clone(&self.it),
ids: ::core::clone::Clone::clone(&self.ids),
}
}
}
#[automatically_derived]
impl<I: ::core::fmt::Debug> ::core::fmt::Debug for WithStateIDIter<I> {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field2_finish(f,
"WithStateIDIter", "it", &self.it, "ids", &&self.ids)
}
}
impl<I: Iterator + ExactSizeIterator> WithStateIDIter<I> {
fn new(it: I) -> WithStateIDIter<I> {
let ids = StateID::iter(it.len());
WithStateIDIter { it, ids }
}
}
impl<I: Iterator + ExactSizeIterator> Iterator for WithStateIDIter<I> {
type Item = (StateID, I::Item);
fn next(&mut self) -> Option<(StateID, I::Item)> {
let item = self.it.next()?;
let id = self.ids.next().unwrap();
Some((id, item))
}
}index_type_impls!(StateID, StateIDError, StateIDIter, WithStateIDIter);
755756/// A utility trait that defines a couple of adapters for making it convenient
757/// to access indices as "small index" types. We require ExactSizeIterator so
758/// that iterator construction can do a single check to make sure the index of
759/// each element is representable by its small index type.
760pub(crate) trait IteratorIndexExt: Iterator {
761fn with_pattern_ids(self) -> WithPatternIDIter<Self>
762where
763Self: Sized + ExactSizeIterator,
764 {
765WithPatternIDIter::new(self)
766 }
767768fn with_state_ids(self) -> WithStateIDIter<Self>
769where
770Self: Sized + ExactSizeIterator,
771 {
772WithStateIDIter::new(self)
773 }
774}
775776impl<I: Iterator> IteratorIndexExtfor I {}