]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/collect.rs
Fix font color for help button in ayu and dark themes
[rust.git] / src / librustc_typeck / collect.rs
1 //! "Collection" is the process of determining the type and other external
2 //! details of each item in Rust. Collection is specifically concerned
3 //! with *inter-procedural* things -- for example, for a function
4 //! definition, collection will figure out the type and signature of the
5 //! function, but it will not visit the *body* of the function in any way,
6 //! nor examine type annotations on local variables (that's the job of
7 //! type *checking*).
8 //!
9 //! Collecting is ultimately defined by a bundle of queries that
10 //! inquire after various facts about the items in the crate (e.g.,
11 //! `type_of`, `generics_of`, `predicates_of`, etc). See the `provide` function
12 //! for the full set.
13 //!
14 //! At present, however, we do run collection across all items in the
15 //! crate as a kind of pass. This should eventually be factored away.
16
17 use crate::astconv::{AstConv, Bounds, SizedByDefault};
18 use crate::check::intrinsic::intrinsic_operation_unsafety;
19 use crate::constrained_generic_params as cgp;
20 use crate::middle::resolve_lifetime as rl;
21 use rustc_ast as ast;
22 use rustc_ast::MetaItemKind;
23 use rustc_attr::{list_contains_name, InlineAttr, OptimizeAttr};
24 use rustc_data_structures::captures::Captures;
25 use rustc_data_structures::fx::{FxHashMap, FxHashSet, FxIndexSet};
26 use rustc_errors::{struct_span_err, Applicability};
27 use rustc_hir as hir;
28 use rustc_hir::def::{CtorKind, DefKind, Res};
29 use rustc_hir::def_id::{DefId, LocalDefId, LOCAL_CRATE};
30 use rustc_hir::intravisit::{self, NestedVisitorMap, Visitor};
31 use rustc_hir::weak_lang_items;
32 use rustc_hir::{GenericParamKind, HirId, Node};
33 use rustc_middle::hir::map::blocks::FnLikeNode;
34 use rustc_middle::hir::map::Map;
35 use rustc_middle::middle::codegen_fn_attrs::{CodegenFnAttrFlags, CodegenFnAttrs};
36 use rustc_middle::mir::mono::Linkage;
37 use rustc_middle::ty::query::Providers;
38 use rustc_middle::ty::subst::InternalSubsts;
39 use rustc_middle::ty::util::Discr;
40 use rustc_middle::ty::util::IntTypeExt;
41 use rustc_middle::ty::{self, AdtKind, Const, ToPolyTraitRef, Ty, TyCtxt};
42 use rustc_middle::ty::{ReprOptions, ToPredicate, WithConstness};
43 use rustc_session::config::SanitizerSet;
44 use rustc_session::lint;
45 use rustc_session::parse::feature_err;
46 use rustc_span::symbol::{kw, sym, Ident, Symbol};
47 use rustc_span::{Span, DUMMY_SP};
48 use rustc_target::spec::abi;
49 use rustc_trait_selection::traits::error_reporting::suggestions::NextTypeParamName;
50
51 mod type_of;
52
53 struct OnlySelfBounds(bool);
54
55 ///////////////////////////////////////////////////////////////////////////
56 // Main entry point
57
58 fn collect_mod_item_types(tcx: TyCtxt<'_>, module_def_id: LocalDefId) {
59     tcx.hir().visit_item_likes_in_module(
60         module_def_id,
61         &mut CollectItemTypesVisitor { tcx }.as_deep_visitor(),
62     );
63 }
64
65 pub fn provide(providers: &mut Providers) {
66     *providers = Providers {
67         opt_const_param_of: type_of::opt_const_param_of,
68         type_of: type_of::type_of,
69         generics_of,
70         predicates_of,
71         predicates_defined_on,
72         explicit_predicates_of,
73         super_predicates_of,
74         type_param_predicates,
75         trait_def,
76         adt_def,
77         fn_sig,
78         impl_trait_ref,
79         impl_polarity,
80         is_foreign_item,
81         static_mutability,
82         generator_kind,
83         codegen_fn_attrs,
84         collect_mod_item_types,
85         ..*providers
86     };
87 }
88
89 ///////////////////////////////////////////////////////////////////////////
90
91 /// Context specific to some particular item. This is what implements
92 /// `AstConv`. It has information about the predicates that are defined
93 /// on the trait. Unfortunately, this predicate information is
94 /// available in various different forms at various points in the
95 /// process. So we can't just store a pointer to e.g., the AST or the
96 /// parsed ty form, we have to be more flexible. To this end, the
97 /// `ItemCtxt` is parameterized by a `DefId` that it uses to satisfy
98 /// `get_type_parameter_bounds` requests, drawing the information from
99 /// the AST (`hir::Generics`), recursively.
100 pub struct ItemCtxt<'tcx> {
101     tcx: TyCtxt<'tcx>,
102     item_def_id: DefId,
103 }
104
105 ///////////////////////////////////////////////////////////////////////////
106
107 #[derive(Default)]
108 crate struct PlaceholderHirTyCollector(crate Vec<Span>);
109
110 impl<'v> Visitor<'v> for PlaceholderHirTyCollector {
111     type Map = intravisit::ErasedMap<'v>;
112
113     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
114         NestedVisitorMap::None
115     }
116     fn visit_ty(&mut self, t: &'v hir::Ty<'v>) {
117         if let hir::TyKind::Infer = t.kind {
118             self.0.push(t.span);
119         }
120         intravisit::walk_ty(self, t)
121     }
122 }
123
124 struct CollectItemTypesVisitor<'tcx> {
125     tcx: TyCtxt<'tcx>,
126 }
127
128 /// If there are any placeholder types (`_`), emit an error explaining that this is not allowed
129 /// and suggest adding type parameters in the appropriate place, taking into consideration any and
130 /// all already existing generic type parameters to avoid suggesting a name that is already in use.
131 crate fn placeholder_type_error(
132     tcx: TyCtxt<'tcx>,
133     span: Option<Span>,
134     generics: &[hir::GenericParam<'_>],
135     placeholder_types: Vec<Span>,
136     suggest: bool,
137 ) {
138     if placeholder_types.is_empty() {
139         return;
140     }
141
142     let type_name = generics.next_type_param_name(None);
143     let mut sugg: Vec<_> =
144         placeholder_types.iter().map(|sp| (*sp, (*type_name).to_string())).collect();
145
146     if generics.is_empty() {
147         if let Some(span) = span {
148             sugg.push((span, format!("<{}>", type_name)));
149         }
150     } else if let Some(arg) = generics.iter().find(|arg| match arg.name {
151         hir::ParamName::Plain(Ident { name: kw::Underscore, .. }) => true,
152         _ => false,
153     }) {
154         // Account for `_` already present in cases like `struct S<_>(_);` and suggest
155         // `struct S<T>(T);` instead of `struct S<_, T>(T);`.
156         sugg.push((arg.span, (*type_name).to_string()));
157     } else {
158         let last = generics.iter().last().unwrap();
159         sugg.push((
160             // Account for bounds, we want `fn foo<T: E, K>(_: K)` not `fn foo<T, K: E>(_: K)`.
161             last.bounds_span().unwrap_or(last.span).shrink_to_hi(),
162             format!(", {}", type_name),
163         ));
164     }
165
166     let mut err = bad_placeholder_type(tcx, placeholder_types);
167     if suggest {
168         err.multipart_suggestion(
169             "use type parameters instead",
170             sugg,
171             Applicability::HasPlaceholders,
172         );
173     }
174     err.emit();
175 }
176
177 fn reject_placeholder_type_signatures_in_item(tcx: TyCtxt<'tcx>, item: &'tcx hir::Item<'tcx>) {
178     let (generics, suggest) = match &item.kind {
179         hir::ItemKind::Union(_, generics)
180         | hir::ItemKind::Enum(_, generics)
181         | hir::ItemKind::TraitAlias(generics, _)
182         | hir::ItemKind::Trait(_, _, generics, ..)
183         | hir::ItemKind::Impl { generics, .. }
184         | hir::ItemKind::Struct(_, generics) => (generics, true),
185         hir::ItemKind::OpaqueTy(hir::OpaqueTy { generics, .. })
186         | hir::ItemKind::TyAlias(_, generics) => (generics, false),
187         // `static`, `fn` and `const` are handled elsewhere to suggest appropriate type.
188         _ => return,
189     };
190
191     let mut visitor = PlaceholderHirTyCollector::default();
192     visitor.visit_item(item);
193
194     placeholder_type_error(tcx, Some(generics.span), &generics.params[..], visitor.0, suggest);
195 }
196
197 impl Visitor<'tcx> for CollectItemTypesVisitor<'tcx> {
198     type Map = Map<'tcx>;
199
200     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
201         NestedVisitorMap::OnlyBodies(self.tcx.hir())
202     }
203
204     fn visit_item(&mut self, item: &'tcx hir::Item<'tcx>) {
205         convert_item(self.tcx, item.hir_id);
206         reject_placeholder_type_signatures_in_item(self.tcx, item);
207         intravisit::walk_item(self, item);
208     }
209
210     fn visit_generics(&mut self, generics: &'tcx hir::Generics<'tcx>) {
211         for param in generics.params {
212             match param.kind {
213                 hir::GenericParamKind::Lifetime { .. } => {}
214                 hir::GenericParamKind::Type { default: Some(_), .. } => {
215                     let def_id = self.tcx.hir().local_def_id(param.hir_id);
216                     self.tcx.ensure().type_of(def_id);
217                 }
218                 hir::GenericParamKind::Type { .. } => {}
219                 hir::GenericParamKind::Const { .. } => {
220                     let def_id = self.tcx.hir().local_def_id(param.hir_id);
221                     self.tcx.ensure().type_of(def_id);
222                 }
223             }
224         }
225         intravisit::walk_generics(self, generics);
226     }
227
228     fn visit_expr(&mut self, expr: &'tcx hir::Expr<'tcx>) {
229         if let hir::ExprKind::Closure(..) = expr.kind {
230             let def_id = self.tcx.hir().local_def_id(expr.hir_id);
231             self.tcx.ensure().generics_of(def_id);
232             self.tcx.ensure().type_of(def_id);
233         }
234         intravisit::walk_expr(self, expr);
235     }
236
237     fn visit_trait_item(&mut self, trait_item: &'tcx hir::TraitItem<'tcx>) {
238         convert_trait_item(self.tcx, trait_item.hir_id);
239         intravisit::walk_trait_item(self, trait_item);
240     }
241
242     fn visit_impl_item(&mut self, impl_item: &'tcx hir::ImplItem<'tcx>) {
243         convert_impl_item(self.tcx, impl_item.hir_id);
244         intravisit::walk_impl_item(self, impl_item);
245     }
246 }
247
248 ///////////////////////////////////////////////////////////////////////////
249 // Utility types and common code for the above passes.
250
251 fn bad_placeholder_type(
252     tcx: TyCtxt<'tcx>,
253     mut spans: Vec<Span>,
254 ) -> rustc_errors::DiagnosticBuilder<'tcx> {
255     spans.sort();
256     let mut err = struct_span_err!(
257         tcx.sess,
258         spans.clone(),
259         E0121,
260         "the type placeholder `_` is not allowed within types on item signatures",
261     );
262     for span in spans {
263         err.span_label(span, "not allowed in type signatures");
264     }
265     err
266 }
267
268 impl ItemCtxt<'tcx> {
269     pub fn new(tcx: TyCtxt<'tcx>, item_def_id: DefId) -> ItemCtxt<'tcx> {
270         ItemCtxt { tcx, item_def_id }
271     }
272
273     pub fn to_ty(&self, ast_ty: &'tcx hir::Ty<'tcx>) -> Ty<'tcx> {
274         AstConv::ast_ty_to_ty(self, ast_ty)
275     }
276
277     pub fn hir_id(&self) -> hir::HirId {
278         self.tcx.hir().local_def_id_to_hir_id(self.item_def_id.expect_local())
279     }
280
281     pub fn node(&self) -> hir::Node<'tcx> {
282         self.tcx.hir().get(self.hir_id())
283     }
284 }
285
286 impl AstConv<'tcx> for ItemCtxt<'tcx> {
287     fn tcx(&self) -> TyCtxt<'tcx> {
288         self.tcx
289     }
290
291     fn item_def_id(&self) -> Option<DefId> {
292         Some(self.item_def_id)
293     }
294
295     fn default_constness_for_trait_bounds(&self) -> hir::Constness {
296         if let Some(fn_like) = FnLikeNode::from_node(self.node()) {
297             fn_like.constness()
298         } else {
299             hir::Constness::NotConst
300         }
301     }
302
303     fn get_type_parameter_bounds(&self, span: Span, def_id: DefId) -> ty::GenericPredicates<'tcx> {
304         self.tcx.at(span).type_param_predicates((self.item_def_id, def_id.expect_local()))
305     }
306
307     fn re_infer(&self, _: Option<&ty::GenericParamDef>, _: Span) -> Option<ty::Region<'tcx>> {
308         None
309     }
310
311     fn allow_ty_infer(&self) -> bool {
312         false
313     }
314
315     fn ty_infer(&self, _: Option<&ty::GenericParamDef>, span: Span) -> Ty<'tcx> {
316         self.tcx().ty_error_with_message(span, "bad_placeholder_type")
317     }
318
319     fn ct_infer(
320         &self,
321         ty: Ty<'tcx>,
322         _: Option<&ty::GenericParamDef>,
323         span: Span,
324     ) -> &'tcx Const<'tcx> {
325         bad_placeholder_type(self.tcx(), vec![span]).emit();
326         self.tcx().const_error(ty)
327     }
328
329     fn projected_ty_from_poly_trait_ref(
330         &self,
331         span: Span,
332         item_def_id: DefId,
333         item_segment: &hir::PathSegment<'_>,
334         poly_trait_ref: ty::PolyTraitRef<'tcx>,
335     ) -> Ty<'tcx> {
336         if let Some(trait_ref) = poly_trait_ref.no_bound_vars() {
337             let item_substs = <dyn AstConv<'tcx>>::create_substs_for_associated_item(
338                 self,
339                 self.tcx,
340                 span,
341                 item_def_id,
342                 item_segment,
343                 trait_ref.substs,
344             );
345             self.tcx().mk_projection(item_def_id, item_substs)
346         } else {
347             // There are no late-bound regions; we can just ignore the binder.
348             let mut err = struct_span_err!(
349                 self.tcx().sess,
350                 span,
351                 E0212,
352                 "cannot extract an associated type from a higher-ranked trait bound \
353                  in this context"
354             );
355
356             match self.node() {
357                 hir::Node::Field(_) | hir::Node::Ctor(_) | hir::Node::Variant(_) => {
358                     let item =
359                         self.tcx.hir().expect_item(self.tcx.hir().get_parent_item(self.hir_id()));
360                     match &item.kind {
361                         hir::ItemKind::Enum(_, generics)
362                         | hir::ItemKind::Struct(_, generics)
363                         | hir::ItemKind::Union(_, generics) => {
364                             let lt_name = get_new_lifetime_name(self.tcx, poly_trait_ref, generics);
365                             let (lt_sp, sugg) = match &generics.params[..] {
366                                 [] => (generics.span, format!("<{}>", lt_name)),
367                                 [bound, ..] => {
368                                     (bound.span.shrink_to_lo(), format!("{}, ", lt_name))
369                                 }
370                             };
371                             let suggestions = vec![
372                                 (lt_sp, sugg),
373                                 (
374                                     span,
375                                     format!(
376                                         "{}::{}",
377                                         // Replace the existing lifetimes with a new named lifetime.
378                                         self.tcx
379                                             .replace_late_bound_regions(&poly_trait_ref, |_| {
380                                                 self.tcx.mk_region(ty::ReEarlyBound(
381                                                     ty::EarlyBoundRegion {
382                                                         def_id: item_def_id,
383                                                         index: 0,
384                                                         name: Symbol::intern(&lt_name),
385                                                     },
386                                                 ))
387                                             })
388                                             .0,
389                                         item_segment.ident
390                                     ),
391                                 ),
392                             ];
393                             err.multipart_suggestion(
394                                 "use a fully qualified path with explicit lifetimes",
395                                 suggestions,
396                                 Applicability::MaybeIncorrect,
397                             );
398                         }
399                         _ => {}
400                     }
401                 }
402                 hir::Node::Item(hir::Item {
403                     kind:
404                         hir::ItemKind::Struct(..) | hir::ItemKind::Enum(..) | hir::ItemKind::Union(..),
405                     ..
406                 }) => {}
407                 hir::Node::Item(_)
408                 | hir::Node::ForeignItem(_)
409                 | hir::Node::TraitItem(_)
410                 | hir::Node::ImplItem(_) => {
411                     err.span_suggestion(
412                         span,
413                         "use a fully qualified path with inferred lifetimes",
414                         format!(
415                             "{}::{}",
416                             // Erase named lt, we want `<A as B<'_>::C`, not `<A as B<'a>::C`.
417                             self.tcx.anonymize_late_bound_regions(&poly_trait_ref).skip_binder(),
418                             item_segment.ident
419                         ),
420                         Applicability::MaybeIncorrect,
421                     );
422                 }
423                 _ => {}
424             }
425             err.emit();
426             self.tcx().ty_error()
427         }
428     }
429
430     fn normalize_ty(&self, _span: Span, ty: Ty<'tcx>) -> Ty<'tcx> {
431         // Types in item signatures are not normalized to avoid undue dependencies.
432         ty
433     }
434
435     fn set_tainted_by_errors(&self) {
436         // There's no obvious place to track this, so just let it go.
437     }
438
439     fn record_ty(&self, _hir_id: hir::HirId, _ty: Ty<'tcx>, _span: Span) {
440         // There's no place to record types from signatures?
441     }
442 }
443
444 /// Synthesize a new lifetime name that doesn't clash with any of the lifetimes already present.
445 fn get_new_lifetime_name<'tcx>(
446     tcx: TyCtxt<'tcx>,
447     poly_trait_ref: ty::PolyTraitRef<'tcx>,
448     generics: &hir::Generics<'tcx>,
449 ) -> String {
450     let existing_lifetimes = tcx
451         .collect_referenced_late_bound_regions(&poly_trait_ref)
452         .into_iter()
453         .filter_map(|lt| {
454             if let ty::BoundRegion::BrNamed(_, name) = lt {
455                 Some(name.as_str().to_string())
456             } else {
457                 None
458             }
459         })
460         .chain(generics.params.iter().filter_map(|param| {
461             if let hir::GenericParamKind::Lifetime { .. } = &param.kind {
462                 Some(param.name.ident().as_str().to_string())
463             } else {
464                 None
465             }
466         }))
467         .collect::<FxHashSet<String>>();
468
469     let a_to_z_repeat_n = |n| {
470         (b'a'..=b'z').map(move |c| {
471             let mut s = '\''.to_string();
472             s.extend(std::iter::repeat(char::from(c)).take(n));
473             s
474         })
475     };
476
477     // If all single char lifetime names are present, we wrap around and double the chars.
478     (1..).flat_map(a_to_z_repeat_n).find(|lt| !existing_lifetimes.contains(lt.as_str())).unwrap()
479 }
480
481 /// Returns the predicates defined on `item_def_id` of the form
482 /// `X: Foo` where `X` is the type parameter `def_id`.
483 fn type_param_predicates(
484     tcx: TyCtxt<'_>,
485     (item_def_id, def_id): (DefId, LocalDefId),
486 ) -> ty::GenericPredicates<'_> {
487     use rustc_hir::*;
488
489     // In the AST, bounds can derive from two places. Either
490     // written inline like `<T: Foo>` or in a where-clause like
491     // `where T: Foo`.
492
493     let param_id = tcx.hir().local_def_id_to_hir_id(def_id);
494     let param_owner = tcx.hir().ty_param_owner(param_id);
495     let param_owner_def_id = tcx.hir().local_def_id(param_owner);
496     let generics = tcx.generics_of(param_owner_def_id);
497     let index = generics.param_def_id_to_index[&def_id.to_def_id()];
498     let ty = tcx.mk_ty_param(index, tcx.hir().ty_param_name(param_id));
499
500     // Don't look for bounds where the type parameter isn't in scope.
501     let parent = if item_def_id == param_owner_def_id.to_def_id() {
502         None
503     } else {
504         tcx.generics_of(item_def_id).parent
505     };
506
507     let mut result = parent
508         .map(|parent| {
509             let icx = ItemCtxt::new(tcx, parent);
510             icx.get_type_parameter_bounds(DUMMY_SP, def_id.to_def_id())
511         })
512         .unwrap_or_default();
513     let mut extend = None;
514
515     let item_hir_id = tcx.hir().local_def_id_to_hir_id(item_def_id.expect_local());
516     let ast_generics = match tcx.hir().get(item_hir_id) {
517         Node::TraitItem(item) => &item.generics,
518
519         Node::ImplItem(item) => &item.generics,
520
521         Node::Item(item) => {
522             match item.kind {
523                 ItemKind::Fn(.., ref generics, _)
524                 | ItemKind::Impl { ref generics, .. }
525                 | ItemKind::TyAlias(_, ref generics)
526                 | ItemKind::OpaqueTy(OpaqueTy { ref generics, impl_trait_fn: None, .. })
527                 | ItemKind::Enum(_, ref generics)
528                 | ItemKind::Struct(_, ref generics)
529                 | ItemKind::Union(_, ref generics) => generics,
530                 ItemKind::Trait(_, _, ref generics, ..) => {
531                     // Implied `Self: Trait` and supertrait bounds.
532                     if param_id == item_hir_id {
533                         let identity_trait_ref = ty::TraitRef::identity(tcx, item_def_id);
534                         extend =
535                             Some((identity_trait_ref.without_const().to_predicate(tcx), item.span));
536                     }
537                     generics
538                 }
539                 _ => return result,
540             }
541         }
542
543         Node::ForeignItem(item) => match item.kind {
544             ForeignItemKind::Fn(_, _, ref generics) => generics,
545             _ => return result,
546         },
547
548         _ => return result,
549     };
550
551     let icx = ItemCtxt::new(tcx, item_def_id);
552     let extra_predicates = extend.into_iter().chain(
553         icx.type_parameter_bounds_in_generics(ast_generics, param_id, ty, OnlySelfBounds(true))
554             .into_iter()
555             .filter(|(predicate, _)| match predicate.skip_binders() {
556                 ty::PredicateAtom::Trait(data, _) => data.self_ty().is_param(index),
557                 _ => false,
558             }),
559     );
560     result.predicates =
561         tcx.arena.alloc_from_iter(result.predicates.iter().copied().chain(extra_predicates));
562     result
563 }
564
565 impl ItemCtxt<'tcx> {
566     /// Finds bounds from `hir::Generics`. This requires scanning through the
567     /// AST. We do this to avoid having to convert *all* the bounds, which
568     /// would create artificial cycles. Instead, we can only convert the
569     /// bounds for a type parameter `X` if `X::Foo` is used.
570     fn type_parameter_bounds_in_generics(
571         &self,
572         ast_generics: &'tcx hir::Generics<'tcx>,
573         param_id: hir::HirId,
574         ty: Ty<'tcx>,
575         only_self_bounds: OnlySelfBounds,
576     ) -> Vec<(ty::Predicate<'tcx>, Span)> {
577         let constness = self.default_constness_for_trait_bounds();
578         let from_ty_params = ast_generics
579             .params
580             .iter()
581             .filter_map(|param| match param.kind {
582                 GenericParamKind::Type { .. } if param.hir_id == param_id => Some(&param.bounds),
583                 _ => None,
584             })
585             .flat_map(|bounds| bounds.iter())
586             .flat_map(|b| predicates_from_bound(self, ty, b, constness));
587
588         let from_where_clauses = ast_generics
589             .where_clause
590             .predicates
591             .iter()
592             .filter_map(|wp| match *wp {
593                 hir::WherePredicate::BoundPredicate(ref bp) => Some(bp),
594                 _ => None,
595             })
596             .flat_map(|bp| {
597                 let bt = if is_param(self.tcx, &bp.bounded_ty, param_id) {
598                     Some(ty)
599                 } else if !only_self_bounds.0 {
600                     Some(self.to_ty(&bp.bounded_ty))
601                 } else {
602                     None
603                 };
604                 bp.bounds.iter().filter_map(move |b| bt.map(|bt| (bt, b)))
605             })
606             .flat_map(|(bt, b)| predicates_from_bound(self, bt, b, constness));
607
608         from_ty_params.chain(from_where_clauses).collect()
609     }
610 }
611
612 /// Tests whether this is the AST for a reference to the type
613 /// parameter with ID `param_id`. We use this so as to avoid running
614 /// `ast_ty_to_ty`, because we want to avoid triggering an all-out
615 /// conversion of the type to avoid inducing unnecessary cycles.
616 fn is_param(tcx: TyCtxt<'_>, ast_ty: &hir::Ty<'_>, param_id: hir::HirId) -> bool {
617     if let hir::TyKind::Path(hir::QPath::Resolved(None, ref path)) = ast_ty.kind {
618         match path.res {
619             Res::SelfTy(Some(def_id), None) | Res::Def(DefKind::TyParam, def_id) => {
620                 def_id == tcx.hir().local_def_id(param_id).to_def_id()
621             }
622             _ => false,
623         }
624     } else {
625         false
626     }
627 }
628
629 fn convert_item(tcx: TyCtxt<'_>, item_id: hir::HirId) {
630     let it = tcx.hir().expect_item(item_id);
631     debug!("convert: item {} with id {}", it.ident, it.hir_id);
632     let def_id = tcx.hir().local_def_id(item_id);
633     match it.kind {
634         // These don't define types.
635         hir::ItemKind::ExternCrate(_)
636         | hir::ItemKind::Use(..)
637         | hir::ItemKind::Mod(_)
638         | hir::ItemKind::GlobalAsm(_) => {}
639         hir::ItemKind::ForeignMod(ref foreign_mod) => {
640             for item in foreign_mod.items {
641                 let def_id = tcx.hir().local_def_id(item.hir_id);
642                 tcx.ensure().generics_of(def_id);
643                 tcx.ensure().type_of(def_id);
644                 tcx.ensure().predicates_of(def_id);
645                 if let hir::ForeignItemKind::Fn(..) = item.kind {
646                     tcx.ensure().fn_sig(def_id);
647                 }
648             }
649         }
650         hir::ItemKind::Enum(ref enum_definition, _) => {
651             tcx.ensure().generics_of(def_id);
652             tcx.ensure().type_of(def_id);
653             tcx.ensure().predicates_of(def_id);
654             convert_enum_variant_types(tcx, def_id.to_def_id(), &enum_definition.variants);
655         }
656         hir::ItemKind::Impl { .. } => {
657             tcx.ensure().generics_of(def_id);
658             tcx.ensure().type_of(def_id);
659             tcx.ensure().impl_trait_ref(def_id);
660             tcx.ensure().predicates_of(def_id);
661         }
662         hir::ItemKind::Trait(..) => {
663             tcx.ensure().generics_of(def_id);
664             tcx.ensure().trait_def(def_id);
665             tcx.at(it.span).super_predicates_of(def_id);
666             tcx.ensure().predicates_of(def_id);
667         }
668         hir::ItemKind::TraitAlias(..) => {
669             tcx.ensure().generics_of(def_id);
670             tcx.at(it.span).super_predicates_of(def_id);
671             tcx.ensure().predicates_of(def_id);
672         }
673         hir::ItemKind::Struct(ref struct_def, _) | hir::ItemKind::Union(ref struct_def, _) => {
674             tcx.ensure().generics_of(def_id);
675             tcx.ensure().type_of(def_id);
676             tcx.ensure().predicates_of(def_id);
677
678             for f in struct_def.fields() {
679                 let def_id = tcx.hir().local_def_id(f.hir_id);
680                 tcx.ensure().generics_of(def_id);
681                 tcx.ensure().type_of(def_id);
682                 tcx.ensure().predicates_of(def_id);
683             }
684
685             if let Some(ctor_hir_id) = struct_def.ctor_hir_id() {
686                 convert_variant_ctor(tcx, ctor_hir_id);
687             }
688         }
689
690         // Desugared from `impl Trait`, so visited by the function's return type.
691         hir::ItemKind::OpaqueTy(hir::OpaqueTy { impl_trait_fn: Some(_), .. }) => {}
692
693         hir::ItemKind::OpaqueTy(..)
694         | hir::ItemKind::TyAlias(..)
695         | hir::ItemKind::Static(..)
696         | hir::ItemKind::Const(..)
697         | hir::ItemKind::Fn(..) => {
698             tcx.ensure().generics_of(def_id);
699             tcx.ensure().type_of(def_id);
700             tcx.ensure().predicates_of(def_id);
701             if let hir::ItemKind::Fn(..) = it.kind {
702                 tcx.ensure().fn_sig(def_id);
703             }
704         }
705     }
706 }
707
708 fn convert_trait_item(tcx: TyCtxt<'_>, trait_item_id: hir::HirId) {
709     let trait_item = tcx.hir().expect_trait_item(trait_item_id);
710     let def_id = tcx.hir().local_def_id(trait_item.hir_id);
711     tcx.ensure().generics_of(def_id);
712
713     match trait_item.kind {
714         hir::TraitItemKind::Fn(..) => {
715             tcx.ensure().type_of(def_id);
716             tcx.ensure().fn_sig(def_id);
717         }
718
719         hir::TraitItemKind::Const(.., Some(_)) => {
720             tcx.ensure().type_of(def_id);
721         }
722
723         hir::TraitItemKind::Const(..) | hir::TraitItemKind::Type(_, Some(_)) => {
724             tcx.ensure().type_of(def_id);
725             // Account for `const C: _;` and `type T = _;`.
726             let mut visitor = PlaceholderHirTyCollector::default();
727             visitor.visit_trait_item(trait_item);
728             placeholder_type_error(tcx, None, &[], visitor.0, false);
729         }
730
731         hir::TraitItemKind::Type(_, None) => {
732             // #74612: Visit and try to find bad placeholders
733             // even if there is no concrete type.
734             let mut visitor = PlaceholderHirTyCollector::default();
735             visitor.visit_trait_item(trait_item);
736             placeholder_type_error(tcx, None, &[], visitor.0, false);
737         }
738     };
739
740     tcx.ensure().predicates_of(def_id);
741 }
742
743 fn convert_impl_item(tcx: TyCtxt<'_>, impl_item_id: hir::HirId) {
744     let def_id = tcx.hir().local_def_id(impl_item_id);
745     tcx.ensure().generics_of(def_id);
746     tcx.ensure().type_of(def_id);
747     tcx.ensure().predicates_of(def_id);
748     let impl_item = tcx.hir().expect_impl_item(impl_item_id);
749     match impl_item.kind {
750         hir::ImplItemKind::Fn(..) => {
751             tcx.ensure().fn_sig(def_id);
752         }
753         hir::ImplItemKind::TyAlias(_) => {
754             // Account for `type T = _;`
755             let mut visitor = PlaceholderHirTyCollector::default();
756             visitor.visit_impl_item(impl_item);
757             placeholder_type_error(tcx, None, &[], visitor.0, false);
758         }
759         hir::ImplItemKind::Const(..) => {}
760     }
761 }
762
763 fn convert_variant_ctor(tcx: TyCtxt<'_>, ctor_id: hir::HirId) {
764     let def_id = tcx.hir().local_def_id(ctor_id);
765     tcx.ensure().generics_of(def_id);
766     tcx.ensure().type_of(def_id);
767     tcx.ensure().predicates_of(def_id);
768 }
769
770 fn convert_enum_variant_types(tcx: TyCtxt<'_>, def_id: DefId, variants: &[hir::Variant<'_>]) {
771     let def = tcx.adt_def(def_id);
772     let repr_type = def.repr.discr_type();
773     let initial = repr_type.initial_discriminant(tcx);
774     let mut prev_discr = None::<Discr<'_>>;
775
776     // fill the discriminant values and field types
777     for variant in variants {
778         let wrapped_discr = prev_discr.map_or(initial, |d| d.wrap_incr(tcx));
779         prev_discr = Some(
780             if let Some(ref e) = variant.disr_expr {
781                 let expr_did = tcx.hir().local_def_id(e.hir_id);
782                 def.eval_explicit_discr(tcx, expr_did.to_def_id())
783             } else if let Some(discr) = repr_type.disr_incr(tcx, prev_discr) {
784                 Some(discr)
785             } else {
786                 struct_span_err!(tcx.sess, variant.span, E0370, "enum discriminant overflowed")
787                     .span_label(
788                         variant.span,
789                         format!("overflowed on value after {}", prev_discr.unwrap()),
790                     )
791                     .note(&format!(
792                         "explicitly set `{} = {}` if that is desired outcome",
793                         variant.ident, wrapped_discr
794                     ))
795                     .emit();
796                 None
797             }
798             .unwrap_or(wrapped_discr),
799         );
800
801         for f in variant.data.fields() {
802             let def_id = tcx.hir().local_def_id(f.hir_id);
803             tcx.ensure().generics_of(def_id);
804             tcx.ensure().type_of(def_id);
805             tcx.ensure().predicates_of(def_id);
806         }
807
808         // Convert the ctor, if any. This also registers the variant as
809         // an item.
810         if let Some(ctor_hir_id) = variant.data.ctor_hir_id() {
811             convert_variant_ctor(tcx, ctor_hir_id);
812         }
813     }
814 }
815
816 fn convert_variant(
817     tcx: TyCtxt<'_>,
818     variant_did: Option<LocalDefId>,
819     ctor_did: Option<LocalDefId>,
820     ident: Ident,
821     discr: ty::VariantDiscr,
822     def: &hir::VariantData<'_>,
823     adt_kind: ty::AdtKind,
824     parent_did: LocalDefId,
825 ) -> ty::VariantDef {
826     let mut seen_fields: FxHashMap<Ident, Span> = Default::default();
827     let hir_id = tcx.hir().local_def_id_to_hir_id(variant_did.unwrap_or(parent_did));
828     let fields = def
829         .fields()
830         .iter()
831         .map(|f| {
832             let fid = tcx.hir().local_def_id(f.hir_id);
833             let dup_span = seen_fields.get(&f.ident.normalize_to_macros_2_0()).cloned();
834             if let Some(prev_span) = dup_span {
835                 struct_span_err!(
836                     tcx.sess,
837                     f.span,
838                     E0124,
839                     "field `{}` is already declared",
840                     f.ident
841                 )
842                 .span_label(f.span, "field already declared")
843                 .span_label(prev_span, format!("`{}` first declared here", f.ident))
844                 .emit();
845             } else {
846                 seen_fields.insert(f.ident.normalize_to_macros_2_0(), f.span);
847             }
848
849             ty::FieldDef {
850                 did: fid.to_def_id(),
851                 ident: f.ident,
852                 vis: ty::Visibility::from_hir(&f.vis, hir_id, tcx),
853             }
854         })
855         .collect();
856     let recovered = match def {
857         hir::VariantData::Struct(_, r) => *r,
858         _ => false,
859     };
860     ty::VariantDef::new(
861         ident,
862         variant_did.map(LocalDefId::to_def_id),
863         ctor_did.map(LocalDefId::to_def_id),
864         discr,
865         fields,
866         CtorKind::from_hir(def),
867         adt_kind,
868         parent_did.to_def_id(),
869         recovered,
870         adt_kind == AdtKind::Struct && tcx.has_attr(parent_did.to_def_id(), sym::non_exhaustive)
871             || variant_did.map_or(false, |variant_did| {
872                 tcx.has_attr(variant_did.to_def_id(), sym::non_exhaustive)
873             }),
874     )
875 }
876
877 fn adt_def(tcx: TyCtxt<'_>, def_id: DefId) -> &ty::AdtDef {
878     use rustc_hir::*;
879
880     let def_id = def_id.expect_local();
881     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id);
882     let item = match tcx.hir().get(hir_id) {
883         Node::Item(item) => item,
884         _ => bug!(),
885     };
886
887     let repr = ReprOptions::new(tcx, def_id.to_def_id());
888     let (kind, variants) = match item.kind {
889         ItemKind::Enum(ref def, _) => {
890             let mut distance_from_explicit = 0;
891             let variants = def
892                 .variants
893                 .iter()
894                 .map(|v| {
895                     let variant_did = Some(tcx.hir().local_def_id(v.id));
896                     let ctor_did =
897                         v.data.ctor_hir_id().map(|hir_id| tcx.hir().local_def_id(hir_id));
898
899                     let discr = if let Some(ref e) = v.disr_expr {
900                         distance_from_explicit = 0;
901                         ty::VariantDiscr::Explicit(tcx.hir().local_def_id(e.hir_id).to_def_id())
902                     } else {
903                         ty::VariantDiscr::Relative(distance_from_explicit)
904                     };
905                     distance_from_explicit += 1;
906
907                     convert_variant(
908                         tcx,
909                         variant_did,
910                         ctor_did,
911                         v.ident,
912                         discr,
913                         &v.data,
914                         AdtKind::Enum,
915                         def_id,
916                     )
917                 })
918                 .collect();
919
920             (AdtKind::Enum, variants)
921         }
922         ItemKind::Struct(ref def, _) => {
923             let variant_did = None::<LocalDefId>;
924             let ctor_did = def.ctor_hir_id().map(|hir_id| tcx.hir().local_def_id(hir_id));
925
926             let variants = std::iter::once(convert_variant(
927                 tcx,
928                 variant_did,
929                 ctor_did,
930                 item.ident,
931                 ty::VariantDiscr::Relative(0),
932                 def,
933                 AdtKind::Struct,
934                 def_id,
935             ))
936             .collect();
937
938             (AdtKind::Struct, variants)
939         }
940         ItemKind::Union(ref def, _) => {
941             let variant_did = None;
942             let ctor_did = def.ctor_hir_id().map(|hir_id| tcx.hir().local_def_id(hir_id));
943
944             let variants = std::iter::once(convert_variant(
945                 tcx,
946                 variant_did,
947                 ctor_did,
948                 item.ident,
949                 ty::VariantDiscr::Relative(0),
950                 def,
951                 AdtKind::Union,
952                 def_id,
953             ))
954             .collect();
955
956             (AdtKind::Union, variants)
957         }
958         _ => bug!(),
959     };
960     tcx.alloc_adt_def(def_id.to_def_id(), kind, variants, repr)
961 }
962
963 /// Ensures that the super-predicates of the trait with a `DefId`
964 /// of `trait_def_id` are converted and stored. This also ensures that
965 /// the transitive super-predicates are converted.
966 fn super_predicates_of(tcx: TyCtxt<'_>, trait_def_id: DefId) -> ty::GenericPredicates<'_> {
967     debug!("super_predicates(trait_def_id={:?})", trait_def_id);
968     let trait_hir_id = tcx.hir().local_def_id_to_hir_id(trait_def_id.expect_local());
969
970     let item = match tcx.hir().get(trait_hir_id) {
971         Node::Item(item) => item,
972         _ => bug!("trait_node_id {} is not an item", trait_hir_id),
973     };
974
975     let (generics, bounds) = match item.kind {
976         hir::ItemKind::Trait(.., ref generics, ref supertraits, _) => (generics, supertraits),
977         hir::ItemKind::TraitAlias(ref generics, ref supertraits) => (generics, supertraits),
978         _ => span_bug!(item.span, "super_predicates invoked on non-trait"),
979     };
980
981     let icx = ItemCtxt::new(tcx, trait_def_id);
982
983     // Convert the bounds that follow the colon, e.g., `Bar + Zed` in `trait Foo: Bar + Zed`.
984     let self_param_ty = tcx.types.self_param;
985     let superbounds1 =
986         AstConv::compute_bounds(&icx, self_param_ty, bounds, SizedByDefault::No, item.span);
987
988     let superbounds1 = superbounds1.predicates(tcx, self_param_ty);
989
990     // Convert any explicit superbounds in the where-clause,
991     // e.g., `trait Foo where Self: Bar`.
992     // In the case of trait aliases, however, we include all bounds in the where-clause,
993     // so e.g., `trait Foo = where u32: PartialEq<Self>` would include `u32: PartialEq<Self>`
994     // as one of its "superpredicates".
995     let is_trait_alias = tcx.is_trait_alias(trait_def_id);
996     let superbounds2 = icx.type_parameter_bounds_in_generics(
997         generics,
998         item.hir_id,
999         self_param_ty,
1000         OnlySelfBounds(!is_trait_alias),
1001     );
1002
1003     // Combine the two lists to form the complete set of superbounds:
1004     let superbounds = &*tcx.arena.alloc_from_iter(superbounds1.into_iter().chain(superbounds2));
1005
1006     // Now require that immediate supertraits are converted,
1007     // which will, in turn, reach indirect supertraits.
1008     for &(pred, span) in superbounds {
1009         debug!("superbound: {:?}", pred);
1010         if let ty::PredicateAtom::Trait(bound, _) = pred.skip_binders() {
1011             tcx.at(span).super_predicates_of(bound.def_id());
1012         }
1013     }
1014
1015     ty::GenericPredicates { parent: None, predicates: superbounds }
1016 }
1017
1018 fn trait_def(tcx: TyCtxt<'_>, def_id: DefId) -> ty::TraitDef {
1019     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id.expect_local());
1020     let item = tcx.hir().expect_item(hir_id);
1021
1022     let (is_auto, unsafety) = match item.kind {
1023         hir::ItemKind::Trait(is_auto, unsafety, ..) => (is_auto == hir::IsAuto::Yes, unsafety),
1024         hir::ItemKind::TraitAlias(..) => (false, hir::Unsafety::Normal),
1025         _ => span_bug!(item.span, "trait_def_of_item invoked on non-trait"),
1026     };
1027
1028     let paren_sugar = tcx.has_attr(def_id, sym::rustc_paren_sugar);
1029     if paren_sugar && !tcx.features().unboxed_closures {
1030         tcx.sess
1031             .struct_span_err(
1032                 item.span,
1033                 "the `#[rustc_paren_sugar]` attribute is a temporary means of controlling \
1034                  which traits can use parenthetical notation",
1035             )
1036             .help("add `#![feature(unboxed_closures)]` to the crate attributes to use it")
1037             .emit();
1038     }
1039
1040     let is_marker = tcx.has_attr(def_id, sym::marker);
1041     let spec_kind = if tcx.has_attr(def_id, sym::rustc_unsafe_specialization_marker) {
1042         ty::trait_def::TraitSpecializationKind::Marker
1043     } else if tcx.has_attr(def_id, sym::rustc_specialization_trait) {
1044         ty::trait_def::TraitSpecializationKind::AlwaysApplicable
1045     } else {
1046         ty::trait_def::TraitSpecializationKind::None
1047     };
1048     let def_path_hash = tcx.def_path_hash(def_id);
1049     ty::TraitDef::new(def_id, unsafety, paren_sugar, is_auto, is_marker, spec_kind, def_path_hash)
1050 }
1051
1052 fn has_late_bound_regions<'tcx>(tcx: TyCtxt<'tcx>, node: Node<'tcx>) -> Option<Span> {
1053     struct LateBoundRegionsDetector<'tcx> {
1054         tcx: TyCtxt<'tcx>,
1055         outer_index: ty::DebruijnIndex,
1056         has_late_bound_regions: Option<Span>,
1057     }
1058
1059     impl Visitor<'tcx> for LateBoundRegionsDetector<'tcx> {
1060         type Map = intravisit::ErasedMap<'tcx>;
1061
1062         fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
1063             NestedVisitorMap::None
1064         }
1065
1066         fn visit_ty(&mut self, ty: &'tcx hir::Ty<'tcx>) {
1067             if self.has_late_bound_regions.is_some() {
1068                 return;
1069             }
1070             match ty.kind {
1071                 hir::TyKind::BareFn(..) => {
1072                     self.outer_index.shift_in(1);
1073                     intravisit::walk_ty(self, ty);
1074                     self.outer_index.shift_out(1);
1075                 }
1076                 _ => intravisit::walk_ty(self, ty),
1077             }
1078         }
1079
1080         fn visit_poly_trait_ref(
1081             &mut self,
1082             tr: &'tcx hir::PolyTraitRef<'tcx>,
1083             m: hir::TraitBoundModifier,
1084         ) {
1085             if self.has_late_bound_regions.is_some() {
1086                 return;
1087             }
1088             self.outer_index.shift_in(1);
1089             intravisit::walk_poly_trait_ref(self, tr, m);
1090             self.outer_index.shift_out(1);
1091         }
1092
1093         fn visit_lifetime(&mut self, lt: &'tcx hir::Lifetime) {
1094             if self.has_late_bound_regions.is_some() {
1095                 return;
1096             }
1097
1098             match self.tcx.named_region(lt.hir_id) {
1099                 Some(rl::Region::Static | rl::Region::EarlyBound(..)) => {}
1100                 Some(
1101                     rl::Region::LateBound(debruijn, _, _) | rl::Region::LateBoundAnon(debruijn, _),
1102                 ) if debruijn < self.outer_index => {}
1103                 Some(
1104                     rl::Region::LateBound(..)
1105                     | rl::Region::LateBoundAnon(..)
1106                     | rl::Region::Free(..),
1107                 )
1108                 | None => {
1109                     self.has_late_bound_regions = Some(lt.span);
1110                 }
1111             }
1112         }
1113     }
1114
1115     fn has_late_bound_regions<'tcx>(
1116         tcx: TyCtxt<'tcx>,
1117         generics: &'tcx hir::Generics<'tcx>,
1118         decl: &'tcx hir::FnDecl<'tcx>,
1119     ) -> Option<Span> {
1120         let mut visitor = LateBoundRegionsDetector {
1121             tcx,
1122             outer_index: ty::INNERMOST,
1123             has_late_bound_regions: None,
1124         };
1125         for param in generics.params {
1126             if let GenericParamKind::Lifetime { .. } = param.kind {
1127                 if tcx.is_late_bound(param.hir_id) {
1128                     return Some(param.span);
1129                 }
1130             }
1131         }
1132         visitor.visit_fn_decl(decl);
1133         visitor.has_late_bound_regions
1134     }
1135
1136     match node {
1137         Node::TraitItem(item) => match item.kind {
1138             hir::TraitItemKind::Fn(ref sig, _) => {
1139                 has_late_bound_regions(tcx, &item.generics, &sig.decl)
1140             }
1141             _ => None,
1142         },
1143         Node::ImplItem(item) => match item.kind {
1144             hir::ImplItemKind::Fn(ref sig, _) => {
1145                 has_late_bound_regions(tcx, &item.generics, &sig.decl)
1146             }
1147             _ => None,
1148         },
1149         Node::ForeignItem(item) => match item.kind {
1150             hir::ForeignItemKind::Fn(ref fn_decl, _, ref generics) => {
1151                 has_late_bound_regions(tcx, generics, fn_decl)
1152             }
1153             _ => None,
1154         },
1155         Node::Item(item) => match item.kind {
1156             hir::ItemKind::Fn(ref sig, .., ref generics, _) => {
1157                 has_late_bound_regions(tcx, generics, &sig.decl)
1158             }
1159             _ => None,
1160         },
1161         _ => None,
1162     }
1163 }
1164
1165 struct AnonConstInParamListDetector {
1166     in_param_list: bool,
1167     found_anon_const_in_list: bool,
1168     ct: HirId,
1169 }
1170
1171 impl<'v> Visitor<'v> for AnonConstInParamListDetector {
1172     type Map = intravisit::ErasedMap<'v>;
1173
1174     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
1175         NestedVisitorMap::None
1176     }
1177
1178     fn visit_generic_param(&mut self, p: &'v hir::GenericParam<'v>) {
1179         let prev = self.in_param_list;
1180         self.in_param_list = true;
1181         intravisit::walk_generic_param(self, p);
1182         self.in_param_list = prev;
1183     }
1184
1185     fn visit_anon_const(&mut self, c: &'v hir::AnonConst) {
1186         if self.in_param_list && self.ct == c.hir_id {
1187             self.found_anon_const_in_list = true;
1188         } else {
1189             intravisit::walk_anon_const(self, c)
1190         }
1191     }
1192 }
1193
1194 fn generics_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::Generics {
1195     use rustc_hir::*;
1196
1197     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id.expect_local());
1198
1199     let node = tcx.hir().get(hir_id);
1200     let parent_def_id = match node {
1201         Node::ImplItem(_)
1202         | Node::TraitItem(_)
1203         | Node::Variant(_)
1204         | Node::Ctor(..)
1205         | Node::Field(_) => {
1206             let parent_id = tcx.hir().get_parent_item(hir_id);
1207             Some(tcx.hir().local_def_id(parent_id).to_def_id())
1208         }
1209         // FIXME(#43408) always enable this once `lazy_normalization` is
1210         // stable enough and does not need a feature gate anymore.
1211         Node::AnonConst(_) => {
1212             let parent_id = tcx.hir().get_parent_item(hir_id);
1213             let parent_def_id = tcx.hir().local_def_id(parent_id);
1214
1215             let mut in_param_list = false;
1216             for (_parent, node) in tcx.hir().parent_iter(hir_id) {
1217                 if let Some(generics) = node.generics() {
1218                     let mut visitor = AnonConstInParamListDetector {
1219                         in_param_list: false,
1220                         found_anon_const_in_list: false,
1221                         ct: hir_id,
1222                     };
1223
1224                     visitor.visit_generics(generics);
1225                     in_param_list = visitor.found_anon_const_in_list;
1226                     break;
1227                 }
1228             }
1229
1230             if in_param_list {
1231                 // We do not allow generic parameters in anon consts if we are inside
1232                 // of a param list.
1233                 //
1234                 // This affects both default type bindings, e.g. `struct<T, U = [u8; std::mem::size_of::<T>()]>(T, U)`,
1235                 // and the types of const parameters, e.g. `struct V<const N: usize, const M: [u8; N]>();`.
1236                 None
1237             } else if tcx.lazy_normalization() {
1238                 // HACK(eddyb) this provides the correct generics when
1239                 // `feature(const_generics)` is enabled, so that const expressions
1240                 // used with const generics, e.g. `Foo<{N+1}>`, can work at all.
1241                 //
1242                 // Note that we do not supply the parent generics when using
1243                 // `feature(min_const_generics)`.
1244                 Some(parent_def_id.to_def_id())
1245             } else {
1246                 let parent_node = tcx.hir().get(tcx.hir().get_parent_node(hir_id));
1247                 match parent_node {
1248                     // HACK(eddyb) this provides the correct generics for repeat
1249                     // expressions' count (i.e. `N` in `[x; N]`), and explicit
1250                     // `enum` discriminants (i.e. `D` in `enum Foo { Bar = D }`),
1251                     // as they shouldn't be able to cause query cycle errors.
1252                     Node::Expr(&Expr { kind: ExprKind::Repeat(_, ref constant), .. })
1253                     | Node::Variant(Variant { disr_expr: Some(ref constant), .. })
1254                         if constant.hir_id == hir_id =>
1255                     {
1256                         Some(parent_def_id.to_def_id())
1257                     }
1258
1259                     _ => None,
1260                 }
1261             }
1262         }
1263         Node::Expr(&hir::Expr { kind: hir::ExprKind::Closure(..), .. }) => {
1264             Some(tcx.closure_base_def_id(def_id))
1265         }
1266         Node::Item(item) => match item.kind {
1267             ItemKind::OpaqueTy(hir::OpaqueTy { impl_trait_fn, .. }) => {
1268                 impl_trait_fn.or_else(|| {
1269                     let parent_id = tcx.hir().get_parent_item(hir_id);
1270                     assert!(parent_id != hir_id && parent_id != CRATE_HIR_ID);
1271                     debug!("generics_of: parent of opaque ty {:?} is {:?}", def_id, parent_id);
1272                     // Opaque types are always nested within another item, and
1273                     // inherit the generics of the item.
1274                     Some(tcx.hir().local_def_id(parent_id).to_def_id())
1275                 })
1276             }
1277             _ => None,
1278         },
1279         _ => None,
1280     };
1281
1282     let mut opt_self = None;
1283     let mut allow_defaults = false;
1284
1285     let no_generics = hir::Generics::empty();
1286     let ast_generics = match node {
1287         Node::TraitItem(item) => &item.generics,
1288
1289         Node::ImplItem(item) => &item.generics,
1290
1291         Node::Item(item) => {
1292             match item.kind {
1293                 ItemKind::Fn(.., ref generics, _) | ItemKind::Impl { ref generics, .. } => generics,
1294
1295                 ItemKind::TyAlias(_, ref generics)
1296                 | ItemKind::Enum(_, ref generics)
1297                 | ItemKind::Struct(_, ref generics)
1298                 | ItemKind::OpaqueTy(hir::OpaqueTy { ref generics, .. })
1299                 | ItemKind::Union(_, ref generics) => {
1300                     allow_defaults = true;
1301                     generics
1302                 }
1303
1304                 ItemKind::Trait(_, _, ref generics, ..)
1305                 | ItemKind::TraitAlias(ref generics, ..) => {
1306                     // Add in the self type parameter.
1307                     //
1308                     // Something of a hack: use the node id for the trait, also as
1309                     // the node id for the Self type parameter.
1310                     let param_id = item.hir_id;
1311
1312                     opt_self = Some(ty::GenericParamDef {
1313                         index: 0,
1314                         name: kw::SelfUpper,
1315                         def_id: tcx.hir().local_def_id(param_id).to_def_id(),
1316                         pure_wrt_drop: false,
1317                         kind: ty::GenericParamDefKind::Type {
1318                             has_default: false,
1319                             object_lifetime_default: rl::Set1::Empty,
1320                             synthetic: None,
1321                         },
1322                     });
1323
1324                     allow_defaults = true;
1325                     generics
1326                 }
1327
1328                 _ => &no_generics,
1329             }
1330         }
1331
1332         Node::ForeignItem(item) => match item.kind {
1333             ForeignItemKind::Static(..) => &no_generics,
1334             ForeignItemKind::Fn(_, _, ref generics) => generics,
1335             ForeignItemKind::Type => &no_generics,
1336         },
1337
1338         _ => &no_generics,
1339     };
1340
1341     let has_self = opt_self.is_some();
1342     let mut parent_has_self = false;
1343     let mut own_start = has_self as u32;
1344     let parent_count = parent_def_id.map_or(0, |def_id| {
1345         let generics = tcx.generics_of(def_id);
1346         assert_eq!(has_self, false);
1347         parent_has_self = generics.has_self;
1348         own_start = generics.count() as u32;
1349         generics.parent_count + generics.params.len()
1350     });
1351
1352     let mut params: Vec<_> = opt_self.into_iter().collect();
1353
1354     let early_lifetimes = early_bound_lifetimes_from_generics(tcx, ast_generics);
1355     params.extend(early_lifetimes.enumerate().map(|(i, param)| ty::GenericParamDef {
1356         name: param.name.ident().name,
1357         index: own_start + i as u32,
1358         def_id: tcx.hir().local_def_id(param.hir_id).to_def_id(),
1359         pure_wrt_drop: param.pure_wrt_drop,
1360         kind: ty::GenericParamDefKind::Lifetime,
1361     }));
1362
1363     let object_lifetime_defaults = tcx.object_lifetime_defaults(hir_id);
1364
1365     // Now create the real type and const parameters.
1366     let type_start = own_start - has_self as u32 + params.len() as u32;
1367     let mut i = 0;
1368
1369     params.extend(ast_generics.params.iter().filter_map(|param| match param.kind {
1370         GenericParamKind::Lifetime { .. } => None,
1371         GenericParamKind::Type { ref default, synthetic, .. } => {
1372             if !allow_defaults && default.is_some() {
1373                 if !tcx.features().default_type_parameter_fallback {
1374                     tcx.struct_span_lint_hir(
1375                         lint::builtin::INVALID_TYPE_PARAM_DEFAULT,
1376                         param.hir_id,
1377                         param.span,
1378                         |lint| {
1379                             lint.build(
1380                                 "defaults for type parameters are only allowed in \
1381                                  `struct`, `enum`, `type`, or `trait` definitions.",
1382                             )
1383                             .emit();
1384                         },
1385                     );
1386                 }
1387             }
1388
1389             let kind = ty::GenericParamDefKind::Type {
1390                 has_default: default.is_some(),
1391                 object_lifetime_default: object_lifetime_defaults
1392                     .as_ref()
1393                     .map_or(rl::Set1::Empty, |o| o[i]),
1394                 synthetic,
1395             };
1396
1397             let param_def = ty::GenericParamDef {
1398                 index: type_start + i as u32,
1399                 name: param.name.ident().name,
1400                 def_id: tcx.hir().local_def_id(param.hir_id).to_def_id(),
1401                 pure_wrt_drop: param.pure_wrt_drop,
1402                 kind,
1403             };
1404             i += 1;
1405             Some(param_def)
1406         }
1407         GenericParamKind::Const { .. } => {
1408             let param_def = ty::GenericParamDef {
1409                 index: type_start + i as u32,
1410                 name: param.name.ident().name,
1411                 def_id: tcx.hir().local_def_id(param.hir_id).to_def_id(),
1412                 pure_wrt_drop: param.pure_wrt_drop,
1413                 kind: ty::GenericParamDefKind::Const,
1414             };
1415             i += 1;
1416             Some(param_def)
1417         }
1418     }));
1419
1420     // provide junk type parameter defs - the only place that
1421     // cares about anything but the length is instantiation,
1422     // and we don't do that for closures.
1423     if let Node::Expr(&hir::Expr { kind: hir::ExprKind::Closure(.., gen), .. }) = node {
1424         let dummy_args = if gen.is_some() {
1425             &["<resume_ty>", "<yield_ty>", "<return_ty>", "<witness>", "<upvars>"][..]
1426         } else {
1427             &["<closure_kind>", "<closure_signature>", "<upvars>"][..]
1428         };
1429
1430         params.extend(dummy_args.iter().enumerate().map(|(i, &arg)| ty::GenericParamDef {
1431             index: type_start + i as u32,
1432             name: Symbol::intern(arg),
1433             def_id,
1434             pure_wrt_drop: false,
1435             kind: ty::GenericParamDefKind::Type {
1436                 has_default: false,
1437                 object_lifetime_default: rl::Set1::Empty,
1438                 synthetic: None,
1439             },
1440         }));
1441     }
1442
1443     let param_def_id_to_index = params.iter().map(|param| (param.def_id, param.index)).collect();
1444
1445     ty::Generics {
1446         parent: parent_def_id,
1447         parent_count,
1448         params,
1449         param_def_id_to_index,
1450         has_self: has_self || parent_has_self,
1451         has_late_bound_regions: has_late_bound_regions(tcx, node),
1452     }
1453 }
1454
1455 fn are_suggestable_generic_args(generic_args: &[hir::GenericArg<'_>]) -> bool {
1456     generic_args
1457         .iter()
1458         .filter_map(|arg| match arg {
1459             hir::GenericArg::Type(ty) => Some(ty),
1460             _ => None,
1461         })
1462         .any(is_suggestable_infer_ty)
1463 }
1464
1465 /// Whether `ty` is a type with `_` placeholders that can be inferred. Used in diagnostics only to
1466 /// use inference to provide suggestions for the appropriate type if possible.
1467 fn is_suggestable_infer_ty(ty: &hir::Ty<'_>) -> bool {
1468     use hir::TyKind::*;
1469     match &ty.kind {
1470         Infer => true,
1471         Slice(ty) | Array(ty, _) => is_suggestable_infer_ty(ty),
1472         Tup(tys) => tys.iter().any(is_suggestable_infer_ty),
1473         Ptr(mut_ty) | Rptr(_, mut_ty) => is_suggestable_infer_ty(mut_ty.ty),
1474         OpaqueDef(_, generic_args) => are_suggestable_generic_args(generic_args),
1475         Path(hir::QPath::TypeRelative(ty, segment)) => {
1476             is_suggestable_infer_ty(ty) || are_suggestable_generic_args(segment.generic_args().args)
1477         }
1478         Path(hir::QPath::Resolved(ty_opt, hir::Path { segments, .. })) => {
1479             ty_opt.map_or(false, is_suggestable_infer_ty)
1480                 || segments
1481                     .iter()
1482                     .any(|segment| are_suggestable_generic_args(segment.generic_args().args))
1483         }
1484         _ => false,
1485     }
1486 }
1487
1488 pub fn get_infer_ret_ty(output: &'hir hir::FnRetTy<'hir>) -> Option<&'hir hir::Ty<'hir>> {
1489     if let hir::FnRetTy::Return(ref ty) = output {
1490         if is_suggestable_infer_ty(ty) {
1491             return Some(&**ty);
1492         }
1493     }
1494     None
1495 }
1496
1497 fn fn_sig(tcx: TyCtxt<'_>, def_id: DefId) -> ty::PolyFnSig<'_> {
1498     use rustc_hir::Node::*;
1499     use rustc_hir::*;
1500
1501     let def_id = def_id.expect_local();
1502     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id);
1503
1504     let icx = ItemCtxt::new(tcx, def_id.to_def_id());
1505
1506     match tcx.hir().get(hir_id) {
1507         TraitItem(hir::TraitItem {
1508             kind: TraitItemKind::Fn(sig, TraitFn::Provided(_)),
1509             ident,
1510             generics,
1511             ..
1512         })
1513         | ImplItem(hir::ImplItem { kind: ImplItemKind::Fn(sig, _), ident, generics, .. })
1514         | Item(hir::Item { kind: ItemKind::Fn(sig, generics, _), ident, .. }) => {
1515             match get_infer_ret_ty(&sig.decl.output) {
1516                 Some(ty) => {
1517                     let fn_sig = tcx.typeck(def_id).liberated_fn_sigs()[hir_id];
1518                     let mut visitor = PlaceholderHirTyCollector::default();
1519                     visitor.visit_ty(ty);
1520                     let mut diag = bad_placeholder_type(tcx, visitor.0);
1521                     let ret_ty = fn_sig.output();
1522                     if ret_ty != tcx.ty_error() {
1523                         diag.span_suggestion(
1524                             ty.span,
1525                             "replace with the correct return type",
1526                             ret_ty.to_string(),
1527                             Applicability::MaybeIncorrect,
1528                         );
1529                     }
1530                     diag.emit();
1531                     ty::Binder::bind(fn_sig)
1532                 }
1533                 None => AstConv::ty_of_fn(
1534                     &icx,
1535                     sig.header.unsafety,
1536                     sig.header.abi,
1537                     &sig.decl,
1538                     &generics,
1539                     Some(ident.span),
1540                 ),
1541             }
1542         }
1543
1544         TraitItem(hir::TraitItem {
1545             kind: TraitItemKind::Fn(FnSig { header, decl }, _),
1546             ident,
1547             generics,
1548             ..
1549         }) => {
1550             AstConv::ty_of_fn(&icx, header.unsafety, header.abi, decl, &generics, Some(ident.span))
1551         }
1552
1553         ForeignItem(&hir::ForeignItem {
1554             kind: ForeignItemKind::Fn(ref fn_decl, _, _),
1555             ident,
1556             ..
1557         }) => {
1558             let abi = tcx.hir().get_foreign_abi(hir_id);
1559             compute_sig_of_foreign_fn_decl(tcx, def_id.to_def_id(), fn_decl, abi, ident)
1560         }
1561
1562         Ctor(data) | Variant(hir::Variant { data, .. }) if data.ctor_hir_id().is_some() => {
1563             let ty = tcx.type_of(tcx.hir().get_parent_did(hir_id).to_def_id());
1564             let inputs =
1565                 data.fields().iter().map(|f| tcx.type_of(tcx.hir().local_def_id(f.hir_id)));
1566             ty::Binder::bind(tcx.mk_fn_sig(
1567                 inputs,
1568                 ty,
1569                 false,
1570                 hir::Unsafety::Normal,
1571                 abi::Abi::Rust,
1572             ))
1573         }
1574
1575         Expr(&hir::Expr { kind: hir::ExprKind::Closure(..), .. }) => {
1576             // Closure signatures are not like other function
1577             // signatures and cannot be accessed through `fn_sig`. For
1578             // example, a closure signature excludes the `self`
1579             // argument. In any case they are embedded within the
1580             // closure type as part of the `ClosureSubsts`.
1581             //
1582             // To get the signature of a closure, you should use the
1583             // `sig` method on the `ClosureSubsts`:
1584             //
1585             //    substs.as_closure().sig(def_id, tcx)
1586             bug!(
1587                 "to get the signature of a closure, use `substs.as_closure().sig()` not `fn_sig()`",
1588             );
1589         }
1590
1591         x => {
1592             bug!("unexpected sort of node in fn_sig(): {:?}", x);
1593         }
1594     }
1595 }
1596
1597 fn impl_trait_ref(tcx: TyCtxt<'_>, def_id: DefId) -> Option<ty::TraitRef<'_>> {
1598     let icx = ItemCtxt::new(tcx, def_id);
1599
1600     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id.expect_local());
1601     match tcx.hir().expect_item(hir_id).kind {
1602         hir::ItemKind::Impl { ref of_trait, .. } => of_trait.as_ref().map(|ast_trait_ref| {
1603             let selfty = tcx.type_of(def_id);
1604             AstConv::instantiate_mono_trait_ref(&icx, ast_trait_ref, selfty)
1605         }),
1606         _ => bug!(),
1607     }
1608 }
1609
1610 fn impl_polarity(tcx: TyCtxt<'_>, def_id: DefId) -> ty::ImplPolarity {
1611     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id.expect_local());
1612     let is_rustc_reservation = tcx.has_attr(def_id, sym::rustc_reservation_impl);
1613     let item = tcx.hir().expect_item(hir_id);
1614     match &item.kind {
1615         hir::ItemKind::Impl { polarity: hir::ImplPolarity::Negative(span), of_trait, .. } => {
1616             if is_rustc_reservation {
1617                 let span = span.to(of_trait.as_ref().map(|t| t.path.span).unwrap_or(*span));
1618                 tcx.sess.span_err(span, "reservation impls can't be negative");
1619             }
1620             ty::ImplPolarity::Negative
1621         }
1622         hir::ItemKind::Impl { polarity: hir::ImplPolarity::Positive, of_trait: None, .. } => {
1623             if is_rustc_reservation {
1624                 tcx.sess.span_err(item.span, "reservation impls can't be inherent");
1625             }
1626             ty::ImplPolarity::Positive
1627         }
1628         hir::ItemKind::Impl {
1629             polarity: hir::ImplPolarity::Positive, of_trait: Some(_), ..
1630         } => {
1631             if is_rustc_reservation {
1632                 ty::ImplPolarity::Reservation
1633             } else {
1634                 ty::ImplPolarity::Positive
1635             }
1636         }
1637         ref item => bug!("impl_polarity: {:?} not an impl", item),
1638     }
1639 }
1640
1641 /// Returns the early-bound lifetimes declared in this generics
1642 /// listing. For anything other than fns/methods, this is just all
1643 /// the lifetimes that are declared. For fns or methods, we have to
1644 /// screen out those that do not appear in any where-clauses etc using
1645 /// `resolve_lifetime::early_bound_lifetimes`.
1646 fn early_bound_lifetimes_from_generics<'a, 'tcx: 'a>(
1647     tcx: TyCtxt<'tcx>,
1648     generics: &'a hir::Generics<'a>,
1649 ) -> impl Iterator<Item = &'a hir::GenericParam<'a>> + Captures<'tcx> {
1650     generics.params.iter().filter(move |param| match param.kind {
1651         GenericParamKind::Lifetime { .. } => !tcx.is_late_bound(param.hir_id),
1652         _ => false,
1653     })
1654 }
1655
1656 /// Returns a list of type predicates for the definition with ID `def_id`, including inferred
1657 /// lifetime constraints. This includes all predicates returned by `explicit_predicates_of`, plus
1658 /// inferred constraints concerning which regions outlive other regions.
1659 fn predicates_defined_on(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicates<'_> {
1660     debug!("predicates_defined_on({:?})", def_id);
1661     let mut result = tcx.explicit_predicates_of(def_id);
1662     debug!("predicates_defined_on: explicit_predicates_of({:?}) = {:?}", def_id, result,);
1663     let inferred_outlives = tcx.inferred_outlives_of(def_id);
1664     if !inferred_outlives.is_empty() {
1665         debug!(
1666             "predicates_defined_on: inferred_outlives_of({:?}) = {:?}",
1667             def_id, inferred_outlives,
1668         );
1669         if result.predicates.is_empty() {
1670             result.predicates = inferred_outlives;
1671         } else {
1672             result.predicates = tcx
1673                 .arena
1674                 .alloc_from_iter(result.predicates.iter().chain(inferred_outlives).copied());
1675         }
1676     }
1677     debug!("predicates_defined_on({:?}) = {:?}", def_id, result);
1678     result
1679 }
1680
1681 /// Returns a list of all type predicates (explicit and implicit) for the definition with
1682 /// ID `def_id`. This includes all predicates returned by `predicates_defined_on`, plus
1683 /// `Self: Trait` predicates for traits.
1684 fn predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicates<'_> {
1685     let mut result = tcx.predicates_defined_on(def_id);
1686
1687     if tcx.is_trait(def_id) {
1688         // For traits, add `Self: Trait` predicate. This is
1689         // not part of the predicates that a user writes, but it
1690         // is something that one must prove in order to invoke a
1691         // method or project an associated type.
1692         //
1693         // In the chalk setup, this predicate is not part of the
1694         // "predicates" for a trait item. But it is useful in
1695         // rustc because if you directly (e.g.) invoke a trait
1696         // method like `Trait::method(...)`, you must naturally
1697         // prove that the trait applies to the types that were
1698         // used, and adding the predicate into this list ensures
1699         // that this is done.
1700         let span = tcx.sess.source_map().guess_head_span(tcx.def_span(def_id));
1701         result.predicates =
1702             tcx.arena.alloc_from_iter(result.predicates.iter().copied().chain(std::iter::once((
1703                 ty::TraitRef::identity(tcx, def_id).without_const().to_predicate(tcx),
1704                 span,
1705             ))));
1706     }
1707     debug!("predicates_of(def_id={:?}) = {:?}", def_id, result);
1708     result
1709 }
1710
1711 /// Returns a list of user-specified type predicates for the definition with ID `def_id`.
1712 /// N.B., this does not include any implied/inferred constraints.
1713 fn explicit_predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicates<'_> {
1714     use rustc_hir::*;
1715
1716     debug!("explicit_predicates_of(def_id={:?})", def_id);
1717
1718     /// A data structure with unique elements, which preserves order of insertion.
1719     /// Preserving the order of insertion is important here so as not to break
1720     /// compile-fail UI tests.
1721     struct UniquePredicates<'tcx> {
1722         predicates: FxIndexSet<(ty::Predicate<'tcx>, Span)>,
1723     }
1724
1725     impl<'tcx> UniquePredicates<'tcx> {
1726         fn new() -> Self {
1727             UniquePredicates { predicates: FxIndexSet::default() }
1728         }
1729
1730         fn push(&mut self, value: (ty::Predicate<'tcx>, Span)) {
1731             self.predicates.insert(value);
1732         }
1733
1734         fn extend<I: IntoIterator<Item = (ty::Predicate<'tcx>, Span)>>(&mut self, iter: I) {
1735             for value in iter {
1736                 self.push(value);
1737             }
1738         }
1739     }
1740
1741     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id.expect_local());
1742     let node = tcx.hir().get(hir_id);
1743
1744     let mut is_trait = None;
1745     let mut is_default_impl_trait = None;
1746     let mut is_trait_associated_type = None;
1747
1748     let icx = ItemCtxt::new(tcx, def_id);
1749     let constness = icx.default_constness_for_trait_bounds();
1750
1751     const NO_GENERICS: &hir::Generics<'_> = &hir::Generics::empty();
1752
1753     let mut predicates = UniquePredicates::new();
1754
1755     let ast_generics = match node {
1756         Node::TraitItem(item) => {
1757             if let hir::TraitItemKind::Type(bounds, _) = item.kind {
1758                 is_trait_associated_type = Some((bounds, item.span));
1759             }
1760             &item.generics
1761         }
1762
1763         Node::ImplItem(item) => &item.generics,
1764
1765         Node::Item(item) => {
1766             match item.kind {
1767                 ItemKind::Impl { defaultness, ref generics, .. } => {
1768                     if defaultness.is_default() {
1769                         is_default_impl_trait = tcx.impl_trait_ref(def_id);
1770                     }
1771                     generics
1772                 }
1773                 ItemKind::Fn(.., ref generics, _)
1774                 | ItemKind::TyAlias(_, ref generics)
1775                 | ItemKind::Enum(_, ref generics)
1776                 | ItemKind::Struct(_, ref generics)
1777                 | ItemKind::Union(_, ref generics) => generics,
1778
1779                 ItemKind::Trait(_, _, ref generics, .., items) => {
1780                     is_trait = Some((ty::TraitRef::identity(tcx, def_id), items));
1781                     generics
1782                 }
1783                 ItemKind::TraitAlias(ref generics, _) => {
1784                     is_trait = Some((ty::TraitRef::identity(tcx, def_id), &[]));
1785                     generics
1786                 }
1787                 ItemKind::OpaqueTy(OpaqueTy {
1788                     ref bounds,
1789                     impl_trait_fn,
1790                     ref generics,
1791                     origin: _,
1792                 }) => {
1793                     let bounds_predicates = ty::print::with_no_queries(|| {
1794                         let substs = InternalSubsts::identity_for_item(tcx, def_id);
1795                         let opaque_ty = tcx.mk_opaque(def_id, substs);
1796
1797                         // Collect the bounds, i.e., the `A + B + 'c` in `impl A + B + 'c`.
1798                         let bounds = AstConv::compute_bounds(
1799                             &icx,
1800                             opaque_ty,
1801                             bounds,
1802                             SizedByDefault::Yes,
1803                             tcx.def_span(def_id),
1804                         );
1805
1806                         bounds.predicates(tcx, opaque_ty)
1807                     });
1808                     if impl_trait_fn.is_some() {
1809                         // opaque types
1810                         return ty::GenericPredicates {
1811                             parent: None,
1812                             predicates: tcx.arena.alloc_from_iter(bounds_predicates),
1813                         };
1814                     } else {
1815                         // named opaque types
1816                         predicates.extend(bounds_predicates);
1817                         generics
1818                     }
1819                 }
1820
1821                 _ => NO_GENERICS,
1822             }
1823         }
1824
1825         Node::ForeignItem(item) => match item.kind {
1826             ForeignItemKind::Static(..) => NO_GENERICS,
1827             ForeignItemKind::Fn(_, _, ref generics) => generics,
1828             ForeignItemKind::Type => NO_GENERICS,
1829         },
1830
1831         _ => NO_GENERICS,
1832     };
1833
1834     let generics = tcx.generics_of(def_id);
1835     let parent_count = generics.parent_count as u32;
1836     let has_own_self = generics.has_self && parent_count == 0;
1837
1838     // Below we'll consider the bounds on the type parameters (including `Self`)
1839     // and the explicit where-clauses, but to get the full set of predicates
1840     // on a trait we need to add in the supertrait bounds and bounds found on
1841     // associated types.
1842     if let Some((_trait_ref, _)) = is_trait {
1843         predicates.extend(tcx.super_predicates_of(def_id).predicates.iter().cloned());
1844     }
1845
1846     // In default impls, we can assume that the self type implements
1847     // the trait. So in:
1848     //
1849     //     default impl Foo for Bar { .. }
1850     //
1851     // we add a default where clause `Foo: Bar`. We do a similar thing for traits
1852     // (see below). Recall that a default impl is not itself an impl, but rather a
1853     // set of defaults that can be incorporated into another impl.
1854     if let Some(trait_ref) = is_default_impl_trait {
1855         predicates.push((
1856             trait_ref.to_poly_trait_ref().without_const().to_predicate(tcx),
1857             tcx.def_span(def_id),
1858         ));
1859     }
1860
1861     // Collect the region predicates that were declared inline as
1862     // well. In the case of parameters declared on a fn or method, we
1863     // have to be careful to only iterate over early-bound regions.
1864     let mut index = parent_count + has_own_self as u32;
1865     for param in early_bound_lifetimes_from_generics(tcx, ast_generics) {
1866         let region = tcx.mk_region(ty::ReEarlyBound(ty::EarlyBoundRegion {
1867             def_id: tcx.hir().local_def_id(param.hir_id).to_def_id(),
1868             index,
1869             name: param.name.ident().name,
1870         }));
1871         index += 1;
1872
1873         match param.kind {
1874             GenericParamKind::Lifetime { .. } => {
1875                 param.bounds.iter().for_each(|bound| match bound {
1876                     hir::GenericBound::Outlives(lt) => {
1877                         let bound = AstConv::ast_region_to_region(&icx, &lt, None);
1878                         let outlives = ty::Binder::bind(ty::OutlivesPredicate(region, bound));
1879                         predicates.push((outlives.to_predicate(tcx), lt.span));
1880                     }
1881                     _ => bug!(),
1882                 });
1883             }
1884             _ => bug!(),
1885         }
1886     }
1887
1888     // Collect the predicates that were written inline by the user on each
1889     // type parameter (e.g., `<T: Foo>`).
1890     for param in ast_generics.params {
1891         match param.kind {
1892             // We already dealt with early bound lifetimes above.
1893             GenericParamKind::Lifetime { .. } => (),
1894             GenericParamKind::Type { .. } => {
1895                 let name = param.name.ident().name;
1896                 let param_ty = ty::ParamTy::new(index, name).to_ty(tcx);
1897                 index += 1;
1898
1899                 let sized = SizedByDefault::Yes;
1900                 let bounds =
1901                     AstConv::compute_bounds(&icx, param_ty, &param.bounds, sized, param.span);
1902                 predicates.extend(bounds.predicates(tcx, param_ty));
1903             }
1904             GenericParamKind::Const { .. } => {
1905                 // Bounds on const parameters are currently not possible.
1906                 debug_assert!(param.bounds.is_empty());
1907                 index += 1;
1908             }
1909         }
1910     }
1911
1912     // Add in the bounds that appear in the where-clause.
1913     let where_clause = &ast_generics.where_clause;
1914     for predicate in where_clause.predicates {
1915         match predicate {
1916             &hir::WherePredicate::BoundPredicate(ref bound_pred) => {
1917                 let ty = icx.to_ty(&bound_pred.bounded_ty);
1918
1919                 // Keep the type around in a dummy predicate, in case of no bounds.
1920                 // That way, `where Ty:` is not a complete noop (see #53696) and `Ty`
1921                 // is still checked for WF.
1922                 if bound_pred.bounds.is_empty() {
1923                     if let ty::Param(_) = ty.kind {
1924                         // This is a `where T:`, which can be in the HIR from the
1925                         // transformation that moves `?Sized` to `T`'s declaration.
1926                         // We can skip the predicate because type parameters are
1927                         // trivially WF, but also we *should*, to avoid exposing
1928                         // users who never wrote `where Type:,` themselves, to
1929                         // compiler/tooling bugs from not handling WF predicates.
1930                     } else {
1931                         let span = bound_pred.bounded_ty.span;
1932                         let re_root_empty = tcx.lifetimes.re_root_empty;
1933                         let predicate = ty::OutlivesPredicate(ty, re_root_empty);
1934                         predicates.push((
1935                             ty::PredicateAtom::TypeOutlives(predicate)
1936                                 .potentially_quantified(tcx, ty::PredicateKind::ForAll),
1937                             span,
1938                         ));
1939                     }
1940                 }
1941
1942                 for bound in bound_pred.bounds.iter() {
1943                     match bound {
1944                         &hir::GenericBound::Trait(ref poly_trait_ref, modifier) => {
1945                             let constness = match modifier {
1946                                 hir::TraitBoundModifier::MaybeConst => hir::Constness::NotConst,
1947                                 hir::TraitBoundModifier::None => constness,
1948                                 hir::TraitBoundModifier::Maybe => bug!("this wasn't handled"),
1949                             };
1950
1951                             let mut bounds = Bounds::default();
1952                             let _ = AstConv::instantiate_poly_trait_ref(
1953                                 &icx,
1954                                 poly_trait_ref,
1955                                 constness,
1956                                 ty,
1957                                 &mut bounds,
1958                             );
1959                             predicates.extend(bounds.predicates(tcx, ty));
1960                         }
1961
1962                         &hir::GenericBound::LangItemTrait(lang_item, span, hir_id, args) => {
1963                             let mut bounds = Bounds::default();
1964                             AstConv::instantiate_lang_item_trait_ref(
1965                                 &icx,
1966                                 lang_item,
1967                                 span,
1968                                 hir_id,
1969                                 args,
1970                                 ty,
1971                                 &mut bounds,
1972                             );
1973                             predicates.extend(bounds.predicates(tcx, ty));
1974                         }
1975
1976                         &hir::GenericBound::Outlives(ref lifetime) => {
1977                             let region = AstConv::ast_region_to_region(&icx, lifetime, None);
1978                             predicates.push((
1979                                 ty::PredicateAtom::TypeOutlives(ty::OutlivesPredicate(ty, region))
1980                                     .potentially_quantified(tcx, ty::PredicateKind::ForAll),
1981                                 lifetime.span,
1982                             ))
1983                         }
1984                     }
1985                 }
1986             }
1987
1988             &hir::WherePredicate::RegionPredicate(ref region_pred) => {
1989                 let r1 = AstConv::ast_region_to_region(&icx, &region_pred.lifetime, None);
1990                 predicates.extend(region_pred.bounds.iter().map(|bound| {
1991                     let (r2, span) = match bound {
1992                         hir::GenericBound::Outlives(lt) => {
1993                             (AstConv::ast_region_to_region(&icx, lt, None), lt.span)
1994                         }
1995                         _ => bug!(),
1996                     };
1997                     let pred = ty::PredicateAtom::RegionOutlives(ty::OutlivesPredicate(r1, r2));
1998
1999                     (pred.potentially_quantified(icx.tcx, ty::PredicateKind::ForAll), span)
2000                 }))
2001             }
2002
2003             &hir::WherePredicate::EqPredicate(..) => {
2004                 // FIXME(#20041)
2005             }
2006         }
2007     }
2008
2009     // Add predicates from associated type bounds (`type X: Bound`)
2010     if tcx.features().generic_associated_types {
2011         // New behavior: bounds declared on associate type are predicates of that
2012         // associated type. Not the default because it needs more testing.
2013         if let Some((bounds, span)) = is_trait_associated_type {
2014             let projection_ty =
2015                 tcx.mk_projection(def_id, InternalSubsts::identity_for_item(tcx, def_id));
2016
2017             predicates.extend(associated_item_bounds(tcx, def_id, bounds, projection_ty, span))
2018         }
2019     } else if let Some((self_trait_ref, trait_items)) = is_trait {
2020         // Current behavior: bounds declared on associate type are predicates
2021         // of its parent trait.
2022         predicates.extend(trait_items.iter().flat_map(|trait_item_ref| {
2023             trait_associated_item_predicates(tcx, def_id, self_trait_ref, trait_item_ref)
2024         }))
2025     }
2026
2027     let mut predicates: Vec<_> = predicates.predicates.into_iter().collect();
2028
2029     // Subtle: before we store the predicates into the tcx, we
2030     // sort them so that predicates like `T: Foo<Item=U>` come
2031     // before uses of `U`.  This avoids false ambiguity errors
2032     // in trait checking. See `setup_constraining_predicates`
2033     // for details.
2034     if let Node::Item(&Item { kind: ItemKind::Impl { .. }, .. }) = node {
2035         let self_ty = tcx.type_of(def_id);
2036         let trait_ref = tcx.impl_trait_ref(def_id);
2037         cgp::setup_constraining_predicates(
2038             tcx,
2039             &mut predicates,
2040             trait_ref,
2041             &mut cgp::parameters_for_impl(self_ty, trait_ref),
2042         );
2043     }
2044
2045     let result = ty::GenericPredicates {
2046         parent: generics.parent,
2047         predicates: tcx.arena.alloc_from_iter(predicates),
2048     };
2049     debug!("explicit_predicates_of(def_id={:?}) = {:?}", def_id, result);
2050     result
2051 }
2052
2053 fn trait_associated_item_predicates(
2054     tcx: TyCtxt<'tcx>,
2055     def_id: DefId,
2056     self_trait_ref: ty::TraitRef<'tcx>,
2057     trait_item_ref: &hir::TraitItemRef,
2058 ) -> Vec<(ty::Predicate<'tcx>, Span)> {
2059     let trait_item = tcx.hir().trait_item(trait_item_ref.id);
2060     let item_def_id = tcx.hir().local_def_id(trait_item_ref.id.hir_id);
2061     let bounds = match trait_item.kind {
2062         hir::TraitItemKind::Type(ref bounds, _) => bounds,
2063         _ => return Vec::new(),
2064     };
2065
2066     if !tcx.generics_of(item_def_id).params.is_empty() {
2067         // For GATs the substs provided to the mk_projection call below are
2068         // wrong. We should emit a feature gate error if we get here so skip
2069         // this type.
2070         tcx.sess.delay_span_bug(trait_item.span, "gats used without feature gate");
2071         return Vec::new();
2072     }
2073
2074     let assoc_ty = tcx.mk_projection(
2075         tcx.hir().local_def_id(trait_item.hir_id).to_def_id(),
2076         self_trait_ref.substs,
2077     );
2078
2079     associated_item_bounds(tcx, def_id, bounds, assoc_ty, trait_item.span)
2080 }
2081
2082 fn associated_item_bounds(
2083     tcx: TyCtxt<'tcx>,
2084     def_id: DefId,
2085     bounds: &'tcx [hir::GenericBound<'tcx>],
2086     projection_ty: Ty<'tcx>,
2087     span: Span,
2088 ) -> Vec<(ty::Predicate<'tcx>, Span)> {
2089     let bounds = AstConv::compute_bounds(
2090         &ItemCtxt::new(tcx, def_id),
2091         projection_ty,
2092         bounds,
2093         SizedByDefault::Yes,
2094         span,
2095     );
2096
2097     let predicates = bounds.predicates(tcx, projection_ty);
2098
2099     predicates
2100 }
2101
2102 /// Converts a specific `GenericBound` from the AST into a set of
2103 /// predicates that apply to the self type. A vector is returned
2104 /// because this can be anywhere from zero predicates (`T: ?Sized` adds no
2105 /// predicates) to one (`T: Foo`) to many (`T: Bar<X = i32>` adds `T: Bar`
2106 /// and `<T as Bar>::X == i32`).
2107 fn predicates_from_bound<'tcx>(
2108     astconv: &dyn AstConv<'tcx>,
2109     param_ty: Ty<'tcx>,
2110     bound: &'tcx hir::GenericBound<'tcx>,
2111     constness: hir::Constness,
2112 ) -> Vec<(ty::Predicate<'tcx>, Span)> {
2113     match *bound {
2114         hir::GenericBound::Trait(ref tr, modifier) => {
2115             let constness = match modifier {
2116                 hir::TraitBoundModifier::Maybe => return vec![],
2117                 hir::TraitBoundModifier::MaybeConst => hir::Constness::NotConst,
2118                 hir::TraitBoundModifier::None => constness,
2119             };
2120
2121             let mut bounds = Bounds::default();
2122             let _ = astconv.instantiate_poly_trait_ref(tr, constness, param_ty, &mut bounds);
2123             bounds.predicates(astconv.tcx(), param_ty)
2124         }
2125         hir::GenericBound::LangItemTrait(lang_item, span, hir_id, args) => {
2126             let mut bounds = Bounds::default();
2127             astconv.instantiate_lang_item_trait_ref(
2128                 lang_item,
2129                 span,
2130                 hir_id,
2131                 args,
2132                 param_ty,
2133                 &mut bounds,
2134             );
2135             bounds.predicates(astconv.tcx(), param_ty)
2136         }
2137         hir::GenericBound::Outlives(ref lifetime) => {
2138             let region = astconv.ast_region_to_region(lifetime, None);
2139             let pred = ty::PredicateAtom::TypeOutlives(ty::OutlivesPredicate(param_ty, region))
2140                 .potentially_quantified(astconv.tcx(), ty::PredicateKind::ForAll);
2141             vec![(pred, lifetime.span)]
2142         }
2143     }
2144 }
2145
2146 fn compute_sig_of_foreign_fn_decl<'tcx>(
2147     tcx: TyCtxt<'tcx>,
2148     def_id: DefId,
2149     decl: &'tcx hir::FnDecl<'tcx>,
2150     abi: abi::Abi,
2151     ident: Ident,
2152 ) -> ty::PolyFnSig<'tcx> {
2153     let unsafety = if abi == abi::Abi::RustIntrinsic {
2154         intrinsic_operation_unsafety(tcx.item_name(def_id))
2155     } else {
2156         hir::Unsafety::Unsafe
2157     };
2158     let fty = AstConv::ty_of_fn(
2159         &ItemCtxt::new(tcx, def_id),
2160         unsafety,
2161         abi,
2162         decl,
2163         &hir::Generics::empty(),
2164         Some(ident.span),
2165     );
2166
2167     // Feature gate SIMD types in FFI, since I am not sure that the
2168     // ABIs are handled at all correctly. -huonw
2169     if abi != abi::Abi::RustIntrinsic
2170         && abi != abi::Abi::PlatformIntrinsic
2171         && !tcx.features().simd_ffi
2172     {
2173         let check = |ast_ty: &hir::Ty<'_>, ty: Ty<'_>| {
2174             if ty.is_simd() {
2175                 let snip = tcx
2176                     .sess
2177                     .source_map()
2178                     .span_to_snippet(ast_ty.span)
2179                     .map_or(String::new(), |s| format!(" `{}`", s));
2180                 tcx.sess
2181                     .struct_span_err(
2182                         ast_ty.span,
2183                         &format!(
2184                             "use of SIMD type{} in FFI is highly experimental and \
2185                              may result in invalid code",
2186                             snip
2187                         ),
2188                     )
2189                     .help("add `#![feature(simd_ffi)]` to the crate attributes to enable")
2190                     .emit();
2191             }
2192         };
2193         for (input, ty) in decl.inputs.iter().zip(fty.inputs().skip_binder()) {
2194             check(&input, ty)
2195         }
2196         if let hir::FnRetTy::Return(ref ty) = decl.output {
2197             check(&ty, fty.output().skip_binder())
2198         }
2199     }
2200
2201     fty
2202 }
2203
2204 fn is_foreign_item(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
2205     match tcx.hir().get_if_local(def_id) {
2206         Some(Node::ForeignItem(..)) => true,
2207         Some(_) => false,
2208         _ => bug!("is_foreign_item applied to non-local def-id {:?}", def_id),
2209     }
2210 }
2211
2212 fn static_mutability(tcx: TyCtxt<'_>, def_id: DefId) -> Option<hir::Mutability> {
2213     match tcx.hir().get_if_local(def_id) {
2214         Some(
2215             Node::Item(&hir::Item { kind: hir::ItemKind::Static(_, mutbl, _), .. })
2216             | Node::ForeignItem(&hir::ForeignItem {
2217                 kind: hir::ForeignItemKind::Static(_, mutbl),
2218                 ..
2219             }),
2220         ) => Some(mutbl),
2221         Some(_) => None,
2222         _ => bug!("static_mutability applied to non-local def-id {:?}", def_id),
2223     }
2224 }
2225
2226 fn generator_kind(tcx: TyCtxt<'_>, def_id: DefId) -> Option<hir::GeneratorKind> {
2227     match tcx.hir().get_if_local(def_id) {
2228         Some(Node::Expr(&rustc_hir::Expr {
2229             kind: rustc_hir::ExprKind::Closure(_, _, body_id, _, _),
2230             ..
2231         })) => tcx.hir().body(body_id).generator_kind(),
2232         Some(_) => None,
2233         _ => bug!("generator_kind applied to non-local def-id {:?}", def_id),
2234     }
2235 }
2236
2237 fn from_target_feature(
2238     tcx: TyCtxt<'_>,
2239     id: DefId,
2240     attr: &ast::Attribute,
2241     supported_target_features: &FxHashMap<String, Option<Symbol>>,
2242     target_features: &mut Vec<Symbol>,
2243 ) {
2244     let list = match attr.meta_item_list() {
2245         Some(list) => list,
2246         None => return,
2247     };
2248     let bad_item = |span| {
2249         let msg = "malformed `target_feature` attribute input";
2250         let code = "enable = \"..\"".to_owned();
2251         tcx.sess
2252             .struct_span_err(span, &msg)
2253             .span_suggestion(span, "must be of the form", code, Applicability::HasPlaceholders)
2254             .emit();
2255     };
2256     let rust_features = tcx.features();
2257     for item in list {
2258         // Only `enable = ...` is accepted in the meta-item list.
2259         if !item.has_name(sym::enable) {
2260             bad_item(item.span());
2261             continue;
2262         }
2263
2264         // Must be of the form `enable = "..."` (a string).
2265         let value = match item.value_str() {
2266             Some(value) => value,
2267             None => {
2268                 bad_item(item.span());
2269                 continue;
2270             }
2271         };
2272
2273         // We allow comma separation to enable multiple features.
2274         target_features.extend(value.as_str().split(',').filter_map(|feature| {
2275             let feature_gate = match supported_target_features.get(feature) {
2276                 Some(g) => g,
2277                 None => {
2278                     let msg =
2279                         format!("the feature named `{}` is not valid for this target", feature);
2280                     let mut err = tcx.sess.struct_span_err(item.span(), &msg);
2281                     err.span_label(
2282                         item.span(),
2283                         format!("`{}` is not valid for this target", feature),
2284                     );
2285                     if feature.starts_with('+') {
2286                         let valid = supported_target_features.contains_key(&feature[1..]);
2287                         if valid {
2288                             err.help("consider removing the leading `+` in the feature name");
2289                         }
2290                     }
2291                     err.emit();
2292                     return None;
2293                 }
2294             };
2295
2296             // Only allow features whose feature gates have been enabled.
2297             let allowed = match feature_gate.as_ref().copied() {
2298                 Some(sym::arm_target_feature) => rust_features.arm_target_feature,
2299                 Some(sym::aarch64_target_feature) => rust_features.aarch64_target_feature,
2300                 Some(sym::hexagon_target_feature) => rust_features.hexagon_target_feature,
2301                 Some(sym::powerpc_target_feature) => rust_features.powerpc_target_feature,
2302                 Some(sym::mips_target_feature) => rust_features.mips_target_feature,
2303                 Some(sym::riscv_target_feature) => rust_features.riscv_target_feature,
2304                 Some(sym::avx512_target_feature) => rust_features.avx512_target_feature,
2305                 Some(sym::mmx_target_feature) => rust_features.mmx_target_feature,
2306                 Some(sym::sse4a_target_feature) => rust_features.sse4a_target_feature,
2307                 Some(sym::tbm_target_feature) => rust_features.tbm_target_feature,
2308                 Some(sym::wasm_target_feature) => rust_features.wasm_target_feature,
2309                 Some(sym::cmpxchg16b_target_feature) => rust_features.cmpxchg16b_target_feature,
2310                 Some(sym::adx_target_feature) => rust_features.adx_target_feature,
2311                 Some(sym::movbe_target_feature) => rust_features.movbe_target_feature,
2312                 Some(sym::rtm_target_feature) => rust_features.rtm_target_feature,
2313                 Some(sym::f16c_target_feature) => rust_features.f16c_target_feature,
2314                 Some(name) => bug!("unknown target feature gate {}", name),
2315                 None => true,
2316             };
2317             if !allowed && id.is_local() {
2318                 feature_err(
2319                     &tcx.sess.parse_sess,
2320                     feature_gate.unwrap(),
2321                     item.span(),
2322                     &format!("the target feature `{}` is currently unstable", feature),
2323                 )
2324                 .emit();
2325             }
2326             Some(Symbol::intern(feature))
2327         }));
2328     }
2329 }
2330
2331 fn linkage_by_name(tcx: TyCtxt<'_>, def_id: DefId, name: &str) -> Linkage {
2332     use rustc_middle::mir::mono::Linkage::*;
2333
2334     // Use the names from src/llvm/docs/LangRef.rst here. Most types are only
2335     // applicable to variable declarations and may not really make sense for
2336     // Rust code in the first place but allow them anyway and trust that the
2337     // user knows what s/he's doing. Who knows, unanticipated use cases may pop
2338     // up in the future.
2339     //
2340     // ghost, dllimport, dllexport and linkonce_odr_autohide are not supported
2341     // and don't have to be, LLVM treats them as no-ops.
2342     match name {
2343         "appending" => Appending,
2344         "available_externally" => AvailableExternally,
2345         "common" => Common,
2346         "extern_weak" => ExternalWeak,
2347         "external" => External,
2348         "internal" => Internal,
2349         "linkonce" => LinkOnceAny,
2350         "linkonce_odr" => LinkOnceODR,
2351         "private" => Private,
2352         "weak" => WeakAny,
2353         "weak_odr" => WeakODR,
2354         _ => {
2355             let span = tcx.hir().span_if_local(def_id);
2356             if let Some(span) = span {
2357                 tcx.sess.span_fatal(span, "invalid linkage specified")
2358             } else {
2359                 tcx.sess.fatal(&format!("invalid linkage specified: {}", name))
2360             }
2361         }
2362     }
2363 }
2364
2365 fn codegen_fn_attrs(tcx: TyCtxt<'_>, id: DefId) -> CodegenFnAttrs {
2366     let attrs = tcx.get_attrs(id);
2367
2368     let mut codegen_fn_attrs = CodegenFnAttrs::new();
2369     if should_inherit_track_caller(tcx, id) {
2370         codegen_fn_attrs.flags |= CodegenFnAttrFlags::TRACK_CALLER;
2371     }
2372
2373     let supported_target_features = tcx.supported_target_features(LOCAL_CRATE);
2374
2375     let mut inline_span = None;
2376     let mut link_ordinal_span = None;
2377     let mut no_sanitize_span = None;
2378     for attr in attrs.iter() {
2379         if tcx.sess.check_name(attr, sym::cold) {
2380             codegen_fn_attrs.flags |= CodegenFnAttrFlags::COLD;
2381         } else if tcx.sess.check_name(attr, sym::rustc_allocator) {
2382             codegen_fn_attrs.flags |= CodegenFnAttrFlags::ALLOCATOR;
2383         } else if tcx.sess.check_name(attr, sym::unwind) {
2384             codegen_fn_attrs.flags |= CodegenFnAttrFlags::UNWIND;
2385         } else if tcx.sess.check_name(attr, sym::ffi_returns_twice) {
2386             if tcx.is_foreign_item(id) {
2387                 codegen_fn_attrs.flags |= CodegenFnAttrFlags::FFI_RETURNS_TWICE;
2388             } else {
2389                 // `#[ffi_returns_twice]` is only allowed `extern fn`s.
2390                 struct_span_err!(
2391                     tcx.sess,
2392                     attr.span,
2393                     E0724,
2394                     "`#[ffi_returns_twice]` may only be used on foreign functions"
2395                 )
2396                 .emit();
2397             }
2398         } else if tcx.sess.check_name(attr, sym::ffi_pure) {
2399             if tcx.is_foreign_item(id) {
2400                 if attrs.iter().any(|a| tcx.sess.check_name(a, sym::ffi_const)) {
2401                     // `#[ffi_const]` functions cannot be `#[ffi_pure]`
2402                     struct_span_err!(
2403                         tcx.sess,
2404                         attr.span,
2405                         E0757,
2406                         "`#[ffi_const]` function cannot be `#[ffi_pure]`"
2407                     )
2408                     .emit();
2409                 } else {
2410                     codegen_fn_attrs.flags |= CodegenFnAttrFlags::FFI_PURE;
2411                 }
2412             } else {
2413                 // `#[ffi_pure]` is only allowed on foreign functions
2414                 struct_span_err!(
2415                     tcx.sess,
2416                     attr.span,
2417                     E0755,
2418                     "`#[ffi_pure]` may only be used on foreign functions"
2419                 )
2420                 .emit();
2421             }
2422         } else if tcx.sess.check_name(attr, sym::ffi_const) {
2423             if tcx.is_foreign_item(id) {
2424                 codegen_fn_attrs.flags |= CodegenFnAttrFlags::FFI_CONST;
2425             } else {
2426                 // `#[ffi_const]` is only allowed on foreign functions
2427                 struct_span_err!(
2428                     tcx.sess,
2429                     attr.span,
2430                     E0756,
2431                     "`#[ffi_const]` may only be used on foreign functions"
2432                 )
2433                 .emit();
2434             }
2435         } else if tcx.sess.check_name(attr, sym::rustc_allocator_nounwind) {
2436             codegen_fn_attrs.flags |= CodegenFnAttrFlags::RUSTC_ALLOCATOR_NOUNWIND;
2437         } else if tcx.sess.check_name(attr, sym::naked) {
2438             codegen_fn_attrs.flags |= CodegenFnAttrFlags::NAKED;
2439         } else if tcx.sess.check_name(attr, sym::no_mangle) {
2440             codegen_fn_attrs.flags |= CodegenFnAttrFlags::NO_MANGLE;
2441         } else if tcx.sess.check_name(attr, sym::rustc_std_internal_symbol) {
2442             codegen_fn_attrs.flags |= CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL;
2443         } else if tcx.sess.check_name(attr, sym::used) {
2444             codegen_fn_attrs.flags |= CodegenFnAttrFlags::USED;
2445         } else if tcx.sess.check_name(attr, sym::thread_local) {
2446             codegen_fn_attrs.flags |= CodegenFnAttrFlags::THREAD_LOCAL;
2447         } else if tcx.sess.check_name(attr, sym::track_caller) {
2448             if tcx.is_closure(id) || tcx.fn_sig(id).abi() != abi::Abi::Rust {
2449                 struct_span_err!(tcx.sess, attr.span, E0737, "`#[track_caller]` requires Rust ABI")
2450                     .emit();
2451             }
2452             codegen_fn_attrs.flags |= CodegenFnAttrFlags::TRACK_CALLER;
2453         } else if tcx.sess.check_name(attr, sym::export_name) {
2454             if let Some(s) = attr.value_str() {
2455                 if s.as_str().contains('\0') {
2456                     // `#[export_name = ...]` will be converted to a null-terminated string,
2457                     // so it may not contain any null characters.
2458                     struct_span_err!(
2459                         tcx.sess,
2460                         attr.span,
2461                         E0648,
2462                         "`export_name` may not contain null characters"
2463                     )
2464                     .emit();
2465                 }
2466                 codegen_fn_attrs.export_name = Some(s);
2467             }
2468         } else if tcx.sess.check_name(attr, sym::target_feature) {
2469             if !tcx.features().target_feature_11 {
2470                 check_target_feature_safe_fn(tcx, id, attr.span);
2471             } else if let Some(local_id) = id.as_local() {
2472                 if tcx.fn_sig(id).unsafety() == hir::Unsafety::Normal {
2473                     check_target_feature_trait_unsafe(tcx, local_id, attr.span);
2474                 }
2475             }
2476             from_target_feature(
2477                 tcx,
2478                 id,
2479                 attr,
2480                 &supported_target_features,
2481                 &mut codegen_fn_attrs.target_features,
2482             );
2483         } else if tcx.sess.check_name(attr, sym::linkage) {
2484             if let Some(val) = attr.value_str() {
2485                 codegen_fn_attrs.linkage = Some(linkage_by_name(tcx, id, &val.as_str()));
2486             }
2487         } else if tcx.sess.check_name(attr, sym::link_section) {
2488             if let Some(val) = attr.value_str() {
2489                 if val.as_str().bytes().any(|b| b == 0) {
2490                     let msg = format!(
2491                         "illegal null byte in link_section \
2492                          value: `{}`",
2493                         &val
2494                     );
2495                     tcx.sess.span_err(attr.span, &msg);
2496                 } else {
2497                     codegen_fn_attrs.link_section = Some(val);
2498                 }
2499             }
2500         } else if tcx.sess.check_name(attr, sym::link_name) {
2501             codegen_fn_attrs.link_name = attr.value_str();
2502         } else if tcx.sess.check_name(attr, sym::link_ordinal) {
2503             link_ordinal_span = Some(attr.span);
2504             if let ordinal @ Some(_) = check_link_ordinal(tcx, attr) {
2505                 codegen_fn_attrs.link_ordinal = ordinal;
2506             }
2507         } else if tcx.sess.check_name(attr, sym::no_sanitize) {
2508             no_sanitize_span = Some(attr.span);
2509             if let Some(list) = attr.meta_item_list() {
2510                 for item in list.iter() {
2511                     if item.has_name(sym::address) {
2512                         codegen_fn_attrs.no_sanitize |= SanitizerSet::ADDRESS;
2513                     } else if item.has_name(sym::memory) {
2514                         codegen_fn_attrs.no_sanitize |= SanitizerSet::MEMORY;
2515                     } else if item.has_name(sym::thread) {
2516                         codegen_fn_attrs.no_sanitize |= SanitizerSet::THREAD;
2517                     } else {
2518                         tcx.sess
2519                             .struct_span_err(item.span(), "invalid argument for `no_sanitize`")
2520                             .note("expected one of: `address`, `memory` or `thread`")
2521                             .emit();
2522                     }
2523                 }
2524             }
2525         }
2526     }
2527
2528     codegen_fn_attrs.inline = attrs.iter().fold(InlineAttr::None, |ia, attr| {
2529         if !attr.has_name(sym::inline) {
2530             return ia;
2531         }
2532         match attr.meta().map(|i| i.kind) {
2533             Some(MetaItemKind::Word) => {
2534                 tcx.sess.mark_attr_used(attr);
2535                 InlineAttr::Hint
2536             }
2537             Some(MetaItemKind::List(ref items)) => {
2538                 tcx.sess.mark_attr_used(attr);
2539                 inline_span = Some(attr.span);
2540                 if items.len() != 1 {
2541                     struct_span_err!(
2542                         tcx.sess.diagnostic(),
2543                         attr.span,
2544                         E0534,
2545                         "expected one argument"
2546                     )
2547                     .emit();
2548                     InlineAttr::None
2549                 } else if list_contains_name(&items[..], sym::always) {
2550                     InlineAttr::Always
2551                 } else if list_contains_name(&items[..], sym::never) {
2552                     InlineAttr::Never
2553                 } else {
2554                     struct_span_err!(
2555                         tcx.sess.diagnostic(),
2556                         items[0].span(),
2557                         E0535,
2558                         "invalid argument"
2559                     )
2560                     .emit();
2561
2562                     InlineAttr::None
2563                 }
2564             }
2565             Some(MetaItemKind::NameValue(_)) => ia,
2566             None => ia,
2567         }
2568     });
2569
2570     codegen_fn_attrs.optimize = attrs.iter().fold(OptimizeAttr::None, |ia, attr| {
2571         if !attr.has_name(sym::optimize) {
2572             return ia;
2573         }
2574         let err = |sp, s| struct_span_err!(tcx.sess.diagnostic(), sp, E0722, "{}", s).emit();
2575         match attr.meta().map(|i| i.kind) {
2576             Some(MetaItemKind::Word) => {
2577                 err(attr.span, "expected one argument");
2578                 ia
2579             }
2580             Some(MetaItemKind::List(ref items)) => {
2581                 tcx.sess.mark_attr_used(attr);
2582                 inline_span = Some(attr.span);
2583                 if items.len() != 1 {
2584                     err(attr.span, "expected one argument");
2585                     OptimizeAttr::None
2586                 } else if list_contains_name(&items[..], sym::size) {
2587                     OptimizeAttr::Size
2588                 } else if list_contains_name(&items[..], sym::speed) {
2589                     OptimizeAttr::Speed
2590                 } else {
2591                     err(items[0].span(), "invalid argument");
2592                     OptimizeAttr::None
2593                 }
2594             }
2595             Some(MetaItemKind::NameValue(_)) => ia,
2596             None => ia,
2597         }
2598     });
2599
2600     // If a function uses #[target_feature] it can't be inlined into general
2601     // purpose functions as they wouldn't have the right target features
2602     // enabled. For that reason we also forbid #[inline(always)] as it can't be
2603     // respected.
2604     if !codegen_fn_attrs.target_features.is_empty() {
2605         if codegen_fn_attrs.inline == InlineAttr::Always {
2606             if let Some(span) = inline_span {
2607                 tcx.sess.span_err(
2608                     span,
2609                     "cannot use `#[inline(always)]` with \
2610                      `#[target_feature]`",
2611                 );
2612             }
2613         }
2614     }
2615
2616     if !codegen_fn_attrs.no_sanitize.is_empty() {
2617         if codegen_fn_attrs.inline == InlineAttr::Always {
2618             if let (Some(no_sanitize_span), Some(inline_span)) = (no_sanitize_span, inline_span) {
2619                 let hir_id = tcx.hir().local_def_id_to_hir_id(id.expect_local());
2620                 tcx.struct_span_lint_hir(
2621                     lint::builtin::INLINE_NO_SANITIZE,
2622                     hir_id,
2623                     no_sanitize_span,
2624                     |lint| {
2625                         lint.build("`no_sanitize` will have no effect after inlining")
2626                             .span_note(inline_span, "inlining requested here")
2627                             .emit();
2628                     },
2629                 )
2630             }
2631         }
2632     }
2633
2634     // Weak lang items have the same semantics as "std internal" symbols in the
2635     // sense that they're preserved through all our LTO passes and only
2636     // strippable by the linker.
2637     //
2638     // Additionally weak lang items have predetermined symbol names.
2639     if tcx.is_weak_lang_item(id) {
2640         codegen_fn_attrs.flags |= CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL;
2641     }
2642     let check_name = |attr, sym| tcx.sess.check_name(attr, sym);
2643     if let Some(name) = weak_lang_items::link_name(check_name, &attrs) {
2644         codegen_fn_attrs.export_name = Some(name);
2645         codegen_fn_attrs.link_name = Some(name);
2646     }
2647     check_link_name_xor_ordinal(tcx, &codegen_fn_attrs, link_ordinal_span);
2648
2649     // Internal symbols to the standard library all have no_mangle semantics in
2650     // that they have defined symbol names present in the function name. This
2651     // also applies to weak symbols where they all have known symbol names.
2652     if codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL) {
2653         codegen_fn_attrs.flags |= CodegenFnAttrFlags::NO_MANGLE;
2654     }
2655
2656     codegen_fn_attrs
2657 }
2658
2659 /// Checks if the provided DefId is a method in a trait impl for a trait which has track_caller
2660 /// applied to the method prototype.
2661 fn should_inherit_track_caller(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
2662     if let Some(impl_item) = tcx.opt_associated_item(def_id) {
2663         if let ty::AssocItemContainer::ImplContainer(impl_def_id) = impl_item.container {
2664             if let Some(trait_def_id) = tcx.trait_id_of_impl(impl_def_id) {
2665                 if let Some(trait_item) = tcx
2666                     .associated_items(trait_def_id)
2667                     .filter_by_name_unhygienic(impl_item.ident.name)
2668                     .find(move |trait_item| {
2669                         trait_item.kind == ty::AssocKind::Fn
2670                             && tcx.hygienic_eq(impl_item.ident, trait_item.ident, trait_def_id)
2671                     })
2672                 {
2673                     return tcx
2674                         .codegen_fn_attrs(trait_item.def_id)
2675                         .flags
2676                         .intersects(CodegenFnAttrFlags::TRACK_CALLER);
2677                 }
2678             }
2679         }
2680     }
2681
2682     false
2683 }
2684
2685 fn check_link_ordinal(tcx: TyCtxt<'_>, attr: &ast::Attribute) -> Option<usize> {
2686     use rustc_ast::{Lit, LitIntType, LitKind};
2687     let meta_item_list = attr.meta_item_list();
2688     let meta_item_list: Option<&[ast::NestedMetaItem]> = meta_item_list.as_ref().map(Vec::as_ref);
2689     let sole_meta_list = match meta_item_list {
2690         Some([item]) => item.literal(),
2691         _ => None,
2692     };
2693     if let Some(Lit { kind: LitKind::Int(ordinal, LitIntType::Unsuffixed), .. }) = sole_meta_list {
2694         if *ordinal <= usize::MAX as u128 {
2695             Some(*ordinal as usize)
2696         } else {
2697             let msg = format!("ordinal value in `link_ordinal` is too large: `{}`", &ordinal);
2698             tcx.sess
2699                 .struct_span_err(attr.span, &msg)
2700                 .note("the value may not exceed `usize::MAX`")
2701                 .emit();
2702             None
2703         }
2704     } else {
2705         tcx.sess
2706             .struct_span_err(attr.span, "illegal ordinal format in `link_ordinal`")
2707             .note("an unsuffixed integer value, e.g., `1`, is expected")
2708             .emit();
2709         None
2710     }
2711 }
2712
2713 fn check_link_name_xor_ordinal(
2714     tcx: TyCtxt<'_>,
2715     codegen_fn_attrs: &CodegenFnAttrs,
2716     inline_span: Option<Span>,
2717 ) {
2718     if codegen_fn_attrs.link_name.is_none() || codegen_fn_attrs.link_ordinal.is_none() {
2719         return;
2720     }
2721     let msg = "cannot use `#[link_name]` with `#[link_ordinal]`";
2722     if let Some(span) = inline_span {
2723         tcx.sess.span_err(span, msg);
2724     } else {
2725         tcx.sess.err(msg);
2726     }
2727 }
2728
2729 /// Checks the function annotated with `#[target_feature]` is unsafe,
2730 /// reporting an error if it isn't.
2731 fn check_target_feature_safe_fn(tcx: TyCtxt<'_>, id: DefId, attr_span: Span) {
2732     if tcx.is_closure(id) || tcx.fn_sig(id).unsafety() == hir::Unsafety::Normal {
2733         let mut err = feature_err(
2734             &tcx.sess.parse_sess,
2735             sym::target_feature_11,
2736             attr_span,
2737             "`#[target_feature(..)]` can only be applied to `unsafe` functions",
2738         );
2739         err.span_label(tcx.def_span(id), "not an `unsafe` function");
2740         err.emit();
2741     }
2742 }
2743
2744 /// Checks the function annotated with `#[target_feature]` is not a safe
2745 /// trait method implementation, reporting an error if it is.
2746 fn check_target_feature_trait_unsafe(tcx: TyCtxt<'_>, id: LocalDefId, attr_span: Span) {
2747     let hir_id = tcx.hir().local_def_id_to_hir_id(id);
2748     let node = tcx.hir().get(hir_id);
2749     if let Node::ImplItem(hir::ImplItem { kind: hir::ImplItemKind::Fn(..), .. }) = node {
2750         let parent_id = tcx.hir().get_parent_item(hir_id);
2751         let parent_item = tcx.hir().expect_item(parent_id);
2752         if let hir::ItemKind::Impl { of_trait: Some(_), .. } = parent_item.kind {
2753             tcx.sess
2754                 .struct_span_err(
2755                     attr_span,
2756                     "`#[target_feature(..)]` cannot be applied to safe trait method",
2757                 )
2758                 .span_label(attr_span, "cannot be applied to safe trait method")
2759                 .span_label(tcx.def_span(id), "not an `unsafe` function")
2760                 .emit();
2761         }
2762     }
2763 }