Skip to main content

rustc_pattern_analysis/
constructor.rs

1//! As explained in [`crate::usefulness`], values and patterns are made from constructors applied to
2//! fields. This file defines a `Constructor` enum and various operations to manipulate them.
3//!
4//! There are two important bits of core logic in this file: constructor inclusion and constructor
5//! splitting. Constructor inclusion, i.e. whether a constructor is included in/covered by another,
6//! is straightforward and defined in [`Constructor::is_covered_by`].
7//!
8//! Constructor splitting is mentioned in [`crate::usefulness`] but not detailed. We describe it
9//! precisely here.
10//!
11//!
12//!
13//! # Constructor grouping and splitting
14//!
15//! As explained in the corresponding section in [`crate::usefulness`], to make usefulness tractable
16//! we need to group together constructors that have the same effect when they are used to
17//! specialize the matrix.
18//!
19//! Example:
20//! ```compile_fail,E0004
21//! match (0, false) {
22//!     (0 ..=100, true) => {}
23//!     (50..=150, false) => {}
24//!     (0 ..=200, _) => {}
25//! }
26//! ```
27//!
28//! In this example we can restrict specialization to 5 cases: `0..50`, `50..=100`, `101..=150`,
29//! `151..=200` and `200..`.
30//!
31//! In [`crate::usefulness`], we had said that `specialize` only takes value-only constructors. We
32//! now relax this restriction: we allow `specialize` to take constructors like `0..50` as long as
33//! we're careful to only do that with constructors that make sense. For example, `specialize(0..50,
34//! (0..=100, true))` is sensible, but `specialize(50..=200, (0..=100, true))` is not.
35//!
36//! Constructor splitting looks at the constructors in the first column of the matrix and constructs
37//! such a sensible set of constructors. Formally, we want to find a smallest disjoint set of
38//! constructors:
39//! - Whose union covers the whole type, and
40//! - That have no non-trivial intersection with any of the constructors in the column (i.e. they're
41//!     each either disjoint with or covered by any given column constructor).
42//!
43//! We compute this in two steps: first [`PatCx::ctors_for_ty`] determines the
44//! set of all possible constructors for the type. Then [`ConstructorSet::split`] looks at the
45//! column of constructors and splits the set into groups accordingly. The precise invariants of
46//! [`ConstructorSet::split`] is described in [`SplitConstructorSet`].
47//!
48//! Constructor splitting has two interesting special cases: integer range splitting (see
49//! [`IntRange::split`]) and slice splitting (see [`Slice::split`]).
50//!
51//!
52//!
53//! # The `Missing` constructor
54//!
55//! We detail a special case of constructor splitting that is a bit subtle. Take the following:
56//!
57//! ```
58//! enum Direction { North, South, East, West }
59//! # let wind = (Direction::North, 0u8);
60//! match wind {
61//!     (Direction::North, 50..) => {}
62//!     (_, _) => {}
63//! }
64//! ```
65//!
66//! Here we expect constructor splitting to output two cases: `North`, and "everything else". This
67//! "everything else" is represented by [`Constructor::Missing`]. Unlike other constructors, it's a
68//! bit contextual: to know the exact list of constructors it represents we have to look at the
69//! column. In practice however we don't need to, because by construction it only matches rows that
70//! have wildcards. This is how this constructor is special: the only constructor that covers it is
71//! `Wildcard`.
72//!
73//! The only place where we care about which constructors `Missing` represents is in diagnostics
74//! (see `crate::usefulness::WitnessMatrix::apply_constructor`).
75//!
76//! We choose whether to specialize with `Missing` in
77//! `crate::usefulness::compute_exhaustiveness_and_usefulness`.
78//!
79//!
80//!
81//! ## Empty types, empty constructors, and the `exhaustive_patterns` feature
82//!
83//! An empty type is a type that has no valid value, like `!`, `enum Void {}`, or `Result<!, !>`.
84//! They require careful handling.
85//!
86//! First, for soundness reasons related to the possible existence of invalid values, by default we
87//! don't treat empty types as empty. We force them to be matched with wildcards. Except if the
88//! `exhaustive_patterns` feature is turned on, in which case we do treat them as empty. And also
89//! except if the type has no constructors (like `enum Void {}` but not like `Result<!, !>`), we
90//! specifically allow `match void {}` to be exhaustive. There are additionally considerations of
91//! place validity that are handled in `crate::usefulness`. Yes this is a bit tricky.
92//!
93//! The second thing is that regardless of the above, it is always allowed to use all the
94//! constructors of a type. For example, all the following is ok:
95//!
96//! ```rust,ignore(example)
97//! # #![feature(never_type)]
98//! # #![feature(exhaustive_patterns)]
99//! fn foo(x: Option<!>) {
100//!   match x {
101//!     None => {}
102//!     Some(_) => {}
103//!   }
104//! }
105//! fn bar(x: &[!]) -> u32 {
106//!   match x {
107//!     [] => 1,
108//!     [_] => 2,
109//!     [_, _] => 3,
110//!   }
111//! }
112//! ```
113//!
114//! Moreover, take the following:
115//!
116//! ```rust
117//! # #![feature(never_type)]
118//! # #![feature(exhaustive_patterns)]
119//! # let x = None::<!>;
120//! match x {
121//!   None => {}
122//! }
123//! ```
124//!
125//! On a normal type, we would identify `Some` as missing and tell the user. If `x: Option<!>`
126//! however (and `exhaustive_patterns` is on), it's ok to omit `Some`. When listing the constructors
127//! of a type, we must therefore track which can be omitted.
128//!
129//! Let's call "empty" a constructor that matches no valid value for the type, like `Some` for the
130//! type `Option<!>`. What this all means is that `ConstructorSet` must know which constructors are
131//! empty. The difference between empty and nonempty constructors is that empty constructors need
132//! not be present for the match to be exhaustive.
133//!
134//! A final remark: empty constructors of arity 0 break specialization, we must avoid them. The
135//! reason is that if we specialize by them, nothing remains to witness the emptiness; the rest of
136//! the algorithm can't distinguish them from a nonempty constructor. The only known case where this
137//! could happen is the `[..]` pattern on `[!; N]` with `N > 0` so we must take care to not emit it.
138//!
139//! This is all handled by [`PatCx::ctors_for_ty`] and
140//! [`ConstructorSet::split`]. The invariants of [`SplitConstructorSet`] are also of interest.
141//!
142//!
143//! ## Unions
144//!
145//! Unions allow us to match a value via several overlapping representations at the same time. For
146//! example, the following is exhaustive because when seeing the value as a boolean we handled all
147//! possible cases (other cases such as `n == 3` would trigger UB).
148//!
149//! ```rust
150//! # fn main() {
151//! union U8AsBool {
152//!     n: u8,
153//!     b: bool,
154//! }
155//! let x = U8AsBool { n: 1 };
156//! unsafe {
157//!     match x {
158//!         U8AsBool { n: 2 } => {}
159//!         U8AsBool { b: true } => {}
160//!         U8AsBool { b: false } => {}
161//!     }
162//! }
163//! # }
164//! ```
165//!
166//! Pattern-matching has no knowledge that e.g. `false as u8 == 0`, so the values we consider in the
167//! algorithm look like `U8AsBool { b: true, n: 2 }`. In other words, for the most part a union is
168//! treated like a struct with the same fields. The difference lies in how we construct witnesses of
169//! non-exhaustiveness.
170//!
171//!
172//! ## Opaque patterns
173//!
174//! Some patterns, such as constants that are not allowed to be matched structurally, cannot be
175//! inspected, which we handle with `Constructor::Opaque`. Since we know nothing of these patterns,
176//! we assume they never cover each other. In order to respect the invariants of
177//! [`SplitConstructorSet`], we give each `Opaque` constructor a unique id so we can recognize it.
178
179use std::cmp::{self, Ordering, max, min};
180use std::fmt;
181use std::iter::once;
182
183use rustc_apfloat::ieee::{DoubleS, HalfS, IeeeFloat, QuadS, SingleS};
184use rustc_index::IndexVec;
185use rustc_index::bit_set::{DenseBitSet, GrowableBitSet};
186use smallvec::SmallVec;
187
188use self::Constructor::*;
189use self::MaybeInfiniteInt::*;
190use self::SliceKind::*;
191use crate::PatCx;
192
193/// Whether we have seen a constructor in the column or not.
194#[derive(#[automatically_derived]
impl ::core::fmt::Debug for Presence {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                Presence::Unseen => "Unseen",
                Presence::Seen => "Seen",
            })
    }
}Debug, #[automatically_derived]
impl ::core::clone::Clone for Presence {
    #[inline]
    fn clone(&self) -> Presence { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for Presence { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for Presence {
    #[inline]
    fn eq(&self, other: &Presence) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for Presence {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::cmp::PartialOrd for Presence {
    #[inline]
    fn partial_cmp(&self, other: &Presence)
        -> ::core::option::Option<::core::cmp::Ordering> {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        ::core::cmp::PartialOrd::partial_cmp(&__self_discr, &__arg1_discr)
    }
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Ord for Presence {
    #[inline]
    fn cmp(&self, other: &Presence) -> ::core::cmp::Ordering {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        ::core::cmp::Ord::cmp(&__self_discr, &__arg1_discr)
    }
}Ord)]
195enum Presence {
196    Unseen,
197    Seen,
198}
199
200#[derive(#[automatically_derived]
impl ::core::fmt::Debug for RangeEnd {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                RangeEnd::Included => "Included",
                RangeEnd::Excluded => "Excluded",
            })
    }
}Debug, #[automatically_derived]
impl ::core::marker::Copy for RangeEnd { }Copy, #[automatically_derived]
impl ::core::clone::Clone for RangeEnd {
    #[inline]
    fn clone(&self) -> RangeEnd { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for RangeEnd {
    #[inline]
    fn eq(&self, other: &RangeEnd) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for RangeEnd {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq)]
201pub enum RangeEnd {
202    Included,
203    Excluded,
204}
205
206impl fmt::Display for RangeEnd {
207    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
208        f.write_str(match self {
209            RangeEnd::Included => "..=",
210            RangeEnd::Excluded => "..",
211        })
212    }
213}
214
215/// A possibly infinite integer. Values are encoded such that the ordering on `u128` matches the
216/// natural order on the original type. For example, `-128i8` is encoded as `0` and `127i8` as
217/// `255`. See `signed_bias` for details.
218#[derive(#[automatically_derived]
impl ::core::fmt::Debug for MaybeInfiniteInt {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            MaybeInfiniteInt::NegInfinity =>
                ::core::fmt::Formatter::write_str(f, "NegInfinity"),
            MaybeInfiniteInt::Finite(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Finite",
                    &__self_0),
            MaybeInfiniteInt::PosInfinity =>
                ::core::fmt::Formatter::write_str(f, "PosInfinity"),
        }
    }
}Debug, #[automatically_derived]
impl ::core::clone::Clone for MaybeInfiniteInt {
    #[inline]
    fn clone(&self) -> MaybeInfiniteInt {
        let _: ::core::clone::AssertParamIsClone<u128>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for MaybeInfiniteInt { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for MaybeInfiniteInt {
    #[inline]
    fn eq(&self, other: &MaybeInfiniteInt) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr &&
            match (self, other) {
                (MaybeInfiniteInt::Finite(__self_0),
                    MaybeInfiniteInt::Finite(__arg1_0)) => __self_0 == __arg1_0,
                _ => true,
            }
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for MaybeInfiniteInt {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<u128>;
    }
}Eq, #[automatically_derived]
impl ::core::cmp::PartialOrd for MaybeInfiniteInt {
    #[inline]
    fn partial_cmp(&self, other: &MaybeInfiniteInt)
        -> ::core::option::Option<::core::cmp::Ordering> {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        match (self, other) {
            (MaybeInfiniteInt::Finite(__self_0),
                MaybeInfiniteInt::Finite(__arg1_0)) =>
                ::core::cmp::PartialOrd::partial_cmp(__self_0, __arg1_0),
            _ =>
                ::core::cmp::PartialOrd::partial_cmp(&__self_discr,
                    &__arg1_discr),
        }
    }
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Ord for MaybeInfiniteInt {
    #[inline]
    fn cmp(&self, other: &MaybeInfiniteInt) -> ::core::cmp::Ordering {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        match ::core::cmp::Ord::cmp(&__self_discr, &__arg1_discr) {
            ::core::cmp::Ordering::Equal =>
                match (self, other) {
                    (MaybeInfiniteInt::Finite(__self_0),
                        MaybeInfiniteInt::Finite(__arg1_0)) =>
                        ::core::cmp::Ord::cmp(__self_0, __arg1_0),
                    _ => ::core::cmp::Ordering::Equal,
                },
            cmp => cmp,
        }
    }
}Ord)]
219pub enum MaybeInfiniteInt {
220    NegInfinity,
221    /// Encoded value. DO NOT CONSTRUCT BY HAND; use `new_finite_{int,uint}`.
222    #[non_exhaustive]
223    Finite(u128),
224    PosInfinity,
225}
226
227impl MaybeInfiniteInt {
228    pub fn new_finite_uint(bits: u128) -> Self {
229        Finite(bits)
230    }
231    pub fn new_finite_int(bits: u128, size: u64) -> Self {
232        // Perform a shift if the underlying types are signed, which makes the interval arithmetic
233        // type-independent.
234        let bias = 1u128 << (size - 1);
235        Finite(bits ^ bias)
236    }
237
238    pub fn as_finite_uint(self) -> Option<u128> {
239        match self {
240            Finite(bits) => Some(bits),
241            _ => None,
242        }
243    }
244    pub fn as_finite_int(self, size: u64) -> Option<u128> {
245        // We decode the shift.
246        match self {
247            Finite(bits) => {
248                let bias = 1u128 << (size - 1);
249                Some(bits ^ bias)
250            }
251            _ => None,
252        }
253    }
254
255    /// Note: this will not turn a finite value into an infinite one or vice-versa.
256    pub fn minus_one(self) -> Option<Self> {
257        match self {
258            Finite(n) => n.checked_sub(1).map(Finite),
259            x => Some(x),
260        }
261    }
262    /// Note: this will turn `u128::MAX` into `PosInfinity`. This means `plus_one` and `minus_one`
263    /// are not strictly inverses, but that poses no problem in our use of them.
264    /// this will not turn a finite value into an infinite one or vice-versa.
265    pub fn plus_one(self) -> Option<Self> {
266        match self {
267            Finite(n) => match n.checked_add(1) {
268                Some(m) => Some(Finite(m)),
269                None => Some(PosInfinity),
270            },
271            x => Some(x),
272        }
273    }
274}
275
276/// An exclusive interval, used for precise integer exhaustiveness checking. `IntRange`s always
277/// store a contiguous range.
278///
279/// `IntRange` is never used to encode an empty range or a "range" that wraps around the (offset)
280/// space: i.e., `range.lo < range.hi`.
281#[derive(#[automatically_derived]
impl ::core::clone::Clone for IntRange {
    #[inline]
    fn clone(&self) -> IntRange {
        let _: ::core::clone::AssertParamIsClone<MaybeInfiniteInt>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for IntRange { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for IntRange {
    #[inline]
    fn eq(&self, other: &IntRange) -> bool {
        self.lo == other.lo && self.hi == other.hi
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for IntRange {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<MaybeInfiniteInt>;
    }
}Eq)]
282pub struct IntRange {
283    pub lo: MaybeInfiniteInt, // Must not be `PosInfinity`.
284    pub hi: MaybeInfiniteInt, // Must not be `NegInfinity`.
285}
286
287impl IntRange {
288    /// Best effort; will not know that e.g. `255u8..` is a singleton.
289    pub fn is_singleton(&self) -> bool {
290        // Since `lo` and `hi` can't be the same `Infinity` and `plus_one` never changes from finite
291        // to infinite, this correctly only detects ranges that contain exactly one `Finite(x)`.
292        self.lo.plus_one() == Some(self.hi)
293    }
294
295    /// Construct a singleton range.
296    /// `x` must be a `Finite(_)` value.
297    #[inline]
298    pub fn from_singleton(x: MaybeInfiniteInt) -> IntRange {
299        // `unwrap()` is ok on a finite value
300        IntRange { lo: x, hi: x.plus_one().unwrap() }
301    }
302
303    /// Construct a range with these boundaries.
304    /// `lo` must not be `PosInfinity`. `hi` must not be `NegInfinity`.
305    #[inline]
306    pub fn from_range(lo: MaybeInfiniteInt, mut hi: MaybeInfiniteInt, end: RangeEnd) -> IntRange {
307        if end == RangeEnd::Included {
308            hi = hi.plus_one().unwrap();
309        }
310        if lo >= hi {
311            // This should have been caught earlier by E0030.
312            {
    ::core::panicking::panic_fmt(format_args!("malformed range pattern: {0:?}..{1:?}",
            lo, hi));
};panic!("malformed range pattern: {lo:?}..{hi:?}");
313        }
314        IntRange { lo, hi }
315    }
316
317    #[inline]
318    pub fn is_subrange(&self, other: &Self) -> bool {
319        other.lo <= self.lo && self.hi <= other.hi
320    }
321
322    fn intersection(&self, other: &Self) -> Option<Self> {
323        if self.lo < other.hi && other.lo < self.hi {
324            Some(IntRange { lo: max(self.lo, other.lo), hi: min(self.hi, other.hi) })
325        } else {
326            None
327        }
328    }
329
330    /// Partition a range of integers into disjoint subranges. This does constructor splitting for
331    /// integer ranges as explained at the top of the file.
332    ///
333    /// This returns an output that covers `self`. The output is split so that the only
334    /// intersections between an output range and a column range are inclusions. No output range
335    /// straddles the boundary of one of the inputs.
336    ///
337    /// Additionally, we track for each output range whether it is covered by one of the column ranges or not.
338    ///
339    /// The following input:
340    /// ```text
341    ///   (--------------------------) // `self`
342    /// (------) (----------)    (-)
343    ///     (------) (--------)
344    /// ```
345    /// is first intersected with `self`:
346    /// ```text
347    ///   (--------------------------) // `self`
348    ///   (----) (----------)    (-)
349    ///     (------) (--------)
350    /// ```
351    /// and then iterated over as follows:
352    /// ```text
353    ///   (-(--)-(-)-(------)-)--(-)-
354    /// ```
355    /// where each sequence of dashes is an output range, and dashes outside parentheses are marked
356    /// as `Presence::Missing`.
357    ///
358    /// ## `isize`/`usize`
359    ///
360    /// Whereas a wildcard of type `i32` stands for the range `i32::MIN..=i32::MAX`, a `usize`
361    /// wildcard stands for `0..PosInfinity` and a `isize` wildcard stands for
362    /// `NegInfinity..PosInfinity`. In other words, as far as `IntRange` is concerned, there are
363    /// values before `isize::MIN` and after `usize::MAX`/`isize::MAX`.
364    /// This is to avoid e.g. `0..(u32::MAX as usize)` from being exhaustive on one architecture and
365    /// not others. This was decided in <https://github.com/rust-lang/rfcs/pull/2591>.
366    ///
367    /// These infinities affect splitting subtly: it is possible to get `NegInfinity..0` and
368    /// `usize::MAX+1..PosInfinity` in the output. Diagnostics must be careful to handle these
369    /// fictitious ranges sensibly.
370    fn split(
371        &self,
372        column_ranges: impl Iterator<Item = IntRange>,
373    ) -> impl Iterator<Item = (Presence, IntRange)> {
374        // The boundaries of ranges in `column_ranges` intersected with `self`.
375        // We do parenthesis matching for input ranges. A boundary counts as +1 if it starts
376        // a range and -1 if it ends it. When the count is > 0 between two boundaries, we
377        // are within an input range.
378        let mut boundaries: Vec<(MaybeInfiniteInt, isize)> = column_ranges
379            .filter_map(|r| self.intersection(&r))
380            .flat_map(|r| [(r.lo, 1), (r.hi, -1)])
381            .collect();
382        // We sort by boundary, and for each boundary we sort the "closing parentheses" first. The
383        // order of +1/-1 for a same boundary value is actually irrelevant, because we only look at
384        // the accumulated count between distinct boundary values.
385        boundaries.sort_unstable();
386
387        // Accumulate parenthesis counts.
388        let mut paren_counter = 0isize;
389        // Gather pairs of adjacent boundaries.
390        let mut prev_bdy = self.lo;
391        boundaries
392            .into_iter()
393            // End with the end of the range. The count is ignored.
394            .chain(once((self.hi, 0)))
395            // List pairs of adjacent boundaries and the count between them.
396            .map(move |(bdy, delta)| {
397                // `delta` affects the count as we cross `bdy`, so the relevant count between
398                // `prev_bdy` and `bdy` is untouched by `delta`.
399                let ret = (prev_bdy, paren_counter, bdy);
400                prev_bdy = bdy;
401                paren_counter += delta;
402                ret
403            })
404            // Skip empty ranges.
405            .filter(|&(prev_bdy, _, bdy)| prev_bdy != bdy)
406            // Convert back to ranges.
407            .map(move |(prev_bdy, paren_count, bdy)| {
408                use Presence::*;
409                let presence = if paren_count > 0 { Seen } else { Unseen };
410                let range = IntRange { lo: prev_bdy, hi: bdy };
411                (presence, range)
412            })
413    }
414}
415
416/// Note: this will render signed ranges incorrectly. To render properly, convert to a pattern
417/// first.
418impl fmt::Debug for IntRange {
419    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
420        if self.is_singleton() {
421            // Only finite ranges can be singletons.
422            let Finite(lo) = self.lo else { ::core::panicking::panic("internal error: entered unreachable code")unreachable!() };
423            f.write_fmt(format_args!("{0}", lo))write!(f, "{lo}")?;
424        } else {
425            if let Finite(lo) = self.lo {
426                f.write_fmt(format_args!("{0}", lo))write!(f, "{lo}")?;
427            }
428            f.write_fmt(format_args!("{0}", RangeEnd::Excluded))write!(f, "{}", RangeEnd::Excluded)?;
429            if let Finite(hi) = self.hi {
430                f.write_fmt(format_args!("{0}", hi))write!(f, "{hi}")?;
431            }
432        }
433        Ok(())
434    }
435}
436
437#[derive(#[automatically_derived]
impl ::core::marker::Copy for SliceKind { }Copy, #[automatically_derived]
impl ::core::clone::Clone for SliceKind {
    #[inline]
    fn clone(&self) -> SliceKind {
        let _: ::core::clone::AssertParamIsClone<usize>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for SliceKind {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            SliceKind::FixedLen(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "FixedLen", &__self_0),
            SliceKind::VarLen(__self_0, __self_1) =>
                ::core::fmt::Formatter::debug_tuple_field2_finish(f, "VarLen",
                    __self_0, &__self_1),
        }
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for SliceKind {
    #[inline]
    fn eq(&self, other: &SliceKind) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr &&
            match (self, other) {
                (SliceKind::FixedLen(__self_0), SliceKind::FixedLen(__arg1_0))
                    => __self_0 == __arg1_0,
                (SliceKind::VarLen(__self_0, __self_1),
                    SliceKind::VarLen(__arg1_0, __arg1_1)) =>
                    __self_0 == __arg1_0 && __self_1 == __arg1_1,
                _ => unsafe { ::core::intrinsics::unreachable() }
            }
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for SliceKind {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<usize>;
    }
}Eq)]
438pub enum SliceKind {
439    /// Patterns of length `n` (`[x, y]`).
440    FixedLen(usize),
441    /// Patterns using the `..` notation (`[x, .., y]`).
442    /// Captures any array constructor of `length >= i + j`.
443    /// In the case where `array_len` is `Some(_)`,
444    /// this indicates that we only care about the first `i` and the last `j` values of the array,
445    /// and everything in between is a wildcard `_`.
446    VarLen(usize, usize),
447}
448
449impl SliceKind {
450    pub fn arity(self) -> usize {
451        match self {
452            FixedLen(length) => length,
453            VarLen(prefix, suffix) => prefix + suffix,
454        }
455    }
456
457    /// Whether this pattern includes patterns of length `other_len`.
458    fn covers_length(self, other_len: usize) -> bool {
459        match self {
460            FixedLen(len) => len == other_len,
461            VarLen(prefix, suffix) => prefix + suffix <= other_len,
462        }
463    }
464}
465
466/// A constructor for array and slice patterns.
467#[derive(#[automatically_derived]
impl ::core::marker::Copy for Slice { }Copy, #[automatically_derived]
impl ::core::clone::Clone for Slice {
    #[inline]
    fn clone(&self) -> Slice {
        let _: ::core::clone::AssertParamIsClone<Option<usize>>;
        let _: ::core::clone::AssertParamIsClone<SliceKind>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for Slice {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field2_finish(f, "Slice",
            "array_len", &self.array_len, "kind", &&self.kind)
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for Slice {
    #[inline]
    fn eq(&self, other: &Slice) -> bool {
        self.array_len == other.array_len && self.kind == other.kind
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for Slice {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<Option<usize>>;
        let _: ::core::cmp::AssertParamIsEq<SliceKind>;
    }
}Eq)]
468pub struct Slice {
469    /// `None` if the matched value is a slice, `Some(n)` if it is an array of size `n`.
470    pub(crate) array_len: Option<usize>,
471    /// The kind of pattern it is: fixed-length `[x, y]` or variable length `[x, .., y]`.
472    pub(crate) kind: SliceKind,
473}
474
475impl Slice {
476    pub fn new(array_len: Option<usize>, kind: SliceKind) -> Self {
477        let kind = match (array_len, kind) {
478            // If the middle `..` has length 0, we effectively have a fixed-length pattern.
479            (Some(len), VarLen(prefix, suffix)) if prefix + suffix == len => FixedLen(len),
480            (Some(len), VarLen(prefix, suffix)) if prefix + suffix > len => {
    ::core::panicking::panic_fmt(format_args!("Slice pattern of length {0} longer than its array length {1}",
            prefix + suffix, len));
}panic!(
481                "Slice pattern of length {} longer than its array length {len}",
482                prefix + suffix
483            ),
484            _ => kind,
485        };
486        Slice { array_len, kind }
487    }
488
489    pub fn arity(self) -> usize {
490        self.kind.arity()
491    }
492
493    /// See `Constructor::is_covered_by`
494    fn is_covered_by(self, other: Self) -> bool {
495        other.kind.covers_length(self.arity())
496    }
497
498    // Getters. They are used by rust-analyzer.
499    pub fn array_len(self) -> Option<usize> {
500        self.array_len
501    }
502
503    pub fn kind(self) -> SliceKind {
504        self.kind
505    }
506
507    /// This computes constructor splitting for variable-length slices, as explained at the top of
508    /// the file.
509    ///
510    /// A slice pattern `[x, .., y]` behaves like the infinite or-pattern `[x, y] | [x, _, y] | [x,
511    /// _, _, y] | etc`. The corresponding value constructors are fixed-length array constructors of
512    /// corresponding lengths. We obviously can't list this infinitude of constructors.
513    /// Thankfully, it turns out that for each finite set of slice patterns, all sufficiently large
514    /// array lengths are equivalent.
515    ///
516    /// Let's look at an example, where we are trying to split the last pattern:
517    /// ```
518    /// # fn foo(x: &[bool]) {
519    /// match x {
520    ///     [true, true, ..] => {}
521    ///     [.., false, false] => {}
522    ///     [..] => {}
523    /// }
524    /// # }
525    /// ```
526    /// Here are the results of specialization for the first few lengths:
527    /// ```
528    /// # fn foo(x: &[bool]) { match x {
529    /// // length 0
530    /// [] => {}
531    /// // length 1
532    /// [_] => {}
533    /// // length 2
534    /// [true, true] => {}
535    /// [false, false] => {}
536    /// [_, _] => {}
537    /// // length 3
538    /// [true, true,  _    ] => {}
539    /// [_,    false, false] => {}
540    /// [_,    _,     _    ] => {}
541    /// // length 4
542    /// [true, true, _,     _    ] => {}
543    /// [_,    _,    false, false] => {}
544    /// [_,    _,    _,     _    ] => {}
545    /// // length 5
546    /// [true, true, _, _,     _    ] => {}
547    /// [_,    _,    _, false, false] => {}
548    /// [_,    _,    _, _,     _    ] => {}
549    /// # _ => {}
550    /// # }}
551    /// ```
552    ///
553    /// We see that above length 4, we are simply inserting columns full of wildcards in the middle.
554    /// This means that specialization and witness computation with slices of length `l >= 4` will
555    /// give equivalent results regardless of `l`. This applies to any set of slice patterns: there
556    /// will be a length `L` above which all lengths behave the same. This is exactly what we need
557    /// for constructor splitting.
558    ///
559    /// A variable-length slice pattern covers all lengths from its arity up to infinity. As we just
560    /// saw, we can split this in two: lengths below `L` are treated individually with a
561    /// fixed-length slice each; lengths above `L` are grouped into a single variable-length slice
562    /// constructor.
563    ///
564    /// For each variable-length slice pattern `p` with a prefix of length `plₚ` and suffix of
565    /// length `slₚ`, only the first `plₚ` and the last `slₚ` elements are examined. Therefore, as
566    /// long as `L` is positive (to avoid concerns about empty types), all elements after the
567    /// maximum prefix length and before the maximum suffix length are not examined by any
568    /// variable-length pattern, and therefore can be ignored. This gives us a way to compute `L`.
569    ///
570    /// Additionally, if fixed-length patterns exist, we must pick an `L` large enough to miss them,
571    /// so we can pick `L = max(max(FIXED_LEN)+1, max(PREFIX_LEN) + max(SUFFIX_LEN))`.
572    /// `max_slice` below will be made to have this arity `L`.
573    ///
574    /// If `self` is fixed-length, it is returned as-is.
575    ///
576    /// Additionally, we track for each output slice whether it is covered by one of the column slices or not.
577    fn split(
578        self,
579        column_slices: impl Iterator<Item = Slice>,
580    ) -> impl Iterator<Item = (Presence, Slice)> {
581        // Range of lengths below `L`.
582        let smaller_lengths;
583        let arity = self.arity();
584        let mut max_slice = self.kind;
585        // Tracks the smallest variable-length slice we've seen. Any slice arity above it is
586        // therefore `Presence::Seen` in the column.
587        let mut min_var_len = usize::MAX;
588        // Tracks the fixed-length slices we've seen, to mark them as `Presence::Seen`.
589        let mut seen_fixed_lens = GrowableBitSet::new_empty();
590        match &mut max_slice {
591            VarLen(max_prefix_len, max_suffix_len) => {
592                // A length larger than any fixed-length slice encountered.
593                // We start at 1 in case the subtype is empty because in that case the zero-length
594                // slice must be treated separately from the rest.
595                let mut fixed_len_upper_bound = 1;
596                // We grow `max_slice` to be larger than all slices encountered, as described above.
597                // `L` is `max_slice.arity()`. For diagnostics, we keep the prefix and suffix
598                // lengths separate.
599                for slice in column_slices {
600                    match slice.kind {
601                        FixedLen(len) => {
602                            fixed_len_upper_bound = cmp::max(fixed_len_upper_bound, len + 1);
603                            seen_fixed_lens.insert(len);
604                        }
605                        VarLen(prefix, suffix) => {
606                            *max_prefix_len = cmp::max(*max_prefix_len, prefix);
607                            *max_suffix_len = cmp::max(*max_suffix_len, suffix);
608                            min_var_len = cmp::min(min_var_len, prefix + suffix);
609                        }
610                    }
611                }
612                // If `fixed_len_upper_bound >= L`, we set `L` to `fixed_len_upper_bound`.
613                if let Some(delta) =
614                    fixed_len_upper_bound.checked_sub(*max_prefix_len + *max_suffix_len)
615                {
616                    *max_prefix_len += delta
617                }
618
619                // We cap the arity of `max_slice` at the array size.
620                match self.array_len {
621                    Some(len) if max_slice.arity() >= len => max_slice = FixedLen(len),
622                    _ => {}
623                }
624
625                smaller_lengths = match self.array_len {
626                    // The only admissible fixed-length slice is one of the array size. Whether `max_slice`
627                    // is fixed-length or variable-length, it will be the only relevant slice to output
628                    // here.
629                    Some(_) => 0..0, // empty range
630                    // We need to cover all arities in the range `(arity..infinity)`. We split that
631                    // range into two: lengths smaller than `max_slice.arity()` are treated
632                    // independently as fixed-lengths slices, and lengths above are captured by
633                    // `max_slice`.
634                    None => self.arity()..max_slice.arity(),
635                };
636            }
637            FixedLen(_) => {
638                // No need to split here. We only track presence.
639                for slice in column_slices {
640                    match slice.kind {
641                        FixedLen(len) => {
642                            if len == arity {
643                                seen_fixed_lens.insert(len);
644                            }
645                        }
646                        VarLen(prefix, suffix) => {
647                            min_var_len = cmp::min(min_var_len, prefix + suffix);
648                        }
649                    }
650                }
651                smaller_lengths = 0..0;
652            }
653        };
654
655        smaller_lengths.map(FixedLen).chain(once(max_slice)).map(move |kind| {
656            let arity = kind.arity();
657            let seen = if min_var_len <= arity || seen_fixed_lens.contains(arity) {
658                Presence::Seen
659            } else {
660                Presence::Unseen
661            };
662            (seen, Slice::new(self.array_len, kind))
663        })
664    }
665}
666
667/// A globally unique id to distinguish `Opaque` patterns.
668#[derive(#[automatically_derived]
impl ::core::clone::Clone for OpaqueId {
    #[inline]
    fn clone(&self) -> OpaqueId {
        OpaqueId(::core::clone::Clone::clone(&self.0))
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for OpaqueId {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_tuple_field1_finish(f, "OpaqueId",
            &&self.0)
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for OpaqueId {
    #[inline]
    fn eq(&self, other: &OpaqueId) -> bool { self.0 == other.0 }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for OpaqueId {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<u32>;
    }
}Eq)]
669pub struct OpaqueId(u32);
670
671impl OpaqueId {
672    pub fn new() -> Self {
673        use std::sync::atomic::{AtomicU32, Ordering};
674        static OPAQUE_ID: AtomicU32 = AtomicU32::new(0);
675        OpaqueId(OPAQUE_ID.fetch_add(1, Ordering::SeqCst))
676    }
677}
678
679/// A value can be decomposed into a constructor applied to some fields. This struct represents
680/// the constructor. See also `Fields`.
681///
682/// `pat_constructor` retrieves the constructor corresponding to a pattern.
683/// `specialize_constructor` returns the list of fields corresponding to a pattern, given a
684/// constructor. `Constructor::apply` reconstructs the pattern from a pair of `Constructor` and
685/// `Fields`.
686#[derive(#[automatically_derived]
impl<Cx: ::core::fmt::Debug + PatCx> ::core::fmt::Debug for Constructor<Cx>
    where Cx::VariantIdx: ::core::fmt::Debug, Cx::StrLit: ::core::fmt::Debug,
    Cx::Ty: ::core::fmt::Debug {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            Constructor::Struct =>
                ::core::fmt::Formatter::write_str(f, "Struct"),
            Constructor::Variant(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "Variant", &__self_0),
            Constructor::Ref => ::core::fmt::Formatter::write_str(f, "Ref"),
            Constructor::Slice(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Slice",
                    &__self_0),
            Constructor::UnionField =>
                ::core::fmt::Formatter::write_str(f, "UnionField"),
            Constructor::Bool(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Bool",
                    &__self_0),
            Constructor::IntRange(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "IntRange", &__self_0),
            Constructor::F16Range(__self_0, __self_1, __self_2) =>
                ::core::fmt::Formatter::debug_tuple_field3_finish(f,
                    "F16Range", __self_0, __self_1, &__self_2),
            Constructor::F32Range(__self_0, __self_1, __self_2) =>
                ::core::fmt::Formatter::debug_tuple_field3_finish(f,
                    "F32Range", __self_0, __self_1, &__self_2),
            Constructor::F64Range(__self_0, __self_1, __self_2) =>
                ::core::fmt::Formatter::debug_tuple_field3_finish(f,
                    "F64Range", __self_0, __self_1, &__self_2),
            Constructor::F128Range(__self_0, __self_1, __self_2) =>
                ::core::fmt::Formatter::debug_tuple_field3_finish(f,
                    "F128Range", __self_0, __self_1, &__self_2),
            Constructor::Str(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Str",
                    &__self_0),
            Constructor::DerefPattern(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "DerefPattern", &__self_0),
            Constructor::Opaque(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Opaque",
                    &__self_0),
            Constructor::Or => ::core::fmt::Formatter::write_str(f, "Or"),
            Constructor::Wildcard =>
                ::core::fmt::Formatter::write_str(f, "Wildcard"),
            Constructor::Never =>
                ::core::fmt::Formatter::write_str(f, "Never"),
            Constructor::NonExhaustive =>
                ::core::fmt::Formatter::write_str(f, "NonExhaustive"),
            Constructor::Hidden =>
                ::core::fmt::Formatter::write_str(f, "Hidden"),
            Constructor::Missing =>
                ::core::fmt::Formatter::write_str(f, "Missing"),
            Constructor::PrivateUninhabited =>
                ::core::fmt::Formatter::write_str(f, "PrivateUninhabited"),
        }
    }
}Debug)]
687pub enum Constructor<Cx: PatCx> {
688    /// Tuples and structs.
689    Struct,
690    /// Enum variants.
691    Variant(Cx::VariantIdx),
692    /// References
693    Ref,
694    /// Array and slice patterns.
695    Slice(Slice),
696    /// Union field accesses.
697    UnionField,
698    /// Booleans
699    Bool(bool),
700    /// Ranges of integer literal values (`2`, `2..=5` or `2..5`).
701    IntRange(IntRange),
702    /// Ranges of floating-point literal values (`2.0..=5.2`).
703    F16Range(IeeeFloat<HalfS>, IeeeFloat<HalfS>, RangeEnd),
704    F32Range(IeeeFloat<SingleS>, IeeeFloat<SingleS>, RangeEnd),
705    F64Range(IeeeFloat<DoubleS>, IeeeFloat<DoubleS>, RangeEnd),
706    F128Range(IeeeFloat<QuadS>, IeeeFloat<QuadS>, RangeEnd),
707    /// String literals. Strings are not quite the same as `&[u8]` so we treat them separately.
708    Str(Cx::StrLit),
709    /// Deref patterns (enabled by the `deref_patterns` feature) provide a way of matching on a
710    /// smart pointer ADT through its pointee. They don't directly correspond to ADT constructors,
711    /// and currently are not supported alongside them. Carries the type of the pointee.
712    DerefPattern(Cx::Ty),
713    /// Constants that must not be matched structurally. They are treated as black boxes for the
714    /// purposes of exhaustiveness: we must not inspect them, and they don't count towards making a
715    /// match exhaustive.
716    /// Carries an id that must be unique within a match. We need this to ensure the invariants of
717    /// [`SplitConstructorSet`].
718    Opaque(OpaqueId),
719    /// Or-pattern.
720    Or,
721    /// Wildcard pattern.
722    Wildcard,
723    /// Never pattern. Only used in `WitnessPat`. An actual never pattern should be lowered as
724    /// `Wildcard`.
725    Never,
726    /// Fake extra constructor for enums that aren't allowed to be matched exhaustively. Also used
727    /// for those types for which we cannot list constructors explicitly, like `f64` and `str`. Only
728    /// used in `WitnessPat`.
729    NonExhaustive,
730    /// Fake extra constructor for variants that should not be mentioned in diagnostics. We use this
731    /// for variants behind an unstable gate as well as `#[doc(hidden)]` ones. Only used in
732    /// `WitnessPat`.
733    Hidden,
734    /// Fake extra constructor for constructors that are not seen in the matrix, as explained at the
735    /// top of the file. Only used for specialization.
736    Missing,
737    /// Fake extra constructor that indicates and empty field that is private. When we encounter one
738    /// we skip the column entirely so we don't observe its emptiness. Only used for specialization.
739    PrivateUninhabited,
740}
741
742impl<Cx: PatCx> Clone for Constructor<Cx> {
743    fn clone(&self) -> Self {
744        match self {
745            Constructor::Struct => Constructor::Struct,
746            Constructor::Variant(idx) => Constructor::Variant(*idx),
747            Constructor::Ref => Constructor::Ref,
748            Constructor::Slice(slice) => Constructor::Slice(*slice),
749            Constructor::UnionField => Constructor::UnionField,
750            Constructor::Bool(b) => Constructor::Bool(*b),
751            Constructor::IntRange(range) => Constructor::IntRange(*range),
752            Constructor::F16Range(lo, hi, end) => Constructor::F16Range(*lo, *hi, *end),
753            Constructor::F32Range(lo, hi, end) => Constructor::F32Range(*lo, *hi, *end),
754            Constructor::F64Range(lo, hi, end) => Constructor::F64Range(*lo, *hi, *end),
755            Constructor::F128Range(lo, hi, end) => Constructor::F128Range(*lo, *hi, *end),
756            Constructor::Str(value) => Constructor::Str(value.clone()),
757            Constructor::DerefPattern(ty) => Constructor::DerefPattern(ty.clone()),
758            Constructor::Opaque(inner) => Constructor::Opaque(inner.clone()),
759            Constructor::Or => Constructor::Or,
760            Constructor::Never => Constructor::Never,
761            Constructor::Wildcard => Constructor::Wildcard,
762            Constructor::NonExhaustive => Constructor::NonExhaustive,
763            Constructor::Hidden => Constructor::Hidden,
764            Constructor::Missing => Constructor::Missing,
765            Constructor::PrivateUninhabited => Constructor::PrivateUninhabited,
766        }
767    }
768}
769
770impl<Cx: PatCx> Constructor<Cx> {
771    pub(crate) fn is_non_exhaustive(&self) -> bool {
772        #[allow(non_exhaustive_omitted_patterns)] match self {
    NonExhaustive => true,
    _ => false,
}matches!(self, NonExhaustive)
773    }
774
775    pub(crate) fn as_variant(&self) -> Option<Cx::VariantIdx> {
776        match self {
777            Variant(i) => Some(*i),
778            _ => None,
779        }
780    }
781    fn as_bool(&self) -> Option<bool> {
782        match self {
783            Bool(b) => Some(*b),
784            _ => None,
785        }
786    }
787    pub(crate) fn as_int_range(&self) -> Option<&IntRange> {
788        match self {
789            IntRange(range) => Some(range),
790            _ => None,
791        }
792    }
793    fn as_slice(&self) -> Option<Slice> {
794        match self {
795            Slice(slice) => Some(*slice),
796            _ => None,
797        }
798    }
799
800    /// The number of fields for this constructor. This must be kept in sync with
801    /// `Fields::wildcards`.
802    pub(crate) fn arity(&self, cx: &Cx, ty: &Cx::Ty) -> usize {
803        cx.ctor_arity(self, ty)
804    }
805
806    /// Returns whether `self` is covered by `other`, i.e. whether `self` is a subset of `other`.
807    /// For the simple cases, this is simply checking for equality. For the "grouped" constructors,
808    /// this checks for inclusion.
809    // We inline because this has a single call site in `Matrix::specialize_constructor`.
810    #[inline]
811    pub(crate) fn is_covered_by(&self, cx: &Cx, other: &Self) -> Result<bool, Cx::Error> {
812        Ok(match (self, other) {
813            (Wildcard, _) => {
814                return Err(cx.bug(format_args!("Constructor splitting should not have returned `Wildcard`")format_args!(
815                    "Constructor splitting should not have returned `Wildcard`"
816                )));
817            }
818            // Wildcards cover anything
819            (_, Wildcard) => true,
820            // `PrivateUninhabited` skips everything.
821            (PrivateUninhabited, _) => true,
822            // Only a wildcard pattern can match these special constructors.
823            (Missing { .. } | NonExhaustive | Hidden, _) => false,
824
825            (Struct, Struct) => true,
826            (Ref, Ref) => true,
827            (UnionField, UnionField) => true,
828            (Variant(self_id), Variant(other_id)) => self_id == other_id,
829            (Bool(self_b), Bool(other_b)) => self_b == other_b,
830
831            (IntRange(self_range), IntRange(other_range)) => self_range.is_subrange(other_range),
832            (F16Range(self_from, self_to, self_end), F16Range(other_from, other_to, other_end)) => {
833                self_from.ge(other_from)
834                    && match self_to.partial_cmp(other_to) {
835                        Some(Ordering::Less) => true,
836                        Some(Ordering::Equal) => other_end == self_end,
837                        _ => false,
838                    }
839            }
840            (F32Range(self_from, self_to, self_end), F32Range(other_from, other_to, other_end)) => {
841                self_from.ge(other_from)
842                    && match self_to.partial_cmp(other_to) {
843                        Some(Ordering::Less) => true,
844                        Some(Ordering::Equal) => other_end == self_end,
845                        _ => false,
846                    }
847            }
848            (F64Range(self_from, self_to, self_end), F64Range(other_from, other_to, other_end)) => {
849                self_from.ge(other_from)
850                    && match self_to.partial_cmp(other_to) {
851                        Some(Ordering::Less) => true,
852                        Some(Ordering::Equal) => other_end == self_end,
853                        _ => false,
854                    }
855            }
856            (
857                F128Range(self_from, self_to, self_end),
858                F128Range(other_from, other_to, other_end),
859            ) => {
860                self_from.ge(other_from)
861                    && match self_to.partial_cmp(other_to) {
862                        Some(Ordering::Less) => true,
863                        Some(Ordering::Equal) => other_end == self_end,
864                        _ => false,
865                    }
866            }
867            (Str(self_val), Str(other_val)) => {
868                // FIXME Once valtrees are available we can directly use the bytes
869                // in the `Str` variant of the valtree for the comparison here.
870                self_val == other_val
871            }
872            (Slice(self_slice), Slice(other_slice)) => self_slice.is_covered_by(*other_slice),
873
874            // Deref patterns only interact with other deref patterns. Prior to usefulness analysis,
875            // we ensure they don't appear alongside any other non-wild non-opaque constructors.
876            (DerefPattern(_), DerefPattern(_)) => true,
877
878            // Opaque constructors don't interact with anything unless they come from the
879            // syntactically identical pattern.
880            (Opaque(self_id), Opaque(other_id)) => self_id == other_id,
881            (Opaque(..), _) | (_, Opaque(..)) => false,
882
883            _ => {
884                return Err(cx.bug(format_args!("trying to compare incompatible constructors {0:?} and {1:?}",
    self, other)format_args!(
885                    "trying to compare incompatible constructors {self:?} and {other:?}"
886                )));
887            }
888        })
889    }
890
891    pub(crate) fn fmt_fields(
892        &self,
893        f: &mut fmt::Formatter<'_>,
894        ty: &Cx::Ty,
895        mut fields: impl Iterator<Item = impl fmt::Debug>,
896    ) -> fmt::Result {
897        let mut first = true;
898        let mut start_or_continue = |s| {
899            if first {
900                first = false;
901                ""
902            } else {
903                s
904            }
905        };
906        let mut start_or_comma = || start_or_continue(", ");
907
908        match self {
909            Struct | Variant(_) | UnionField => {
910                Cx::write_variant_name(f, self, ty)?;
911                // Without `cx`, we can't know which field corresponds to which, so we can't
912                // get the names of the fields. Instead we just display everything as a tuple
913                // struct, which should be good enough.
914                f.write_fmt(format_args!("("))write!(f, "(")?;
915                for p in fields {
916                    f.write_fmt(format_args!("{0}{1:?}", start_or_comma(), p))write!(f, "{}{:?}", start_or_comma(), p)?;
917                }
918                f.write_fmt(format_args!(")"))write!(f, ")")?;
919            }
920            // Note: given the expansion of `&str` patterns done in `expand_pattern`, we should
921            // be careful to detect strings here. However a string literal pattern will never
922            // be reported as a non-exhaustiveness witness, so we can ignore this issue.
923            Ref => {
924                f.write_fmt(format_args!("&{0:?}", fields.next().unwrap()))write!(f, "&{:?}", fields.next().unwrap())?;
925            }
926            Slice(slice) => {
927                f.write_fmt(format_args!("["))write!(f, "[")?;
928                match slice.kind {
929                    SliceKind::FixedLen(_) => {
930                        for p in fields {
931                            f.write_fmt(format_args!("{0}{1:?}", start_or_comma(), p))write!(f, "{}{:?}", start_or_comma(), p)?;
932                        }
933                    }
934                    SliceKind::VarLen(prefix_len, _) => {
935                        for p in fields.by_ref().take(prefix_len) {
936                            f.write_fmt(format_args!("{0}{1:?}", start_or_comma(), p))write!(f, "{}{:?}", start_or_comma(), p)?;
937                        }
938                        f.write_fmt(format_args!("{0}..", start_or_comma()))write!(f, "{}..", start_or_comma())?;
939                        for p in fields {
940                            f.write_fmt(format_args!("{0}{1:?}", start_or_comma(), p))write!(f, "{}{:?}", start_or_comma(), p)?;
941                        }
942                    }
943                }
944                f.write_fmt(format_args!("]"))write!(f, "]")?;
945            }
946            Bool(b) => f.write_fmt(format_args!("{0}", b))write!(f, "{b}")?,
947            // Best-effort, will render signed ranges incorrectly
948            IntRange(range) => f.write_fmt(format_args!("{0:?}", range))write!(f, "{range:?}")?,
949            F16Range(lo, hi, end) => f.write_fmt(format_args!("{0}{1}{2}", lo, end, hi))write!(f, "{lo}{end}{hi}")?,
950            F32Range(lo, hi, end) => f.write_fmt(format_args!("{0}{1}{2}", lo, end, hi))write!(f, "{lo}{end}{hi}")?,
951            F64Range(lo, hi, end) => f.write_fmt(format_args!("{0}{1}{2}", lo, end, hi))write!(f, "{lo}{end}{hi}")?,
952            F128Range(lo, hi, end) => f.write_fmt(format_args!("{0}{1}{2}", lo, end, hi))write!(f, "{lo}{end}{hi}")?,
953            Str(value) => f.write_fmt(format_args!("{0:?}", value))write!(f, "{value:?}")?,
954            DerefPattern(_) => f.write_fmt(format_args!("deref!({0:?})", fields.next().unwrap()))write!(f, "deref!({:?})", fields.next().unwrap())?,
955            Opaque(..) => f.write_fmt(format_args!("<constant pattern>"))write!(f, "<constant pattern>")?,
956            Or => {
957                for pat in fields {
958                    f.write_fmt(format_args!("{0}{1:?}", start_or_continue(" | "), pat))write!(f, "{}{:?}", start_or_continue(" | "), pat)?;
959                }
960            }
961            Never => f.write_fmt(format_args!("!"))write!(f, "!")?,
962            Wildcard | Missing | NonExhaustive | Hidden | PrivateUninhabited => f.write_fmt(format_args!("_"))write!(f, "_")?,
963        }
964        Ok(())
965    }
966}
967
968#[derive(#[automatically_derived]
impl ::core::fmt::Debug for VariantVisibility {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                VariantVisibility::Visible => "Visible",
                VariantVisibility::Hidden => "Hidden",
                VariantVisibility::Empty => "Empty",
            })
    }
}Debug, #[automatically_derived]
impl ::core::clone::Clone for VariantVisibility {
    #[inline]
    fn clone(&self) -> VariantVisibility { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for VariantVisibility { }Copy)]
