rustc_middle/ty/inhabitedness/mod.rs
1//! This module contains logic for determining whether a type is inhabited or
2//! uninhabited. The [`InhabitedPredicate`] type captures the minimum
3//! information needed to determine whether a type is inhabited given a
4//! `ParamEnv` and module ID.
5//!
6//! # Example
7//! ```rust
8//! #![feature(never_type)]
9//! mod a {
10//! pub mod b {
11//! pub struct SecretlyUninhabited {
12//! _priv: !,
13//! }
14//! }
15//! }
16//!
17//! mod c {
18//! enum Void {}
19//! pub struct AlsoSecretlyUninhabited {
20//! _priv: Void,
21//! }
22//! mod d {
23//! }
24//! }
25//!
26//! struct Foo {
27//! x: a::b::SecretlyUninhabited,
28//! y: c::AlsoSecretlyUninhabited,
29//! }
30//! ```
31//! In this code, the type `Foo` will only be visibly uninhabited inside the
32//! modules `b`, `c` and `d`. Calling `inhabited_predicate` on `Foo` will
33//! return `NotInModule(b) AND NotInModule(c)`.
34//!
35//! We need this information for pattern-matching on `Foo` or types that contain
36//! `Foo`.
37//!
38//! # Example
39//! ```ignore(illustrative)
40//! let foo_result: Result<T, Foo> = ... ;
41//! let Ok(t) = foo_result;
42//! ```
43//! This code should only compile in modules where the uninhabitedness of `Foo`
44//! is visible.
45
46use rustc_type_ir::TyKind::*;
47use tracing::instrument;
48
49use crate::query::Providers;
50use crate::ty::{self, DefId, Ty, TyCtxt, TypeVisitableExt, VariantDef, Visibility};
51
52pub mod inhabited_predicate;
53
54pub use inhabited_predicate::InhabitedPredicate;
55
56pub(crate) fn provide(providers: &mut Providers) {
57 *providers = Providers { inhabited_predicate_adt, inhabited_predicate_type, ..*providers };
58}
59
60/// Returns an `InhabitedPredicate` that is generic over type parameters and
61/// requires calling [`InhabitedPredicate::instantiate`]
62fn inhabited_predicate_adt(tcx: TyCtxt<'_>, def_id: DefId) -> InhabitedPredicate<'_> {
63 if let Some(def_id) = def_id.as_local() {
64 tcx.ensure_ok().check_representability(def_id);
65 }
66
67 let adt = tcx.adt_def(def_id);
68 InhabitedPredicate::any(
69 tcx,
70 adt.variants().iter().map(|variant| variant.inhabited_predicate(tcx, adt)),
71 )
72}
73
74impl<'tcx> VariantDef {
75 /// Calculates the forest of `DefId`s from which this variant is visibly uninhabited.
76 pub fn inhabited_predicate(
77 &self,
78 tcx: TyCtxt<'tcx>,
79 adt: ty::AdtDef<'_>,
80 ) -> InhabitedPredicate<'tcx> {
81 debug_assert!(!adt.is_union());
82 InhabitedPredicate::all(
83 tcx,
84 self.fields.iter().map(|field| {
85 let pred = tcx.type_of(field.did).instantiate_identity().inhabited_predicate(tcx);
86 if adt.is_enum() {
87 return pred;
88 }
89 match field.vis {
90 Visibility::Public => pred,
91 Visibility::Restricted(from) => {
92 pred.or(tcx, InhabitedPredicate::NotInModule(from))
93 }
94 }
95 }),
96 )
97 }
98}
99
100impl<'tcx> Ty<'tcx> {
101 #[instrument(level = "debug", skip(tcx), ret)]
102 pub fn inhabited_predicate(self, tcx: TyCtxt<'tcx>) -> InhabitedPredicate<'tcx> {
103 debug_assert!(!self.has_infer());
104 match self.kind() {
105 // For now, unions are always considered inhabited
106 Adt(adt, _) if adt.is_union() => InhabitedPredicate::True,
107 // Non-exhaustive ADTs from other crates are always considered inhabited
108 Adt(adt, _) if adt.variant_list_has_applicable_non_exhaustive() => {
109 InhabitedPredicate::True
110 }
111 Never => InhabitedPredicate::False,
112 Param(_)
113 | Alias(ty::AliasTy {
114 kind: ty::Inherent { .. } | ty::Projection { .. } | ty::Free { .. },
115 ..
116 }) => InhabitedPredicate::GenericType(self),
117 &Alias(ty::AliasTy { kind: ty::Opaque { def_id }, args, .. }) => {
118 match def_id.as_local() {
119 // Foreign opaque is considered inhabited.
120 None => InhabitedPredicate::True,
121 // Local opaque type may possibly be revealed.
122 Some(local_def_id) => {
123 let key = ty::OpaqueTypeKey { def_id: local_def_id, args };
124 InhabitedPredicate::OpaqueType(key)
125 }
126 }
127 }
128 Tuple(tys) if tys.is_empty() => InhabitedPredicate::True,
129 // use a query for more complex cases
130 Adt(..) | Array(..) | Tuple(_) => tcx.inhabited_predicate_type(self),
131 // references and other types are inhabited
132 _ => InhabitedPredicate::True,
133 }
134 }
135
136 /// Checks whether a type is visibly uninhabited from a particular module.
137 ///
138 /// # Example
139 /// ```
140 /// #![feature(never_type)]
141 /// # fn main() {}
142 /// enum Void {}
143 /// mod a {
144 /// pub mod b {
145 /// pub struct SecretlyUninhabited {
146 /// _priv: !,
147 /// }
148 /// }
149 /// }
150 ///
151 /// mod c {
152 /// use super::Void;
153 /// pub struct AlsoSecretlyUninhabited {
154 /// _priv: Void,
155 /// }
156 /// mod d {
157 /// }
158 /// }
159 ///
160 /// struct Foo {
161 /// x: a::b::SecretlyUninhabited,
162 /// y: c::AlsoSecretlyUninhabited,
163 /// }
164 /// ```
165 /// In this code, the type `Foo` will only be visibly uninhabited inside the
166 /// modules b, c and d. This effects pattern-matching on `Foo` or types that
167 /// contain `Foo`.
168 ///
169 /// # Example
170 /// ```ignore (illustrative)
171 /// let foo_result: Result<T, Foo> = ... ;
172 /// let Ok(t) = foo_result;
173 /// ```
174 /// This code should only compile in modules where the uninhabitedness of Foo is
175 /// visible.
176 pub fn is_inhabited_from(
177 self,
178 tcx: TyCtxt<'tcx>,
179 module: DefId,
180 typing_env: ty::TypingEnv<'tcx>,
181 ) -> bool {
182 self.inhabited_predicate(tcx).apply(tcx, typing_env, module)
183 }
184
185 /// Returns true if the type is uninhabited without regard to visibility
186 pub fn is_privately_uninhabited(
187 self,
188 tcx: TyCtxt<'tcx>,
189 typing_env: ty::TypingEnv<'tcx>,
190 ) -> bool {
191 !self.inhabited_predicate(tcx).apply_ignore_module(tcx, typing_env)
192 }
193}
194
195/// N.B. this query should only be called through `Ty::inhabited_predicate`
196fn inhabited_predicate_type<'tcx>(tcx: TyCtxt<'tcx>, ty: Ty<'tcx>) -> InhabitedPredicate<'tcx> {
197 match *ty.kind() {
198 Adt(adt, args) => tcx.inhabited_predicate_adt(adt.did()).instantiate(tcx, args),
199
200 Tuple(tys) => {
201 InhabitedPredicate::all(tcx, tys.iter().map(|ty| ty.inhabited_predicate(tcx)))
202 }
203
204 // If we can evaluate the array length before having a `ParamEnv`, then
205 // we can simplify the predicate. This is an optimization.
206 Array(ty, len) => match len.try_to_target_usize(tcx) {
207 Some(0) => InhabitedPredicate::True,
208 Some(1..) => ty.inhabited_predicate(tcx),
209 None => ty.inhabited_predicate(tcx).or(tcx, InhabitedPredicate::ConstIsZero(len)),
210 },
211
212 _ => bug!("unexpected TyKind, use `Ty::inhabited_predicate`"),
213 }
214}