]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_hir/src/lang_items.rs
Rename PointerSized to PointerLike
[rust.git] / compiler / rustc_hir / src / lang_items.rs
1 //! Defines language items.
2 //!
3 //! Language items are items that represent concepts intrinsic to the language
4 //! itself. Examples are:
5 //!
6 //! * Traits that specify "kinds"; e.g., `Sync`, `Send`.
7 //! * Traits that represent operators; e.g., `Add`, `Sub`, `Index`.
8 //! * Functions called by the compiler itself.
9
10 use crate::def_id::DefId;
11 use crate::errors::LangItemError;
12 use crate::{MethodKind, Target};
13
14 use rustc_ast as ast;
15 use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
16 use rustc_macros::HashStable_Generic;
17 use rustc_span::symbol::{kw, sym, Symbol};
18 use rustc_span::Span;
19
20 /// All of the language items, defined or not.
21 /// Defined lang items can come from the current crate or its dependencies.
22 #[derive(HashStable_Generic, Debug)]
23 pub struct LanguageItems {
24     /// Mappings from lang items to their possibly found [`DefId`]s.
25     /// The index corresponds to the order in [`LangItem`].
26     items: [Option<DefId>; std::mem::variant_count::<LangItem>()],
27     /// Lang items that were not found during collection.
28     pub missing: Vec<LangItem>,
29 }
30
31 impl LanguageItems {
32     /// Construct an empty collection of lang items and no missing ones.
33     pub fn new() -> Self {
34         Self { items: [None; std::mem::variant_count::<LangItem>()], missing: Vec::new() }
35     }
36
37     pub fn get(&self, item: LangItem) -> Option<DefId> {
38         self.items[item as usize]
39     }
40
41     pub fn set(&mut self, item: LangItem, def_id: DefId) {
42         self.items[item as usize] = Some(def_id);
43     }
44
45     /// Requires that a given `LangItem` was bound and returns the corresponding `DefId`.
46     /// If it wasn't bound, e.g. due to a missing `#[lang = "<it.name()>"]`,
47     /// returns an error encapsulating the `LangItem`.
48     pub fn require(&self, it: LangItem) -> Result<DefId, LangItemError> {
49         self.get(it).ok_or_else(|| LangItemError(it))
50     }
51
52     pub fn iter<'a>(&'a self) -> impl Iterator<Item = (LangItem, DefId)> + 'a {
53         self.items
54             .iter()
55             .enumerate()
56             .filter_map(|(i, id)| id.map(|id| (LangItem::from_u32(i as u32).unwrap(), id)))
57     }
58 }
59
60 // The actual lang items defined come at the end of this file in one handy table.
61 // So you probably just want to nip down to the end.
62 macro_rules! language_item_table {
63     (
64         $( $(#[$attr:meta])* $variant:ident, $module:ident :: $name:ident, $method:ident, $target:expr, $generics:expr; )*
65     ) => {
66
67         enum_from_u32! {
68             /// A representation of all the valid language items in Rust.
69             #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash, Encodable, Decodable)]
70             pub enum LangItem {
71                 $(
72                     #[doc = concat!("The `", stringify!($name), "` lang item.")]
73                     ///
74                     $(#[$attr])*
75                     $variant,
76                 )*
77             }
78         }
79
80         impl LangItem {
81             /// Returns the `name` symbol in `#[lang = "$name"]`.
82             /// For example, [`LangItem::PartialEq`]`.name()`
83             /// would result in [`sym::eq`] since it is `#[lang = "eq"]`.
84             pub fn name(self) -> Symbol {
85                 match self {
86                     $( LangItem::$variant => $module::$name, )*
87                 }
88             }
89
90             /// Opposite of [`LangItem::name`]
91             pub fn from_name(name: Symbol) -> Option<Self> {
92                 match name {
93                     $( $module::$name => Some(LangItem::$variant), )*
94                     _ => None,
95                 }
96             }
97
98             /// Returns the name of the `LangItem` enum variant.
99             // This method is used by Clippy for internal lints.
100             pub fn variant_name(self) -> &'static str {
101                 match self {
102                     $( LangItem::$variant => stringify!($variant), )*
103                 }
104             }
105
106             pub fn target(self) -> Target {
107                 match self {
108                     $( LangItem::$variant => $target, )*
109                 }
110             }
111
112             pub fn required_generics(&self) -> GenericRequirement {
113                 match self {
114                     $( LangItem::$variant => $generics, )*
115                 }
116             }
117         }
118
119         impl LanguageItems {
120             $(
121                 #[doc = concat!("Returns the [`DefId`] of the `", stringify!($name), "` lang item if it is defined.")]
122                 pub fn $method(&self) -> Option<DefId> {
123                     self.items[LangItem::$variant as usize]
124                 }
125             )*
126         }
127     }
128 }
129
130 impl<CTX> HashStable<CTX> for LangItem {
131     fn hash_stable(&self, _: &mut CTX, hasher: &mut StableHasher) {
132         ::std::hash::Hash::hash(self, hasher);
133     }
134 }
135
136 /// Extracts the first `lang = "$name"` out of a list of attributes.
137 /// The `#[panic_handler]` attribute is also extracted out when found.
138 pub fn extract(attrs: &[ast::Attribute]) -> Option<(Symbol, Span)> {
139     attrs.iter().find_map(|attr| {
140         Some(match attr {
141             _ if attr.has_name(sym::lang) => (attr.value_str()?, attr.span),
142             _ if attr.has_name(sym::panic_handler) => (sym::panic_impl, attr.span),
143             _ => return None,
144         })
145     })
146 }
147
148 language_item_table! {
149 //  Variant name,            Name,                     Getter method name,         Target                  Generic requirements;
150     Sized,                   sym::sized,               sized_trait,                Target::Trait,          GenericRequirement::Exact(0);
151     Unsize,                  sym::unsize,              unsize_trait,               Target::Trait,          GenericRequirement::Minimum(1);
152     /// Trait injected by `#[derive(PartialEq)]`, (i.e. "Partial EQ").
153     StructuralPeq,           sym::structural_peq,      structural_peq_trait,       Target::Trait,          GenericRequirement::None;
154     /// Trait injected by `#[derive(Eq)]`, (i.e. "Total EQ"; no, I will not apologize).
155     StructuralTeq,           sym::structural_teq,      structural_teq_trait,       Target::Trait,          GenericRequirement::None;
156     Copy,                    sym::copy,                copy_trait,                 Target::Trait,          GenericRequirement::Exact(0);
157     Clone,                   sym::clone,               clone_trait,                Target::Trait,          GenericRequirement::None;
158     Sync,                    sym::sync,                sync_trait,                 Target::Trait,          GenericRequirement::Exact(0);
159     DiscriminantKind,        sym::discriminant_kind,   discriminant_kind_trait,    Target::Trait,          GenericRequirement::None;
160     /// The associated item of the [`DiscriminantKind`] trait.
161     Discriminant,            sym::discriminant_type,   discriminant_type,          Target::AssocTy,        GenericRequirement::None;
162
163     PointeeTrait,            sym::pointee_trait,       pointee_trait,              Target::Trait,          GenericRequirement::None;
164     Metadata,                sym::metadata_type,       metadata_type,              Target::AssocTy,        GenericRequirement::None;
165     DynMetadata,             sym::dyn_metadata,        dyn_metadata,               Target::Struct,         GenericRequirement::None;
166
167     Freeze,                  sym::freeze,              freeze_trait,               Target::Trait,          GenericRequirement::Exact(0);
168
169     Drop,                    sym::drop,                drop_trait,                 Target::Trait,          GenericRequirement::None;
170     Destruct,                sym::destruct,            destruct_trait,             Target::Trait,          GenericRequirement::None;
171
172     CoerceUnsized,           sym::coerce_unsized,      coerce_unsized_trait,       Target::Trait,          GenericRequirement::Minimum(1);
173     DispatchFromDyn,         sym::dispatch_from_dyn,   dispatch_from_dyn_trait,    Target::Trait,          GenericRequirement::Minimum(1);
174
175     // language items relating to transmutability
176     TransmuteOpts,           sym::transmute_opts,      transmute_opts,             Target::Struct,         GenericRequirement::Exact(0);
177     TransmuteTrait,          sym::transmute_trait,     transmute_trait,            Target::Trait,          GenericRequirement::Exact(3);
178
179     Add,                     sym::add,                 add_trait,                  Target::Trait,          GenericRequirement::Exact(1);
180     Sub,                     sym::sub,                 sub_trait,                  Target::Trait,          GenericRequirement::Exact(1);
181     Mul,                     sym::mul,                 mul_trait,                  Target::Trait,          GenericRequirement::Exact(1);
182     Div,                     sym::div,                 div_trait,                  Target::Trait,          GenericRequirement::Exact(1);
183     Rem,                     sym::rem,                 rem_trait,                  Target::Trait,          GenericRequirement::Exact(1);
184     Neg,                     sym::neg,                 neg_trait,                  Target::Trait,          GenericRequirement::Exact(0);
185     Not,                     sym::not,                 not_trait,                  Target::Trait,          GenericRequirement::Exact(0);
186     BitXor,                  sym::bitxor,              bitxor_trait,               Target::Trait,          GenericRequirement::Exact(1);
187     BitAnd,                  sym::bitand,              bitand_trait,               Target::Trait,          GenericRequirement::Exact(1);
188     BitOr,                   sym::bitor,               bitor_trait,                Target::Trait,          GenericRequirement::Exact(1);
189     Shl,                     sym::shl,                 shl_trait,                  Target::Trait,          GenericRequirement::Exact(1);
190     Shr,                     sym::shr,                 shr_trait,                  Target::Trait,          GenericRequirement::Exact(1);
191     AddAssign,               sym::add_assign,          add_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
192     SubAssign,               sym::sub_assign,          sub_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
193     MulAssign,               sym::mul_assign,          mul_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
194     DivAssign,               sym::div_assign,          div_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
195     RemAssign,               sym::rem_assign,          rem_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
196     BitXorAssign,            sym::bitxor_assign,       bitxor_assign_trait,        Target::Trait,          GenericRequirement::Exact(1);
197     BitAndAssign,            sym::bitand_assign,       bitand_assign_trait,        Target::Trait,          GenericRequirement::Exact(1);
198     BitOrAssign,             sym::bitor_assign,        bitor_assign_trait,         Target::Trait,          GenericRequirement::Exact(1);
199     ShlAssign,               sym::shl_assign,          shl_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
200     ShrAssign,               sym::shr_assign,          shr_assign_trait,           Target::Trait,          GenericRequirement::Exact(1);
201     Index,                   sym::index,               index_trait,                Target::Trait,          GenericRequirement::Exact(1);
202     IndexMut,                sym::index_mut,           index_mut_trait,            Target::Trait,          GenericRequirement::Exact(1);
203
204     UnsafeCell,              sym::unsafe_cell,         unsafe_cell_type,           Target::Struct,         GenericRequirement::None;
205     VaList,                  sym::va_list,             va_list,                    Target::Struct,         GenericRequirement::None;
206
207     Deref,                   sym::deref,               deref_trait,                Target::Trait,          GenericRequirement::Exact(0);
208     DerefMut,                sym::deref_mut,           deref_mut_trait,            Target::Trait,          GenericRequirement::Exact(0);
209     DerefTarget,             sym::deref_target,        deref_target,               Target::AssocTy,        GenericRequirement::None;
210     Receiver,                sym::receiver,            receiver_trait,             Target::Trait,          GenericRequirement::None;
211
212     Fn,                      kw::Fn,                   fn_trait,                   Target::Trait,          GenericRequirement::Exact(1);
213     FnMut,                   sym::fn_mut,              fn_mut_trait,               Target::Trait,          GenericRequirement::Exact(1);
214     FnOnce,                  sym::fn_once,             fn_once_trait,              Target::Trait,          GenericRequirement::Exact(1);
215
216     FnOnceOutput,            sym::fn_once_output,      fn_once_output,             Target::AssocTy,        GenericRequirement::None;
217
218     Future,                  sym::future_trait,        future_trait,               Target::Trait,          GenericRequirement::Exact(0);
219     GeneratorState,          sym::generator_state,     gen_state,                  Target::Enum,           GenericRequirement::None;
220     Generator,               sym::generator,           gen_trait,                  Target::Trait,          GenericRequirement::Minimum(1);
221     Unpin,                   sym::unpin,               unpin_trait,                Target::Trait,          GenericRequirement::None;
222     Pin,                     sym::pin,                 pin_type,                   Target::Struct,         GenericRequirement::None;
223
224     PartialEq,               sym::eq,                  eq_trait,                   Target::Trait,          GenericRequirement::Exact(1);
225     PartialOrd,              sym::partial_ord,         partial_ord_trait,          Target::Trait,          GenericRequirement::Exact(1);
226
227     // A number of panic-related lang items. The `panic` item corresponds to divide-by-zero and
228     // various panic cases with `match`. The `panic_bounds_check` item is for indexing arrays.
229     //
230     // The `begin_unwind` lang item has a predefined symbol name and is sort of a "weak lang item"
231     // in the sense that a crate is not required to have it defined to use it, but a final product
232     // is required to define it somewhere. Additionally, there are restrictions on crates that use
233     // a weak lang item, but do not have it defined.
234     Panic,                   sym::panic,               panic_fn,                   Target::Fn,             GenericRequirement::Exact(0);
235     PanicNounwind,           sym::panic_nounwind,      panic_nounwind,             Target::Fn,             GenericRequirement::Exact(0);
236     PanicFmt,                sym::panic_fmt,           panic_fmt,                  Target::Fn,             GenericRequirement::None;
237     PanicDisplay,            sym::panic_display,       panic_display,              Target::Fn,             GenericRequirement::None;
238     ConstPanicFmt,           sym::const_panic_fmt,     const_panic_fmt,            Target::Fn,             GenericRequirement::None;
239     PanicBoundsCheck,        sym::panic_bounds_check,  panic_bounds_check_fn,      Target::Fn,             GenericRequirement::Exact(0);
240     PanicInfo,               sym::panic_info,          panic_info,                 Target::Struct,         GenericRequirement::None;
241     PanicLocation,           sym::panic_location,      panic_location,             Target::Struct,         GenericRequirement::None;
242     PanicImpl,               sym::panic_impl,          panic_impl,                 Target::Fn,             GenericRequirement::None;
243     PanicCannotUnwind,       sym::panic_cannot_unwind, panic_cannot_unwind,        Target::Fn,             GenericRequirement::Exact(0);
244     /// libstd panic entry point. Necessary for const eval to be able to catch it
245     BeginPanic,              sym::begin_panic,         begin_panic_fn,             Target::Fn,             GenericRequirement::None;
246
247     // Lang items needed for `format_args!()`.
248     FormatAlignment,         sym::format_alignment,    format_alignment,           Target::Enum,           GenericRequirement::None;
249     FormatArgument,          sym::format_argument,     format_argument,            Target::Struct,         GenericRequirement::None;
250     FormatArguments,         sym::format_arguments,    format_arguments,           Target::Struct,         GenericRequirement::None;
251     FormatCount,             sym::format_count,        format_count,               Target::Enum,           GenericRequirement::None;
252     FormatPlaceholder,       sym::format_placeholder,  format_placeholder,         Target::Struct,         GenericRequirement::None;
253     FormatUnsafeArg,         sym::format_unsafe_arg,   format_unsafe_arg,          Target::Struct,         GenericRequirement::None;
254
255     ExchangeMalloc,          sym::exchange_malloc,     exchange_malloc_fn,         Target::Fn,             GenericRequirement::None;
256     BoxFree,                 sym::box_free,            box_free_fn,                Target::Fn,             GenericRequirement::Minimum(1);
257     DropInPlace,             sym::drop_in_place,       drop_in_place_fn,           Target::Fn,             GenericRequirement::Minimum(1);
258     AllocLayout,             sym::alloc_layout,        alloc_layout,               Target::Struct,         GenericRequirement::None;
259
260     Start,                   sym::start,               start_fn,                   Target::Fn,             GenericRequirement::Exact(1);
261
262     EhPersonality,           sym::eh_personality,      eh_personality,             Target::Fn,             GenericRequirement::None;
263     EhCatchTypeinfo,         sym::eh_catch_typeinfo,   eh_catch_typeinfo,          Target::Static,         GenericRequirement::None;
264
265     OwnedBox,                sym::owned_box,           owned_box,                  Target::Struct,         GenericRequirement::Minimum(1);
266
267     PhantomData,             sym::phantom_data,        phantom_data,               Target::Struct,         GenericRequirement::Exact(1);
268
269     ManuallyDrop,            sym::manually_drop,       manually_drop,              Target::Struct,         GenericRequirement::None;
270
271     MaybeUninit,             sym::maybe_uninit,        maybe_uninit,               Target::Union,          GenericRequirement::None;
272
273     /// Align offset for stride != 1; must not panic.
274     AlignOffset,             sym::align_offset,        align_offset_fn,            Target::Fn,             GenericRequirement::None;
275
276     Termination,             sym::termination,         termination,                Target::Trait,          GenericRequirement::None;
277
278     Try,                     sym::Try,                 try_trait,                  Target::Trait,          GenericRequirement::None;
279
280     Tuple,                   sym::tuple_trait,         tuple_trait,                Target::Trait,          GenericRequirement::Exact(0);
281
282     SliceLen,                sym::slice_len_fn,        slice_len_fn,               Target::Method(MethodKind::Inherent), GenericRequirement::None;
283
284     // Language items from AST lowering
285     TryTraitFromResidual,    sym::from_residual,       from_residual_fn,           Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
286     TryTraitFromOutput,      sym::from_output,         from_output_fn,             Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
287     TryTraitBranch,          sym::branch,              branch_fn,                  Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
288     TryTraitFromYeet,        sym::from_yeet,           from_yeet_fn,               Target::Fn,             GenericRequirement::None;
289
290     PointerLike,             sym::pointer_like,        pointer_like,               Target::Trait,          GenericRequirement::Exact(0);
291
292     Poll,                    sym::Poll,                poll,                       Target::Enum,           GenericRequirement::None;
293     PollReady,               sym::Ready,               poll_ready_variant,         Target::Variant,        GenericRequirement::None;
294     PollPending,             sym::Pending,             poll_pending_variant,       Target::Variant,        GenericRequirement::None;
295
296     // FIXME(swatinem): the following lang items are used for async lowering and
297     // should become obsolete eventually.
298     ResumeTy,                sym::ResumeTy,            resume_ty,                  Target::Struct,         GenericRequirement::None;
299     IdentityFuture,          sym::identity_future,     identity_future_fn,         Target::Fn,             GenericRequirement::None;
300     GetContext,              sym::get_context,         get_context_fn,             Target::Fn,             GenericRequirement::None;
301
302     Context,                 sym::Context,             context,                    Target::Struct,         GenericRequirement::None;
303     FuturePoll,              sym::poll,                future_poll_fn,             Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
304
305     FromFrom,                sym::from,                from_fn,                    Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
306
307     OptionSome,              sym::Some,                option_some_variant,        Target::Variant,        GenericRequirement::None;
308     OptionNone,              sym::None,                option_none_variant,        Target::Variant,        GenericRequirement::None;
309
310     ResultOk,                sym::Ok,                  result_ok_variant,          Target::Variant,        GenericRequirement::None;
311     ResultErr,               sym::Err,                 result_err_variant,         Target::Variant,        GenericRequirement::None;
312
313     ControlFlowContinue,     sym::Continue,            cf_continue_variant,        Target::Variant,        GenericRequirement::None;
314     ControlFlowBreak,        sym::Break,               cf_break_variant,           Target::Variant,        GenericRequirement::None;
315
316     IntoFutureIntoFuture,    sym::into_future,         into_future_fn,             Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
317     IntoIterIntoIter,        sym::into_iter,           into_iter_fn,               Target::Method(MethodKind::Trait { body: false }), GenericRequirement::None;
318     IteratorNext,            sym::next,                next_fn,                    Target::Method(MethodKind::Trait { body: false}), GenericRequirement::None;
319
320     PinNewUnchecked,         sym::new_unchecked,       new_unchecked_fn,           Target::Method(MethodKind::Inherent), GenericRequirement::None;
321
322     RangeFrom,               sym::RangeFrom,           range_from_struct,          Target::Struct,         GenericRequirement::None;
323     RangeFull,               sym::RangeFull,           range_full_struct,          Target::Struct,         GenericRequirement::None;
324     RangeInclusiveStruct,    sym::RangeInclusive,      range_inclusive_struct,     Target::Struct,         GenericRequirement::None;
325     RangeInclusiveNew,       sym::range_inclusive_new, range_inclusive_new_method, Target::Method(MethodKind::Inherent), GenericRequirement::None;
326     Range,                   sym::Range,               range_struct,               Target::Struct,         GenericRequirement::None;
327     RangeToInclusive,        sym::RangeToInclusive,    range_to_inclusive_struct,  Target::Struct,         GenericRequirement::None;
328     RangeTo,                 sym::RangeTo,             range_to_struct,            Target::Struct,         GenericRequirement::None;
329
330     String,                  sym::String,              string,                     Target::Struct,         GenericRequirement::None;
331 }
332
333 pub enum GenericRequirement {
334     None,
335     Minimum(usize),
336     Exact(usize),
337 }
338
339 pub static FN_TRAITS: &'static [LangItem] = &[LangItem::Fn, LangItem::FnMut, LangItem::FnOnce];
340
341 pub static OPERATORS: &'static [LangItem] = &[
342     LangItem::Add,
343     LangItem::Sub,
344     LangItem::Mul,
345     LangItem::Div,
346     LangItem::Rem,
347     LangItem::Neg,
348     LangItem::Not,
349     LangItem::BitXor,
350     LangItem::BitAnd,
351     LangItem::BitOr,
352     LangItem::Shl,
353     LangItem::Shr,
354     LangItem::AddAssign,
355     LangItem::SubAssign,
356     LangItem::MulAssign,
357     LangItem::DivAssign,
358     LangItem::RemAssign,
359     LangItem::BitXorAssign,
360     LangItem::BitAndAssign,
361     LangItem::BitOrAssign,
362     LangItem::ShlAssign,
363     LangItem::ShrAssign,
364     LangItem::Index,
365     LangItem::IndexMut,
366     LangItem::PartialEq,
367     LangItem::PartialOrd,
368 ];