969pub enum VariantVisibility {
970    /// Variant that doesn't fit the other cases, i.e. most variants.
971    Visible,
972    /// Variant behind an unstable gate or with the `#[doc(hidden)]` attribute. It will not be
973    /// mentioned in diagnostics unless the user mentioned it first.
974    Hidden,
975    /// Variant that matches no value. E.g. `Some::<Option<!>>` if the `exhaustive_patterns` feature
976    /// is enabled. Like `Hidden`, it will not be mentioned in diagnostics unless the user mentioned
977    /// it first.
978    Empty,
979}
980
981/// Describes the set of all constructors for a type. For details, in particular about the emptiness
982/// of constructors, see the top of the file.
983///
984/// In terms of division of responsibility, [`ConstructorSet::split`] handles all of the
985/// `exhaustive_patterns` feature.
986#[derive(#[automatically_derived]
impl<Cx: ::core::fmt::Debug + PatCx> ::core::fmt::Debug for ConstructorSet<Cx>
    where Cx::VariantIdx: ::core::fmt::Debug {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            ConstructorSet::Struct { empty: __self_0 } =>
                ::core::fmt::Formatter::debug_struct_field1_finish(f,
                    "Struct", "empty", &__self_0),
            ConstructorSet::Variants {
                variants: __self_0, non_exhaustive: __self_1 } =>
                ::core::fmt::Formatter::debug_struct_field2_finish(f,
                    "Variants", "variants", __self_0, "non_exhaustive",
                    &__self_1),
            ConstructorSet::Ref =>
                ::core::fmt::Formatter::write_str(f, "Ref"),
            ConstructorSet::Union =>
                ::core::fmt::Formatter::write_str(f, "Union"),
            ConstructorSet::Bool =>
                ::core::fmt::Formatter::write_str(f, "Bool"),
            ConstructorSet::Integers { range_1: __self_0, range_2: __self_1 }
                =>
                ::core::fmt::Formatter::debug_struct_field2_finish(f,
                    "Integers", "range_1", __self_0, "range_2", &__self_1),
            ConstructorSet::Slice {
                array_len: __self_0, subtype_is_empty: __self_1 } =>
                ::core::fmt::Formatter::debug_struct_field2_finish(f, "Slice",
                    "array_len", __self_0, "subtype_is_empty", &__self_1),
            ConstructorSet::Unlistable =>
                ::core::fmt::Formatter::write_str(f, "Unlistable"),
            ConstructorSet::NoConstructors =>
                ::core::fmt::Formatter::write_str(f, "NoConstructors"),
        }
    }
}Debug)]
987pub enum ConstructorSet<Cx: PatCx> {
988    /// The type is a tuple or struct. `empty` tracks whether the type is empty.
989    Struct { empty: bool },
990    /// This type has the following list of constructors. If `variants` is empty and
991    /// `non_exhaustive` is false, don't use this; use `NoConstructors` instead.
992    Variants { variants: IndexVec<Cx::VariantIdx, VariantVisibility>, non_exhaustive: bool },
993    /// The type is `&T`.
994    Ref,
995    /// The type is a union.
996    Union,
997    /// Booleans.
998    Bool,
999    /// The type is spanned by integer values. The range or ranges give the set of allowed values.
1000    /// The second range is only useful for `char`.
1001    Integers { range_1: IntRange, range_2: Option<IntRange> },
1002    /// The type is matched by slices. `array_len` is the compile-time length of the array, if
1003    /// known. If `subtype_is_empty`, all constructors are empty except possibly the zero-length
1004    /// slice `[]`.
1005    Slice { array_len: Option<usize>, subtype_is_empty: bool },
1006    /// The constructors cannot be listed, and the type cannot be matched exhaustively. E.g. `str`,
1007    /// floats.
1008    Unlistable,
1009    /// The type has no constructors (not even empty ones). This is `!` and empty enums.
1010    NoConstructors,
1011}
1012
1013/// Describes the result of analyzing the constructors in a column of a match.
1014///
1015/// `present` is morally the set of constructors present in the column, and `missing` is the set of
1016/// constructors that exist in the type but are not present in the column.
1017///
1018/// More formally, if we discard wildcards from the column, this respects the following constraints:
1019/// 1. the union of `present`, `missing` and `missing_empty` covers all the constructors of the type
1020/// 2. each constructor in `present` is covered by something in the column
1021/// 3. no constructor in `missing` or `missing_empty` is covered by anything in the column
1022/// 4. each constructor in the column is equal to the union of one or more constructors in `present`
1023/// 5. `missing` does not contain empty constructors (see discussion about emptiness at the top of
1024///    the file);
1025/// 6. `missing_empty` contains only empty constructors
1026/// 7. constructors in `present`, `missing` and `missing_empty` are split for the column; in other
1027///    words, they are either fully included in or fully disjoint from each constructor in the
1028///    column. In yet other words, there are no non-trivial intersections like between `0..10` and
1029///    `5..15`.
1030///
1031/// We must be particularly careful with weird constructors like `Opaque`: they're not formally part
1032/// of the `ConstructorSet` for the type, yet if we forgot to include them in `present` we would be
1033/// ignoring any row with `Opaque`s in the algorithm. Hence the importance of point 4.
1034#[derive(#[automatically_derived]
impl<Cx: ::core::fmt::Debug + PatCx> ::core::fmt::Debug for
    SplitConstructorSet<Cx> {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field3_finish(f,
            "SplitConstructorSet", "present", &self.present, "missing",
            &self.missing, "missing_empty", &&self.missing_empty)
    }
}Debug)]
1035pub struct SplitConstructorSet<Cx: PatCx> {
1036    pub present: SmallVec<[Constructor<Cx>; 1]>,
1037    pub missing: Vec<Constructor<Cx>>,
1038    pub missing_empty: Vec<Constructor<Cx>>,
1039}
1040
1041impl<Cx: PatCx> ConstructorSet<Cx> {
1042    /// This analyzes a column of constructors to 1/ determine which constructors of the type (if
1043    /// any) are missing; 2/ split constructors to handle non-trivial intersections e.g. on ranges
1044    /// or slices. This can get subtle; see [`SplitConstructorSet`] for details of this operation
1045    /// and its invariants.
1046    pub fn split<'a>(
1047        &self,
1048        ctors: impl Iterator<Item = &'a Constructor<Cx>> + Clone,
1049    ) -> SplitConstructorSet<Cx>
1050    where
1051        Cx: 'a,
1052    {
1053        let mut present: SmallVec<[_; 1]> = SmallVec::new();
1054        // Empty constructors found missing.
1055        let mut missing_empty = Vec::new();
1056        // Nonempty constructors found missing.
1057        let mut missing = Vec::new();
1058        // Constructors in `ctors`, except wildcards and opaques.
1059        let mut seen = Vec::new();
1060        // If we see a deref pattern, it must be the only non-wildcard non-opaque constructor; we
1061        // ensure this prior to analysis.
1062        let mut deref_pat_present = false;
1063        for ctor in ctors.cloned() {
1064            match ctor {
1065                DerefPattern(..) => {
1066                    if !deref_pat_present {
1067                        deref_pat_present = true;
1068                        present.push(ctor);
1069                    }
1070                }
1071                Opaque(..) => present.push(ctor),
1072                Wildcard => {} // discard wildcards
1073                _ => seen.push(ctor),
1074            }
1075        }
1076
1077        match self {
1078            _ if deref_pat_present => {
1079                // Deref patterns are the only constructor; nothing is missing.
1080            }
1081            ConstructorSet::Struct { empty } => {
1082                if !seen.is_empty() {
1083                    present.push(Struct);
1084                } else if *empty {
1085                    missing_empty.push(Struct);
1086                } else {
1087                    missing.push(Struct);
1088                }
1089            }
1090            ConstructorSet::Ref => {
1091                if !seen.is_empty() {
1092                    present.push(Ref);
1093                } else {
1094                    missing.push(Ref);
1095                }
1096            }
1097            ConstructorSet::Union => {
1098                if !seen.is_empty() {
1099                    present.push(UnionField);
1100                } else {
1101                    missing.push(UnionField);
1102                }
1103            }
1104            ConstructorSet::Variants { variants, non_exhaustive } => {
1105                let mut seen_set = DenseBitSet::new_empty(variants.len());
1106                for idx in seen.iter().filter_map(|c| c.as_variant()) {
1107                    seen_set.insert(idx);
1108                }
1109                let mut skipped_a_hidden_variant = false;
1110
1111                for (idx, visibility) in variants.iter_enumerated() {
1112                    let ctor = Variant(idx);
1113                    if seen_set.contains(idx) {
1114                        present.push(ctor);
1115                    } else {
1116                        // We only put visible variants directly into `missing`.
1117                        match visibility {
1118                            VariantVisibility::Visible => missing.push(ctor),
1119                            VariantVisibility::Hidden => skipped_a_hidden_variant = true,
1120                            VariantVisibility::Empty => missing_empty.push(ctor),
1121                        }
1122                    }
1123                }
1124
1125                if skipped_a_hidden_variant {
1126                    missing.push(Hidden);
1127                }
1128                if *non_exhaustive {
1129                    missing.push(NonExhaustive);
1130                }
1131            }
1132            ConstructorSet::Bool => {
1133                let mut seen_false = false;
1134                let mut seen_true = false;
1135                for b in seen.iter().filter_map(|ctor| ctor.as_bool()) {
1136                    if b {
1137                        seen_true = true;
1138                    } else {
1139                        seen_false = true;
1140                    }
1141                }
1142                if seen_true {
1143                    present.push(Bool(true));
1144                } else {
1145                    missing.push(Bool(true));
1146                }
1147                if seen_false {
1148                    present.push(Bool(false));
1149                } else {
1150                    missing.push(Bool(false));
1151                }
1152            }
1153            ConstructorSet::Integers { range_1, range_2 } => {
1154                let seen_ranges: Vec<_> =
1155                    seen.iter().filter_map(|ctor| ctor.as_int_range()).copied().collect();
1156                for (seen, splitted_range) in range_1.split(seen_ranges.iter().cloned()) {
1157                    match seen {
1158                        Presence::Unseen => missing.push(IntRange(splitted_range)),
1159                        Presence::Seen => present.push(IntRange(splitted_range)),
1160                    }
1161                }
1162                if let Some(range_2) = range_2 {
1163                    for (seen, splitted_range) in range_2.split(seen_ranges.into_iter()) {
1164                        match seen {
1165                            Presence::Unseen => missing.push(IntRange(splitted_range)),
1166                            Presence::Seen => present.push(IntRange(splitted_range)),
1167                        }
1168                    }
1169                }
1170            }
1171            ConstructorSet::Slice { array_len, subtype_is_empty } => {
1172                let seen_slices = seen.iter().filter_map(|c| c.as_slice());
1173                let base_slice = Slice::new(*array_len, VarLen(0, 0));
1174                for (seen, splitted_slice) in base_slice.split(seen_slices) {
1175                    let ctor = Slice(splitted_slice);
1176                    match seen {
1177                        Presence::Seen => present.push(ctor),
1178                        Presence::Unseen => {
1179                            if *subtype_is_empty && splitted_slice.arity() != 0 {
1180                                // We have subpatterns of an empty type, so the constructor is
1181                                // empty.
1182                                missing_empty.push(ctor);
1183                            } else {
1184                                missing.push(ctor);
1185                            }
1186                        }
1187                    }
1188                }
1189            }
1190            ConstructorSet::Unlistable => {
1191                // Since we can't list constructors, we take the ones in the column. This might list
1192                // some constructors several times but there's not much we can do.
1193                present.extend(seen);
1194                missing.push(NonExhaustive);
1195            }
1196            ConstructorSet::NoConstructors => {
1197                // In a `MaybeInvalid` place even an empty pattern may be reachable. We therefore
1198                // add a dummy empty constructor here, which will be ignored if the place is
1199                // `ValidOnly`.
1200                missing_empty.push(Never);
1201            }
1202        }
1203
1204        SplitConstructorSet { present, missing, missing_empty }
1205    }
1206
1207    /// Whether this set only contains empty constructors.
1208    pub(crate) fn all_empty(&self) -> bool {
1209        match self {
1210            ConstructorSet::Bool
1211            | ConstructorSet::Integers { .. }
1212            | ConstructorSet::Ref
1213            | ConstructorSet::Union
1214            | ConstructorSet::Unlistable => false,
1215            ConstructorSet::NoConstructors => true,
1216            ConstructorSet::Struct { empty } => *empty,
1217            ConstructorSet::Variants { variants, non_exhaustive } => {
1218                !*non_exhaustive
1219                    && variants
1220                        .iter()
1221                        .all(|visibility| #[allow(non_exhaustive_omitted_patterns)] match visibility {
    VariantVisibility::Empty => true,
    _ => false,
}matches!(visibility, VariantVisibility::Empty))
1222            }
1223            ConstructorSet::Slice { array_len, subtype_is_empty } => {
1224                *subtype_is_empty && #[allow(non_exhaustive_omitted_patterns)] match array_len {
    Some(1..) => true,
    _ => false,
}matches!(array_len, Some(1..))
1225            }
1226        }
1227    }
1228}