]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_typeck/src/check/fn_ctxt/_impl.rs
Allow combining -Cprofile-generate and -Cpanic=unwind when targeting
[rust.git] / compiler / rustc_typeck / src / check / fn_ctxt / _impl.rs
1 use crate::astconv::{
2     AstConv, CreateSubstsForGenericArgsCtxt, ExplicitLateBound, GenericArgCountMismatch,
3     GenericArgCountResult, IsMethodCall, PathSeg,
4 };
5 use crate::check::callee::{self, DeferredCallResolution};
6 use crate::check::method::{self, MethodCallee, SelfSource};
7 use crate::check::{BreakableCtxt, Diverges, Expectation, FallbackMode, FnCtxt, LocalTy};
8
9 use rustc_ast::TraitObjectSyntax;
10 use rustc_data_structures::captures::Captures;
11 use rustc_data_structures::fx::FxHashSet;
12 use rustc_errors::{Applicability, DiagnosticBuilder, ErrorReported};
13 use rustc_hir as hir;
14 use rustc_hir::def::{CtorOf, DefKind, Res};
15 use rustc_hir::def_id::DefId;
16 use rustc_hir::lang_items::LangItem;
17 use rustc_hir::{ExprKind, GenericArg, Node, QPath, TyKind};
18 use rustc_infer::infer::canonical::{Canonical, OriginalQueryValues, QueryResponse};
19 use rustc_infer::infer::error_reporting::TypeAnnotationNeeded::E0282;
20 use rustc_infer::infer::{InferOk, InferResult};
21 use rustc_middle::ty::adjustment::{Adjust, Adjustment, AutoBorrow, AutoBorrowMutability};
22 use rustc_middle::ty::fold::TypeFoldable;
23 use rustc_middle::ty::subst::{
24     self, GenericArgKind, InternalSubsts, Subst, SubstsRef, UserSelfTy, UserSubsts,
25 };
26 use rustc_middle::ty::{
27     self, AdtKind, CanonicalUserType, DefIdTree, GenericParamDefKind, ToPolyTraitRef, ToPredicate,
28     Ty, UserType,
29 };
30 use rustc_session::lint;
31 use rustc_session::lint::builtin::BARE_TRAIT_OBJECTS;
32 use rustc_session::parse::feature_err;
33 use rustc_span::edition::Edition;
34 use rustc_span::source_map::{original_sp, DUMMY_SP};
35 use rustc_span::symbol::{kw, sym, Ident};
36 use rustc_span::{self, BytePos, MultiSpan, Span};
37 use rustc_span::{hygiene::DesugaringKind, Symbol};
38 use rustc_trait_selection::infer::InferCtxtExt as _;
39 use rustc_trait_selection::opaque_types::InferCtxtExt as _;
40 use rustc_trait_selection::traits::error_reporting::InferCtxtExt as _;
41 use rustc_trait_selection::traits::{
42     self, ObligationCause, ObligationCauseCode, StatementAsExpression, TraitEngine, TraitEngineExt,
43 };
44
45 use std::collections::hash_map::Entry;
46 use std::iter;
47 use std::slice;
48
49 impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
50     /// Produces warning on the given node, if the current point in the
51     /// function is unreachable, and there hasn't been another warning.
52     pub(in super::super) fn warn_if_unreachable(&self, id: hir::HirId, span: Span, kind: &str) {
53         // FIXME: Combine these two 'if' expressions into one once
54         // let chains are implemented
55         if let Diverges::Always { span: orig_span, custom_note } = self.diverges.get() {
56             // If span arose from a desugaring of `if` or `while`, then it is the condition itself,
57             // which diverges, that we are about to lint on. This gives suboptimal diagnostics.
58             // Instead, stop here so that the `if`- or `while`-expression's block is linted instead.
59             if !span.is_desugaring(DesugaringKind::CondTemporary)
60                 && !span.is_desugaring(DesugaringKind::Async)
61                 && !orig_span.is_desugaring(DesugaringKind::Await)
62             {
63                 self.diverges.set(Diverges::WarnedAlways);
64
65                 debug!("warn_if_unreachable: id={:?} span={:?} kind={}", id, span, kind);
66
67                 self.tcx().struct_span_lint_hir(lint::builtin::UNREACHABLE_CODE, id, span, |lint| {
68                     let msg = format!("unreachable {}", kind);
69                     lint.build(&msg)
70                         .span_label(span, &msg)
71                         .span_label(
72                             orig_span,
73                             custom_note
74                                 .unwrap_or("any code following this expression is unreachable"),
75                         )
76                         .emit();
77                 })
78             }
79         }
80     }
81
82     /// Resolves type and const variables in `ty` if possible. Unlike the infcx
83     /// version (resolve_vars_if_possible), this version will
84     /// also select obligations if it seems useful, in an effort
85     /// to get more type information.
86     pub(in super::super) fn resolve_vars_with_obligations(&self, mut ty: Ty<'tcx>) -> Ty<'tcx> {
87         debug!("resolve_vars_with_obligations(ty={:?})", ty);
88
89         // No Infer()? Nothing needs doing.
90         if !ty.has_infer_types_or_consts() {
91             debug!("resolve_vars_with_obligations: ty={:?}", ty);
92             return ty;
93         }
94
95         // If `ty` is a type variable, see whether we already know what it is.
96         ty = self.resolve_vars_if_possible(ty);
97         if !ty.has_infer_types_or_consts() {
98             debug!("resolve_vars_with_obligations: ty={:?}", ty);
99             return ty;
100         }
101
102         // If not, try resolving pending obligations as much as
103         // possible. This can help substantially when there are
104         // indirect dependencies that don't seem worth tracking
105         // precisely.
106         self.select_obligations_where_possible(false, |_| {});
107         ty = self.resolve_vars_if_possible(ty);
108
109         debug!("resolve_vars_with_obligations: ty={:?}", ty);
110         ty
111     }
112
113     pub(in super::super) fn record_deferred_call_resolution(
114         &self,
115         closure_def_id: DefId,
116         r: DeferredCallResolution<'tcx>,
117     ) {
118         let mut deferred_call_resolutions = self.deferred_call_resolutions.borrow_mut();
119         deferred_call_resolutions.entry(closure_def_id).or_default().push(r);
120     }
121
122     pub(in super::super) fn remove_deferred_call_resolutions(
123         &self,
124         closure_def_id: DefId,
125     ) -> Vec<DeferredCallResolution<'tcx>> {
126         let mut deferred_call_resolutions = self.deferred_call_resolutions.borrow_mut();
127         deferred_call_resolutions.remove(&closure_def_id).unwrap_or_default()
128     }
129
130     pub fn tag(&self) -> String {
131         format!("{:p}", self)
132     }
133
134     pub fn local_ty(&self, span: Span, nid: hir::HirId) -> LocalTy<'tcx> {
135         self.locals.borrow().get(&nid).cloned().unwrap_or_else(|| {
136             span_bug!(span, "no type for local variable {}", self.tcx.hir().node_to_string(nid))
137         })
138     }
139
140     #[inline]
141     pub fn write_ty(&self, id: hir::HirId, ty: Ty<'tcx>) {
142         debug!("write_ty({:?}, {:?}) in fcx {}", id, self.resolve_vars_if_possible(ty), self.tag());
143         self.typeck_results.borrow_mut().node_types_mut().insert(id, ty);
144
145         if ty.references_error() {
146             self.has_errors.set(true);
147             self.set_tainted_by_errors();
148         }
149     }
150
151     pub fn write_field_index(&self, hir_id: hir::HirId, index: usize) {
152         self.typeck_results.borrow_mut().field_indices_mut().insert(hir_id, index);
153     }
154
155     pub(in super::super) fn write_resolution(
156         &self,
157         hir_id: hir::HirId,
158         r: Result<(DefKind, DefId), ErrorReported>,
159     ) {
160         self.typeck_results.borrow_mut().type_dependent_defs_mut().insert(hir_id, r);
161     }
162
163     pub fn write_method_call(&self, hir_id: hir::HirId, method: MethodCallee<'tcx>) {
164         debug!("write_method_call(hir_id={:?}, method={:?})", hir_id, method);
165         self.write_resolution(hir_id, Ok((DefKind::AssocFn, method.def_id)));
166         self.write_substs(hir_id, method.substs);
167
168         // When the method is confirmed, the `method.substs` includes
169         // parameters from not just the method, but also the impl of
170         // the method -- in particular, the `Self` type will be fully
171         // resolved. However, those are not something that the "user
172         // specified" -- i.e., those types come from the inferred type
173         // of the receiver, not something the user wrote. So when we
174         // create the user-substs, we want to replace those earlier
175         // types with just the types that the user actually wrote --
176         // that is, those that appear on the *method itself*.
177         //
178         // As an example, if the user wrote something like
179         // `foo.bar::<u32>(...)` -- the `Self` type here will be the
180         // type of `foo` (possibly adjusted), but we don't want to
181         // include that. We want just the `[_, u32]` part.
182         if !method.substs.is_noop() {
183             let method_generics = self.tcx.generics_of(method.def_id);
184             if !method_generics.params.is_empty() {
185                 let user_type_annotation = self.infcx.probe(|_| {
186                     let user_substs = UserSubsts {
187                         substs: InternalSubsts::for_item(self.tcx, method.def_id, |param, _| {
188                             let i = param.index as usize;
189                             if i < method_generics.parent_count {
190                                 self.infcx.var_for_def(DUMMY_SP, param)
191                             } else {
192                                 method.substs[i]
193                             }
194                         }),
195                         user_self_ty: None, // not relevant here
196                     };
197
198                     self.infcx.canonicalize_user_type_annotation(UserType::TypeOf(
199                         method.def_id,
200                         user_substs,
201                     ))
202                 });
203
204                 debug!("write_method_call: user_type_annotation={:?}", user_type_annotation);
205                 self.write_user_type_annotation(hir_id, user_type_annotation);
206             }
207         }
208     }
209
210     pub fn write_substs(&self, node_id: hir::HirId, substs: SubstsRef<'tcx>) {
211         if !substs.is_noop() {
212             debug!("write_substs({:?}, {:?}) in fcx {}", node_id, substs, self.tag());
213
214             self.typeck_results.borrow_mut().node_substs_mut().insert(node_id, substs);
215         }
216     }
217
218     /// Given the substs that we just converted from the HIR, try to
219     /// canonicalize them and store them as user-given substitutions
220     /// (i.e., substitutions that must be respected by the NLL check).
221     ///
222     /// This should be invoked **before any unifications have
223     /// occurred**, so that annotations like `Vec<_>` are preserved
224     /// properly.
225     pub fn write_user_type_annotation_from_substs(
226         &self,
227         hir_id: hir::HirId,
228         def_id: DefId,
229         substs: SubstsRef<'tcx>,
230         user_self_ty: Option<UserSelfTy<'tcx>>,
231     ) {
232         debug!(
233             "write_user_type_annotation_from_substs: hir_id={:?} def_id={:?} substs={:?} \
234              user_self_ty={:?} in fcx {}",
235             hir_id,
236             def_id,
237             substs,
238             user_self_ty,
239             self.tag(),
240         );
241
242         if Self::can_contain_user_lifetime_bounds((substs, user_self_ty)) {
243             let canonicalized = self.infcx.canonicalize_user_type_annotation(UserType::TypeOf(
244                 def_id,
245                 UserSubsts { substs, user_self_ty },
246             ));
247             debug!("write_user_type_annotation_from_substs: canonicalized={:?}", canonicalized);
248             self.write_user_type_annotation(hir_id, canonicalized);
249         }
250     }
251
252     pub fn write_user_type_annotation(
253         &self,
254         hir_id: hir::HirId,
255         canonical_user_type_annotation: CanonicalUserType<'tcx>,
256     ) {
257         debug!(
258             "write_user_type_annotation: hir_id={:?} canonical_user_type_annotation={:?} tag={}",
259             hir_id,
260             canonical_user_type_annotation,
261             self.tag(),
262         );
263
264         if !canonical_user_type_annotation.is_identity() {
265             self.typeck_results
266                 .borrow_mut()
267                 .user_provided_types_mut()
268                 .insert(hir_id, canonical_user_type_annotation);
269         } else {
270             debug!("write_user_type_annotation: skipping identity substs");
271         }
272     }
273
274     pub fn apply_adjustments(&self, expr: &hir::Expr<'_>, adj: Vec<Adjustment<'tcx>>) {
275         debug!("apply_adjustments(expr={:?}, adj={:?})", expr, adj);
276
277         if adj.is_empty() {
278             return;
279         }
280
281         let autoborrow_mut = adj.iter().any(|adj| {
282             matches!(
283                 adj,
284                 &Adjustment {
285                     kind: Adjust::Borrow(AutoBorrow::Ref(_, AutoBorrowMutability::Mut { .. })),
286                     ..
287                 }
288             )
289         });
290
291         match self.typeck_results.borrow_mut().adjustments_mut().entry(expr.hir_id) {
292             Entry::Vacant(entry) => {
293                 entry.insert(adj);
294             }
295             Entry::Occupied(mut entry) => {
296                 debug!(" - composing on top of {:?}", entry.get());
297                 match (&entry.get()[..], &adj[..]) {
298                     // Applying any adjustment on top of a NeverToAny
299                     // is a valid NeverToAny adjustment, because it can't
300                     // be reached.
301                     (&[Adjustment { kind: Adjust::NeverToAny, .. }], _) => return,
302                     (&[
303                         Adjustment { kind: Adjust::Deref(_), .. },
304                         Adjustment { kind: Adjust::Borrow(AutoBorrow::Ref(..)), .. },
305                     ], &[
306                         Adjustment { kind: Adjust::Deref(_), .. },
307                         .. // Any following adjustments are allowed.
308                     ]) => {
309                         // A reborrow has no effect before a dereference.
310                     }
311                     // FIXME: currently we never try to compose autoderefs
312                     // and ReifyFnPointer/UnsafeFnPointer, but we could.
313                     _ =>
314                         bug!("while adjusting {:?}, can't compose {:?} and {:?}",
315                              expr, entry.get(), adj)
316                 };
317                 *entry.get_mut() = adj;
318             }
319         }
320
321         // If there is an mutable auto-borrow, it is equivalent to `&mut <expr>`.
322         // In this case implicit use of `Deref` and `Index` within `<expr>` should
323         // instead be `DerefMut` and `IndexMut`, so fix those up.
324         if autoborrow_mut {
325             self.convert_place_derefs_to_mutable(expr);
326         }
327     }
328
329     /// Basically whenever we are converting from a type scheme into
330     /// the fn body space, we always want to normalize associated
331     /// types as well. This function combines the two.
332     fn instantiate_type_scheme<T>(&self, span: Span, substs: SubstsRef<'tcx>, value: T) -> T
333     where
334         T: TypeFoldable<'tcx>,
335     {
336         debug!("instantiate_type_scheme(value={:?}, substs={:?})", value, substs);
337         let value = value.subst(self.tcx, substs);
338         let result = self.normalize_associated_types_in(span, value);
339         debug!("instantiate_type_scheme = {:?}", result);
340         result
341     }
342
343     /// As `instantiate_type_scheme`, but for the bounds found in a
344     /// generic type scheme.
345     pub(in super::super) fn instantiate_bounds(
346         &self,
347         span: Span,
348         def_id: DefId,
349         substs: SubstsRef<'tcx>,
350     ) -> (ty::InstantiatedPredicates<'tcx>, Vec<Span>) {
351         let bounds = self.tcx.predicates_of(def_id);
352         let spans: Vec<Span> = bounds.predicates.iter().map(|(_, span)| *span).collect();
353         let result = bounds.instantiate(self.tcx, substs);
354         let result = self.normalize_associated_types_in(span, result);
355         debug!(
356             "instantiate_bounds(bounds={:?}, substs={:?}) = {:?}, {:?}",
357             bounds, substs, result, spans,
358         );
359         (result, spans)
360     }
361
362     /// Replaces the opaque types from the given value with type variables,
363     /// and records the `OpaqueTypeMap` for later use during writeback. See
364     /// `InferCtxt::instantiate_opaque_types` for more details.
365     pub(in super::super) fn instantiate_opaque_types_from_value<T: TypeFoldable<'tcx>>(
366         &self,
367         parent_id: hir::HirId,
368         value: T,
369         value_span: Span,
370         feature: Option<Symbol>,
371     ) -> T {
372         let parent_def_id = self.tcx.hir().local_def_id(parent_id);
373         debug!(
374             "instantiate_opaque_types_from_value(parent_def_id={:?}, value={:?})",
375             parent_def_id, value
376         );
377
378         let (value, opaque_type_map) =
379             self.register_infer_ok_obligations(self.instantiate_opaque_types(
380                 parent_def_id,
381                 self.body_id,
382                 self.param_env,
383                 value,
384                 value_span,
385             ));
386
387         let mut opaque_types = self.opaque_types.borrow_mut();
388         let mut opaque_types_vars = self.opaque_types_vars.borrow_mut();
389
390         for (ty, decl) in opaque_type_map {
391             if let Some(feature) = feature {
392                 if let hir::OpaqueTyOrigin::TyAlias = decl.origin {
393                     if !self.tcx.features().enabled(feature) {
394                         feature_err(
395                             &self.tcx.sess.parse_sess,
396                             feature,
397                             value_span,
398                             "type alias impl trait is not permitted here",
399                         )
400                         .emit();
401                     }
402                 }
403             }
404             let _ = opaque_types.insert(ty, decl);
405             let _ = opaque_types_vars.insert(decl.concrete_ty, decl.opaque_type);
406         }
407
408         value
409     }
410
411     /// Convenience method which tracks extra diagnostic information for normalization
412     /// that occurs as a result of WF checking. The `hir_id` is the `HirId` of the hir item
413     /// whose type is being wf-checked - this is used to construct a more precise span if
414     /// an error occurs.
415     ///
416     /// It is never necessary to call this method - calling `normalize_associated_types_in` will
417     /// just result in a slightly worse diagnostic span, and will still be sound.
418     pub(in super::super) fn normalize_associated_types_in_wf<T>(
419         &self,
420         span: Span,
421         value: T,
422         hir_id: hir::HirId,
423     ) -> T
424     where
425         T: TypeFoldable<'tcx>,
426     {
427         self.inh.normalize_associated_types_in_with_cause(
428             ObligationCause::new(span, self.body_id, ObligationCauseCode::WellFormed(Some(hir_id))),
429             self.param_env,
430             value,
431         )
432     }
433
434     pub(in super::super) fn normalize_associated_types_in<T>(&self, span: Span, value: T) -> T
435     where
436         T: TypeFoldable<'tcx>,
437     {
438         self.inh.normalize_associated_types_in(span, self.body_id, self.param_env, value)
439     }
440
441     pub(in super::super) fn normalize_associated_types_in_as_infer_ok<T>(
442         &self,
443         span: Span,
444         value: T,
445     ) -> InferOk<'tcx, T>
446     where
447         T: TypeFoldable<'tcx>,
448     {
449         self.inh.partially_normalize_associated_types_in(
450             ObligationCause::misc(span, self.body_id),
451             self.param_env,
452             value,
453         )
454     }
455
456     pub fn require_type_meets(
457         &self,
458         ty: Ty<'tcx>,
459         span: Span,
460         code: traits::ObligationCauseCode<'tcx>,
461         def_id: DefId,
462     ) {
463         self.register_bound(ty, def_id, traits::ObligationCause::new(span, self.body_id, code));
464     }
465
466     pub fn require_type_is_sized(
467         &self,
468         ty: Ty<'tcx>,
469         span: Span,
470         code: traits::ObligationCauseCode<'tcx>,
471     ) {
472         if !ty.references_error() {
473             let lang_item = self.tcx.require_lang_item(LangItem::Sized, None);
474             self.require_type_meets(ty, span, code, lang_item);
475         }
476     }
477
478     pub fn require_type_is_sized_deferred(
479         &self,
480         ty: Ty<'tcx>,
481         span: Span,
482         code: traits::ObligationCauseCode<'tcx>,
483     ) {
484         if !ty.references_error() {
485             self.deferred_sized_obligations.borrow_mut().push((ty, span, code));
486         }
487     }
488
489     pub fn register_bound(
490         &self,
491         ty: Ty<'tcx>,
492         def_id: DefId,
493         cause: traits::ObligationCause<'tcx>,
494     ) {
495         if !ty.references_error() {
496             self.fulfillment_cx.borrow_mut().register_bound(
497                 self,
498                 self.param_env,
499                 ty,
500                 def_id,
501                 cause,
502             );
503         }
504     }
505
506     pub fn to_ty(&self, ast_t: &hir::Ty<'_>) -> Ty<'tcx> {
507         let t = <dyn AstConv<'_>>::ast_ty_to_ty(self, ast_t);
508         self.register_wf_obligation(t.into(), ast_t.span, traits::MiscObligation);
509         t
510     }
511
512     pub fn to_ty_saving_user_provided_ty(&self, ast_ty: &hir::Ty<'_>) -> Ty<'tcx> {
513         let ty = self.to_ty(ast_ty);
514         debug!("to_ty_saving_user_provided_ty: ty={:?}", ty);
515
516         if Self::can_contain_user_lifetime_bounds(ty) {
517             let c_ty = self.infcx.canonicalize_response(UserType::Ty(ty));
518             debug!("to_ty_saving_user_provided_ty: c_ty={:?}", c_ty);
519             self.typeck_results.borrow_mut().user_provided_types_mut().insert(ast_ty.hir_id, c_ty);
520         }
521
522         ty
523     }
524
525     pub fn to_const(&self, ast_c: &hir::AnonConst) -> &'tcx ty::Const<'tcx> {
526         let const_def_id = self.tcx.hir().local_def_id(ast_c.hir_id);
527         let c = ty::Const::from_anon_const(self.tcx, const_def_id);
528         self.register_wf_obligation(
529             c.into(),
530             self.tcx.hir().span(ast_c.hir_id),
531             ObligationCauseCode::MiscObligation,
532         );
533         c
534     }
535
536     pub fn const_arg_to_const(
537         &self,
538         ast_c: &hir::AnonConst,
539         param_def_id: DefId,
540     ) -> &'tcx ty::Const<'tcx> {
541         let const_def = ty::WithOptConstParam {
542             did: self.tcx.hir().local_def_id(ast_c.hir_id),
543             const_param_did: Some(param_def_id),
544         };
545         let c = ty::Const::from_opt_const_arg_anon_const(self.tcx, const_def);
546         self.register_wf_obligation(
547             c.into(),
548             self.tcx.hir().span(ast_c.hir_id),
549             ObligationCauseCode::MiscObligation,
550         );
551         c
552     }
553
554     // If the type given by the user has free regions, save it for later, since
555     // NLL would like to enforce those. Also pass in types that involve
556     // projections, since those can resolve to `'static` bounds (modulo #54940,
557     // which hopefully will be fixed by the time you see this comment, dear
558     // reader, although I have my doubts). Also pass in types with inference
559     // types, because they may be repeated. Other sorts of things are already
560     // sufficiently enforced with erased regions. =)
561     fn can_contain_user_lifetime_bounds<T>(t: T) -> bool
562     where
563         T: TypeFoldable<'tcx>,
564     {
565         t.has_free_regions() || t.has_projections() || t.has_infer_types()
566     }
567
568     pub fn node_ty(&self, id: hir::HirId) -> Ty<'tcx> {
569         match self.typeck_results.borrow().node_types().get(id) {
570             Some(&t) => t,
571             None if self.is_tainted_by_errors() => self.tcx.ty_error(),
572             None => {
573                 bug!(
574                     "no type for node {}: {} in fcx {}",
575                     id,
576                     self.tcx.hir().node_to_string(id),
577                     self.tag()
578                 );
579             }
580         }
581     }
582
583     /// Registers an obligation for checking later, during regionck, that `arg` is well-formed.
584     pub fn register_wf_obligation(
585         &self,
586         arg: subst::GenericArg<'tcx>,
587         span: Span,
588         code: traits::ObligationCauseCode<'tcx>,
589     ) {
590         // WF obligations never themselves fail, so no real need to give a detailed cause:
591         let cause = traits::ObligationCause::new(span, self.body_id, code);
592         self.register_predicate(traits::Obligation::new(
593             cause,
594             self.param_env,
595             ty::PredicateKind::WellFormed(arg).to_predicate(self.tcx),
596         ));
597     }
598
599     /// Registers obligations that all `substs` are well-formed.
600     pub fn add_wf_bounds(&self, substs: SubstsRef<'tcx>, expr: &hir::Expr<'_>) {
601         for arg in substs.iter().filter(|arg| {
602             matches!(arg.unpack(), GenericArgKind::Type(..) | GenericArgKind::Const(..))
603         }) {
604             self.register_wf_obligation(arg, expr.span, traits::MiscObligation);
605         }
606     }
607
608     /// Given a fully substituted set of bounds (`generic_bounds`), and the values with which each
609     /// type/region parameter was instantiated (`substs`), creates and registers suitable
610     /// trait/region obligations.
611     ///
612     /// For example, if there is a function:
613     ///
614     /// ```
615     /// fn foo<'a,T:'a>(...)
616     /// ```
617     ///
618     /// and a reference:
619     ///
620     /// ```
621     /// let f = foo;
622     /// ```
623     ///
624     /// Then we will create a fresh region variable `'$0` and a fresh type variable `$1` for `'a`
625     /// and `T`. This routine will add a region obligation `$1:'$0` and register it locally.
626     pub fn add_obligations_for_parameters(
627         &self,
628         cause: traits::ObligationCause<'tcx>,
629         predicates: ty::InstantiatedPredicates<'tcx>,
630     ) {
631         assert!(!predicates.has_escaping_bound_vars());
632
633         debug!("add_obligations_for_parameters(predicates={:?})", predicates);
634
635         for obligation in traits::predicates_for_generics(cause, self.param_env, predicates) {
636             self.register_predicate(obligation);
637         }
638     }
639
640     // FIXME(arielb1): use this instead of field.ty everywhere
641     // Only for fields! Returns <none> for methods>
642     // Indifferent to privacy flags
643     pub fn field_ty(
644         &self,
645         span: Span,
646         field: &'tcx ty::FieldDef,
647         substs: SubstsRef<'tcx>,
648     ) -> Ty<'tcx> {
649         self.normalize_associated_types_in(span, &field.ty(self.tcx, substs))
650     }
651
652     pub(in super::super) fn resolve_generator_interiors(&self, def_id: DefId) {
653         let mut generators = self.deferred_generator_interiors.borrow_mut();
654         for (body_id, interior, kind) in generators.drain(..) {
655             self.select_obligations_where_possible(false, |_| {});
656             crate::check::generator_interior::resolve_interior(
657                 self, def_id, body_id, interior, kind,
658             );
659         }
660     }
661
662     // Tries to apply a fallback to `ty` if it is an unsolved variable.
663     //
664     // - Unconstrained ints are replaced with `i32`.
665     //
666     // - Unconstrained floats are replaced with with `f64`.
667     //
668     // - Non-numerics get replaced with `!` when `#![feature(never_type_fallback)]`
669     //   is enabled. Otherwise, they are replaced with `()`.
670     //
671     // Fallback becomes very dubious if we have encountered type-checking errors.
672     // In that case, fallback to Error.
673     // The return value indicates whether fallback has occurred.
674     pub(in super::super) fn fallback_if_possible(&self, ty: Ty<'tcx>, mode: FallbackMode) -> bool {
675         use rustc_middle::ty::error::UnconstrainedNumeric::Neither;
676         use rustc_middle::ty::error::UnconstrainedNumeric::{UnconstrainedFloat, UnconstrainedInt};
677
678         assert!(ty.is_ty_infer());
679         let fallback = match self.type_is_unconstrained_numeric(ty) {
680             _ if self.is_tainted_by_errors() => self.tcx().ty_error(),
681             UnconstrainedInt => self.tcx.types.i32,
682             UnconstrainedFloat => self.tcx.types.f64,
683             Neither if self.type_var_diverges(ty) => self.tcx.mk_diverging_default(),
684             Neither => {
685                 // This type variable was created from the instantiation of an opaque
686                 // type. The fact that we're attempting to perform fallback for it
687                 // means that the function neither constrained it to a concrete
688                 // type, nor to the opaque type itself.
689                 //
690                 // For example, in this code:
691                 //
692                 //```
693                 // type MyType = impl Copy;
694                 // fn defining_use() -> MyType { true }
695                 // fn other_use() -> MyType { defining_use() }
696                 // ```
697                 //
698                 // `defining_use` will constrain the instantiated inference
699                 // variable to `bool`, while `other_use` will constrain
700                 // the instantiated inference variable to `MyType`.
701                 //
702                 // When we process opaque types during writeback, we
703                 // will handle cases like `other_use`, and not count
704                 // them as defining usages
705                 //
706                 // However, we also need to handle cases like this:
707                 //
708                 // ```rust
709                 // pub type Foo = impl Copy;
710                 // fn produce() -> Option<Foo> {
711                 //     None
712                 //  }
713                 //  ```
714                 //
715                 // In the above snippet, the inference variable created by
716                 // instantiating `Option<Foo>` will be completely unconstrained.
717                 // We treat this as a non-defining use by making the inference
718                 // variable fall back to the opaque type itself.
719                 if let FallbackMode::All = mode {
720                     if let Some(opaque_ty) = self.opaque_types_vars.borrow().get(ty) {
721                         debug!(
722                             "fallback_if_possible: falling back opaque type var {:?} to {:?}",
723                             ty, opaque_ty
724                         );
725                         *opaque_ty
726                     } else {
727                         return false;
728                     }
729                 } else {
730                     return false;
731                 }
732             }
733         };
734         debug!("fallback_if_possible: defaulting `{:?}` to `{:?}`", ty, fallback);
735         self.demand_eqtype(rustc_span::DUMMY_SP, ty, fallback);
736         true
737     }
738
739     pub(in super::super) fn select_all_obligations_or_error(&self) {
740         debug!("select_all_obligations_or_error");
741         if let Err(errors) = self.fulfillment_cx.borrow_mut().select_all_or_error(&self) {
742             self.report_fulfillment_errors(&errors, self.inh.body_id, false);
743         }
744     }
745
746     /// Select as many obligations as we can at present.
747     pub(in super::super) fn select_obligations_where_possible(
748         &self,
749         fallback_has_occurred: bool,
750         mutate_fulfillment_errors: impl Fn(&mut Vec<traits::FulfillmentError<'tcx>>),
751     ) {
752         let result = self.fulfillment_cx.borrow_mut().select_where_possible(self);
753         if let Err(mut errors) = result {
754             mutate_fulfillment_errors(&mut errors);
755             self.report_fulfillment_errors(&errors, self.inh.body_id, fallback_has_occurred);
756         }
757     }
758
759     /// For the overloaded place expressions (`*x`, `x[3]`), the trait
760     /// returns a type of `&T`, but the actual type we assign to the
761     /// *expression* is `T`. So this function just peels off the return
762     /// type by one layer to yield `T`.
763     pub(in super::super) fn make_overloaded_place_return_type(
764         &self,
765         method: MethodCallee<'tcx>,
766     ) -> ty::TypeAndMut<'tcx> {
767         // extract method return type, which will be &T;
768         let ret_ty = method.sig.output();
769
770         // method returns &T, but the type as visible to user is T, so deref
771         ret_ty.builtin_deref(true).unwrap()
772     }
773
774     fn self_type_matches_expected_vid(
775         &self,
776         trait_ref: ty::PolyTraitRef<'tcx>,
777         expected_vid: ty::TyVid,
778     ) -> bool {
779         let self_ty = self.shallow_resolve(trait_ref.skip_binder().self_ty());
780         debug!(
781             "self_type_matches_expected_vid(trait_ref={:?}, self_ty={:?}, expected_vid={:?})",
782             trait_ref, self_ty, expected_vid
783         );
784         match *self_ty.kind() {
785             ty::Infer(ty::TyVar(found_vid)) => {
786                 // FIXME: consider using `sub_root_var` here so we
787                 // can see through subtyping.
788                 let found_vid = self.root_var(found_vid);
789                 debug!("self_type_matches_expected_vid - found_vid={:?}", found_vid);
790                 expected_vid == found_vid
791             }
792             _ => false,
793         }
794     }
795
796     pub(in super::super) fn obligations_for_self_ty<'b>(
797         &'b self,
798         self_ty: ty::TyVid,
799     ) -> impl Iterator<Item = (ty::PolyTraitRef<'tcx>, traits::PredicateObligation<'tcx>)>
800     + Captures<'tcx>
801     + 'b {
802         // FIXME: consider using `sub_root_var` here so we
803         // can see through subtyping.
804         let ty_var_root = self.root_var(self_ty);
805         debug!(
806             "obligations_for_self_ty: self_ty={:?} ty_var_root={:?} pending_obligations={:?}",
807             self_ty,
808             ty_var_root,
809             self.fulfillment_cx.borrow().pending_obligations()
810         );
811
812         self.fulfillment_cx
813             .borrow()
814             .pending_obligations()
815             .into_iter()
816             .filter_map(move |obligation| {
817                 let bound_predicate = obligation.predicate.kind();
818                 match bound_predicate.skip_binder() {
819                     ty::PredicateKind::Projection(data) => Some((
820                         bound_predicate.rebind(data).required_poly_trait_ref(self.tcx),
821                         obligation,
822                     )),
823                     ty::PredicateKind::Trait(data, _) => {
824                         Some((bound_predicate.rebind(data).to_poly_trait_ref(), obligation))
825                     }
826                     ty::PredicateKind::Subtype(..) => None,
827                     ty::PredicateKind::RegionOutlives(..) => None,
828                     ty::PredicateKind::TypeOutlives(..) => None,
829                     ty::PredicateKind::WellFormed(..) => None,
830                     ty::PredicateKind::ObjectSafe(..) => None,
831                     ty::PredicateKind::ConstEvaluatable(..) => None,
832                     ty::PredicateKind::ConstEquate(..) => None,
833                     // N.B., this predicate is created by breaking down a
834                     // `ClosureType: FnFoo()` predicate, where
835                     // `ClosureType` represents some `Closure`. It can't
836                     // possibly be referring to the current closure,
837                     // because we haven't produced the `Closure` for
838                     // this closure yet; this is exactly why the other
839                     // code is looking for a self type of a unresolved
840                     // inference variable.
841                     ty::PredicateKind::ClosureKind(..) => None,
842                     ty::PredicateKind::TypeWellFormedFromEnv(..) => None,
843                 }
844             })
845             .filter(move |(tr, _)| self.self_type_matches_expected_vid(*tr, ty_var_root))
846     }
847
848     pub(in super::super) fn type_var_is_sized(&self, self_ty: ty::TyVid) -> bool {
849         self.obligations_for_self_ty(self_ty)
850             .any(|(tr, _)| Some(tr.def_id()) == self.tcx.lang_items().sized_trait())
851     }
852
853     pub(in super::super) fn err_args(&self, len: usize) -> Vec<Ty<'tcx>> {
854         vec![self.tcx.ty_error(); len]
855     }
856
857     /// Unifies the output type with the expected type early, for more coercions
858     /// and forward type information on the input expressions.
859     pub(in super::super) fn expected_inputs_for_expected_output(
860         &self,
861         call_span: Span,
862         expected_ret: Expectation<'tcx>,
863         formal_ret: Ty<'tcx>,
864         formal_args: &[Ty<'tcx>],
865     ) -> Vec<Ty<'tcx>> {
866         let formal_ret = self.resolve_vars_with_obligations(formal_ret);
867         let ret_ty = match expected_ret.only_has_type(self) {
868             Some(ret) => ret,
869             None => return Vec::new(),
870         };
871         let expect_args = self
872             .fudge_inference_if_ok(|| {
873                 // Attempt to apply a subtyping relationship between the formal
874                 // return type (likely containing type variables if the function
875                 // is polymorphic) and the expected return type.
876                 // No argument expectations are produced if unification fails.
877                 let origin = self.misc(call_span);
878                 let ures = self.at(&origin, self.param_env).sup(ret_ty, &formal_ret);
879
880                 // FIXME(#27336) can't use ? here, Try::from_error doesn't default
881                 // to identity so the resulting type is not constrained.
882                 match ures {
883                     Ok(ok) => {
884                         // Process any obligations locally as much as
885                         // we can.  We don't care if some things turn
886                         // out unconstrained or ambiguous, as we're
887                         // just trying to get hints here.
888                         self.save_and_restore_in_snapshot_flag(|_| {
889                             let mut fulfill = <dyn TraitEngine<'_>>::new(self.tcx);
890                             for obligation in ok.obligations {
891                                 fulfill.register_predicate_obligation(self, obligation);
892                             }
893                             fulfill.select_where_possible(self)
894                         })
895                         .map_err(|_| ())?;
896                     }
897                     Err(_) => return Err(()),
898                 }
899
900                 // Record all the argument types, with the substitutions
901                 // produced from the above subtyping unification.
902                 Ok(formal_args.iter().map(|&ty| self.resolve_vars_if_possible(ty)).collect())
903             })
904             .unwrap_or_default();
905         debug!(
906             "expected_inputs_for_expected_output(formal={:?} -> {:?}, expected={:?} -> {:?})",
907             formal_args, formal_ret, expect_args, expected_ret
908         );
909         expect_args
910     }
911
912     pub(in super::super) fn resolve_lang_item_path(
913         &self,
914         lang_item: hir::LangItem,
915         span: Span,
916         hir_id: hir::HirId,
917     ) -> (Res, Ty<'tcx>) {
918         let def_id = self.tcx.require_lang_item(lang_item, Some(span));
919         let def_kind = self.tcx.def_kind(def_id);
920
921         let item_ty = if let DefKind::Variant = def_kind {
922             self.tcx.type_of(self.tcx.parent(def_id).expect("variant w/out parent"))
923         } else {
924             self.tcx.type_of(def_id)
925         };
926         let substs = self.infcx.fresh_substs_for_item(span, def_id);
927         let ty = item_ty.subst(self.tcx, substs);
928
929         self.write_resolution(hir_id, Ok((def_kind, def_id)));
930         self.add_required_obligations(span, def_id, &substs);
931         (Res::Def(def_kind, def_id), ty)
932     }
933
934     /// Resolves an associated value path into a base type and associated constant, or method
935     /// resolution. The newly resolved definition is written into `type_dependent_defs`.
936     pub fn resolve_ty_and_res_fully_qualified_call(
937         &self,
938         qpath: &'tcx QPath<'tcx>,
939         hir_id: hir::HirId,
940         span: Span,
941     ) -> (Res, Option<Ty<'tcx>>, &'tcx [hir::PathSegment<'tcx>]) {
942         debug!(
943             "resolve_ty_and_res_fully_qualified_call: qpath={:?} hir_id={:?} span={:?}",
944             qpath, hir_id, span
945         );
946         let (ty, qself, item_segment) = match *qpath {
947             QPath::Resolved(ref opt_qself, ref path) => {
948                 return (
949                     path.res,
950                     opt_qself.as_ref().map(|qself| self.to_ty(qself)),
951                     path.segments,
952                 );
953             }
954             QPath::TypeRelative(ref qself, ref segment) => (self.to_ty(qself), qself, segment),
955             QPath::LangItem(..) => {
956                 bug!("`resolve_ty_and_res_fully_qualified_call` called on `LangItem`")
957             }
958         };
959         if let Some(&cached_result) = self.typeck_results.borrow().type_dependent_defs().get(hir_id)
960         {
961             // Return directly on cache hit. This is useful to avoid doubly reporting
962             // errors with default match binding modes. See #44614.
963             let def = cached_result.map_or(Res::Err, |(kind, def_id)| Res::Def(kind, def_id));
964             return (def, Some(ty), slice::from_ref(&**item_segment));
965         }
966         let item_name = item_segment.ident;
967         let result = self
968             .resolve_fully_qualified_call(span, item_name, ty, qself.span, hir_id)
969             .or_else(|error| {
970                 let result = match error {
971                     method::MethodError::PrivateMatch(kind, def_id, _) => Ok((kind, def_id)),
972                     _ => Err(ErrorReported),
973                 };
974                 if item_name.name != kw::Empty {
975                     if let Some(mut e) = self.report_method_error(
976                         span,
977                         ty,
978                         item_name,
979                         SelfSource::QPath(qself),
980                         error,
981                         None,
982                     ) {
983                         e.emit();
984                     }
985                 }
986                 result
987             });
988
989         if result.is_ok() {
990             self.maybe_lint_bare_trait(qpath, hir_id);
991         }
992
993         // Write back the new resolution.
994         self.write_resolution(hir_id, result);
995         (
996             result.map_or(Res::Err, |(kind, def_id)| Res::Def(kind, def_id)),
997             Some(ty),
998             slice::from_ref(&**item_segment),
999         )
1000     }
1001
1002     fn maybe_lint_bare_trait(&self, qpath: &QPath<'_>, hir_id: hir::HirId) {
1003         if let QPath::TypeRelative(self_ty, _) = qpath {
1004             if let TyKind::TraitObject([poly_trait_ref, ..], _, TraitObjectSyntax::None) =
1005                 self_ty.kind
1006             {
1007                 let msg = "trait objects without an explicit `dyn` are deprecated";
1008                 let (sugg, app) = match self.tcx.sess.source_map().span_to_snippet(self_ty.span) {
1009                     Ok(s) if poly_trait_ref.trait_ref.path.is_global() => {
1010                         (format!("<dyn ({})>", s), Applicability::MachineApplicable)
1011                     }
1012                     Ok(s) => (format!("<dyn {}>", s), Applicability::MachineApplicable),
1013                     Err(_) => ("<dyn <type>>".to_string(), Applicability::HasPlaceholders),
1014                 };
1015                 let replace = String::from("use `dyn`");
1016                 if self.sess().edition() >= Edition::Edition2021 {
1017                     let mut err = rustc_errors::struct_span_err!(
1018                         self.sess(),
1019                         self_ty.span,
1020                         E0783,
1021                         "{}",
1022                         msg,
1023                     );
1024                     err.span_suggestion(
1025                         self_ty.span,
1026                         &sugg,
1027                         replace,
1028                         Applicability::MachineApplicable,
1029                     )
1030                     .emit();
1031                 } else {
1032                     self.tcx.struct_span_lint_hir(
1033                         BARE_TRAIT_OBJECTS,
1034                         hir_id,
1035                         self_ty.span,
1036                         |lint| {
1037                             let mut db = lint.build(msg);
1038                             db.span_suggestion(self_ty.span, &replace, sugg, app);
1039                             db.emit()
1040                         },
1041                     );
1042                 }
1043             }
1044         }
1045     }
1046
1047     /// Given a function `Node`, return its `FnDecl` if it exists, or `None` otherwise.
1048     pub(in super::super) fn get_node_fn_decl(
1049         &self,
1050         node: Node<'tcx>,
1051     ) -> Option<(&'tcx hir::FnDecl<'tcx>, Ident, bool)> {
1052         match node {
1053             Node::Item(&hir::Item { ident, kind: hir::ItemKind::Fn(ref sig, ..), .. }) => {
1054                 // This is less than ideal, it will not suggest a return type span on any
1055                 // method called `main`, regardless of whether it is actually the entry point,
1056                 // but it will still present it as the reason for the expected type.
1057                 Some((&sig.decl, ident, ident.name != sym::main))
1058             }
1059             Node::TraitItem(&hir::TraitItem {
1060                 ident,
1061                 kind: hir::TraitItemKind::Fn(ref sig, ..),
1062                 ..
1063             }) => Some((&sig.decl, ident, true)),
1064             Node::ImplItem(&hir::ImplItem {
1065                 ident,
1066                 kind: hir::ImplItemKind::Fn(ref sig, ..),
1067                 ..
1068             }) => Some((&sig.decl, ident, false)),
1069             _ => None,
1070         }
1071     }
1072
1073     /// Given a `HirId`, return the `FnDecl` of the method it is enclosed by and whether a
1074     /// suggestion can be made, `None` otherwise.
1075     pub fn get_fn_decl(&self, blk_id: hir::HirId) -> Option<(&'tcx hir::FnDecl<'tcx>, bool)> {
1076         // Get enclosing Fn, if it is a function or a trait method, unless there's a `loop` or
1077         // `while` before reaching it, as block tail returns are not available in them.
1078         self.tcx.hir().get_return_block(blk_id).and_then(|blk_id| {
1079             let parent = self.tcx.hir().get(blk_id);
1080             self.get_node_fn_decl(parent).map(|(fn_decl, _, is_main)| (fn_decl, is_main))
1081         })
1082     }
1083
1084     pub(in super::super) fn note_internal_mutation_in_method(
1085         &self,
1086         err: &mut DiagnosticBuilder<'_>,
1087         expr: &hir::Expr<'_>,
1088         expected: Ty<'tcx>,
1089         found: Ty<'tcx>,
1090     ) {
1091         if found != self.tcx.types.unit {
1092             return;
1093         }
1094         if let ExprKind::MethodCall(path_segment, _, [rcvr, ..], _) = expr.kind {
1095             if self
1096                 .typeck_results
1097                 .borrow()
1098                 .expr_ty_adjusted_opt(rcvr)
1099                 .map_or(true, |ty| expected.peel_refs() != ty.peel_refs())
1100             {
1101                 return;
1102             }
1103             let mut sp = MultiSpan::from_span(path_segment.ident.span);
1104             sp.push_span_label(
1105                 path_segment.ident.span,
1106                 format!(
1107                     "this call modifies {} in-place",
1108                     match rcvr.kind {
1109                         ExprKind::Path(QPath::Resolved(
1110                             None,
1111                             hir::Path { segments: [segment], .. },
1112                         )) => format!("`{}`", segment.ident),
1113                         _ => "its receiver".to_string(),
1114                     }
1115                 ),
1116             );
1117             sp.push_span_label(
1118                 rcvr.span,
1119                 "you probably want to use this value after calling the method...".to_string(),
1120             );
1121             err.span_note(
1122                 sp,
1123                 &format!("method `{}` modifies its receiver in-place", path_segment.ident),
1124             );
1125             err.note(&format!("...instead of the `()` output of method `{}`", path_segment.ident));
1126         }
1127     }
1128
1129     pub(in super::super) fn note_need_for_fn_pointer(
1130         &self,
1131         err: &mut DiagnosticBuilder<'_>,
1132         expected: Ty<'tcx>,
1133         found: Ty<'tcx>,
1134     ) {
1135         let (sig, did, substs) = match (&expected.kind(), &found.kind()) {
1136             (ty::FnDef(did1, substs1), ty::FnDef(did2, substs2)) => {
1137                 let sig1 = self.tcx.fn_sig(*did1).subst(self.tcx, substs1);
1138                 let sig2 = self.tcx.fn_sig(*did2).subst(self.tcx, substs2);
1139                 if sig1 != sig2 {
1140                     return;
1141                 }
1142                 err.note(
1143                     "different `fn` items always have unique types, even if their signatures are \
1144                      the same",
1145                 );
1146                 (sig1, *did1, substs1)
1147             }
1148             (ty::FnDef(did, substs), ty::FnPtr(sig2)) => {
1149                 let sig1 = self.tcx.fn_sig(*did).subst(self.tcx, substs);
1150                 if sig1 != *sig2 {
1151                     return;
1152                 }
1153                 (sig1, *did, substs)
1154             }
1155             _ => return,
1156         };
1157         err.help(&format!("change the expected type to be function pointer `{}`", sig));
1158         err.help(&format!(
1159             "if the expected type is due to type inference, cast the expected `fn` to a function \
1160              pointer: `{} as {}`",
1161             self.tcx.def_path_str_with_substs(did, substs),
1162             sig
1163         ));
1164     }
1165
1166     pub(in super::super) fn could_remove_semicolon(
1167         &self,
1168         blk: &'tcx hir::Block<'tcx>,
1169         expected_ty: Ty<'tcx>,
1170     ) -> Option<(Span, StatementAsExpression)> {
1171         // Be helpful when the user wrote `{... expr;}` and
1172         // taking the `;` off is enough to fix the error.
1173         let last_stmt = blk.stmts.last()?;
1174         let last_expr = match last_stmt.kind {
1175             hir::StmtKind::Semi(ref e) => e,
1176             _ => return None,
1177         };
1178         let last_expr_ty = self.node_ty(last_expr.hir_id);
1179         let needs_box = match (last_expr_ty.kind(), expected_ty.kind()) {
1180             (ty::Opaque(last_def_id, _), ty::Opaque(exp_def_id, _))
1181                 if last_def_id == exp_def_id =>
1182             {
1183                 StatementAsExpression::CorrectType
1184             }
1185             (ty::Opaque(last_def_id, last_bounds), ty::Opaque(exp_def_id, exp_bounds)) => {
1186                 debug!(
1187                     "both opaque, likely future {:?} {:?} {:?} {:?}",
1188                     last_def_id, last_bounds, exp_def_id, exp_bounds
1189                 );
1190
1191                 let (last_local_id, exp_local_id) =
1192                     match (last_def_id.as_local(), exp_def_id.as_local()) {
1193                         (Some(last_hir_id), Some(exp_hir_id)) => (last_hir_id, exp_hir_id),
1194                         (_, _) => return None,
1195                     };
1196
1197                 let last_hir_id = self.tcx.hir().local_def_id_to_hir_id(last_local_id);
1198                 let exp_hir_id = self.tcx.hir().local_def_id_to_hir_id(exp_local_id);
1199
1200                 match (
1201                     &self.tcx.hir().expect_item(last_hir_id).kind,
1202                     &self.tcx.hir().expect_item(exp_hir_id).kind,
1203                 ) {
1204                     (
1205                         hir::ItemKind::OpaqueTy(hir::OpaqueTy { bounds: last_bounds, .. }),
1206                         hir::ItemKind::OpaqueTy(hir::OpaqueTy { bounds: exp_bounds, .. }),
1207                     ) if iter::zip(*last_bounds, *exp_bounds).all(|(left, right)| {
1208                         match (left, right) {
1209                             (
1210                                 hir::GenericBound::Trait(tl, ml),
1211                                 hir::GenericBound::Trait(tr, mr),
1212                             ) if tl.trait_ref.trait_def_id() == tr.trait_ref.trait_def_id()
1213                                 && ml == mr =>
1214                             {
1215                                 true
1216                             }
1217                             (
1218                                 hir::GenericBound::LangItemTrait(langl, _, _, argsl),
1219                                 hir::GenericBound::LangItemTrait(langr, _, _, argsr),
1220                             ) if langl == langr => {
1221                                 // FIXME: consider the bounds!
1222                                 debug!("{:?} {:?}", argsl, argsr);
1223                                 true
1224                             }
1225                             _ => false,
1226                         }
1227                     }) =>
1228                     {
1229                         StatementAsExpression::NeedsBoxing
1230                     }
1231                     _ => StatementAsExpression::CorrectType,
1232                 }
1233             }
1234             _ => StatementAsExpression::CorrectType,
1235         };
1236         if (matches!(last_expr_ty.kind(), ty::Error(_))
1237             || self.can_sub(self.param_env, last_expr_ty, expected_ty).is_err())
1238             && matches!(needs_box, StatementAsExpression::CorrectType)
1239         {
1240             return None;
1241         }
1242         let original_span = original_sp(last_stmt.span, blk.span);
1243         Some((original_span.with_lo(original_span.hi() - BytePos(1)), needs_box))
1244     }
1245
1246     // Instantiates the given path, which must refer to an item with the given
1247     // number of type parameters and type.
1248     pub fn instantiate_value_path(
1249         &self,
1250         segments: &[hir::PathSegment<'_>],
1251         self_ty: Option<Ty<'tcx>>,
1252         res: Res,
1253         span: Span,
1254         hir_id: hir::HirId,
1255     ) -> (Ty<'tcx>, Res) {
1256         debug!(
1257             "instantiate_value_path(segments={:?}, self_ty={:?}, res={:?}, hir_id={})",
1258             segments, self_ty, res, hir_id,
1259         );
1260
1261         let tcx = self.tcx;
1262
1263         let path_segs = match res {
1264             Res::Local(_) | Res::SelfCtor(_) => vec![],
1265             Res::Def(kind, def_id) => <dyn AstConv<'_>>::def_ids_for_value_path_segments(
1266                 self, segments, self_ty, kind, def_id,
1267             ),
1268             _ => bug!("instantiate_value_path on {:?}", res),
1269         };
1270
1271         let mut user_self_ty = None;
1272         let mut is_alias_variant_ctor = false;
1273         match res {
1274             Res::Def(DefKind::Ctor(CtorOf::Variant, _), _) => {
1275                 if let Some(self_ty) = self_ty {
1276                     let adt_def = self_ty.ty_adt_def().unwrap();
1277                     user_self_ty = Some(UserSelfTy { impl_def_id: adt_def.did, self_ty });
1278                     is_alias_variant_ctor = true;
1279                 }
1280             }
1281             Res::Def(DefKind::AssocFn | DefKind::AssocConst, def_id) => {
1282                 let container = tcx.associated_item(def_id).container;
1283                 debug!("instantiate_value_path: def_id={:?} container={:?}", def_id, container);
1284                 match container {
1285                     ty::TraitContainer(trait_did) => {
1286                         callee::check_legal_trait_for_method_call(tcx, span, None, span, trait_did)
1287                     }
1288                     ty::ImplContainer(impl_def_id) => {
1289                         if segments.len() == 1 {
1290                             // `<T>::assoc` will end up here, and so
1291                             // can `T::assoc`. It this came from an
1292                             // inherent impl, we need to record the
1293                             // `T` for posterity (see `UserSelfTy` for
1294                             // details).
1295                             let self_ty = self_ty.expect("UFCS sugared assoc missing Self");
1296                             user_self_ty = Some(UserSelfTy { impl_def_id, self_ty });
1297                         }
1298                     }
1299                 }
1300             }
1301             _ => {}
1302         }
1303
1304         // Now that we have categorized what space the parameters for each
1305         // segment belong to, let's sort out the parameters that the user
1306         // provided (if any) into their appropriate spaces. We'll also report
1307         // errors if type parameters are provided in an inappropriate place.
1308
1309         let generic_segs: FxHashSet<_> = path_segs.iter().map(|PathSeg(_, index)| index).collect();
1310         let generics_has_err = <dyn AstConv<'_>>::prohibit_generics(
1311             self,
1312             segments.iter().enumerate().filter_map(|(index, seg)| {
1313                 if !generic_segs.contains(&index) || is_alias_variant_ctor {
1314                     Some(seg)
1315                 } else {
1316                     None
1317                 }
1318             }),
1319         );
1320
1321         if let Res::Local(hid) = res {
1322             let ty = self.local_ty(span, hid).decl_ty;
1323             let ty = self.normalize_associated_types_in(span, ty);
1324             self.write_ty(hir_id, ty);
1325             return (ty, res);
1326         }
1327
1328         if generics_has_err {
1329             // Don't try to infer type parameters when prohibited generic arguments were given.
1330             user_self_ty = None;
1331         }
1332
1333         // Now we have to compare the types that the user *actually*
1334         // provided against the types that were *expected*. If the user
1335         // did not provide any types, then we want to substitute inference
1336         // variables. If the user provided some types, we may still need
1337         // to add defaults. If the user provided *too many* types, that's
1338         // a problem.
1339
1340         let mut infer_args_for_err = FxHashSet::default();
1341
1342         let mut explicit_late_bound = ExplicitLateBound::No;
1343         for &PathSeg(def_id, index) in &path_segs {
1344             let seg = &segments[index];
1345             let generics = tcx.generics_of(def_id);
1346
1347             // Argument-position `impl Trait` is treated as a normal generic
1348             // parameter internally, but we don't allow users to specify the
1349             // parameter's value explicitly, so we have to do some error-
1350             // checking here.
1351             let arg_count = <dyn AstConv<'_>>::check_generic_arg_count_for_call(
1352                 tcx,
1353                 span,
1354                 def_id,
1355                 &generics,
1356                 seg,
1357                 IsMethodCall::No,
1358             );
1359
1360             if let ExplicitLateBound::Yes = arg_count.explicit_late_bound {
1361                 explicit_late_bound = ExplicitLateBound::Yes;
1362             }
1363
1364             if let Err(GenericArgCountMismatch { reported: Some(_), .. }) = arg_count.correct {
1365                 infer_args_for_err.insert(index);
1366                 self.set_tainted_by_errors(); // See issue #53251.
1367             }
1368         }
1369
1370         let has_self = path_segs
1371             .last()
1372             .map(|PathSeg(def_id, _)| tcx.generics_of(*def_id).has_self)
1373             .unwrap_or(false);
1374
1375         let (res, self_ctor_substs) = if let Res::SelfCtor(impl_def_id) = res {
1376             let ty = self.normalize_ty(span, tcx.at(span).type_of(impl_def_id));
1377             match *ty.kind() {
1378                 ty::Adt(adt_def, substs) if adt_def.has_ctor() => {
1379                     let variant = adt_def.non_enum_variant();
1380                     let ctor_def_id = variant.ctor_def_id.unwrap();
1381                     (
1382                         Res::Def(DefKind::Ctor(CtorOf::Struct, variant.ctor_kind), ctor_def_id),
1383                         Some(substs),
1384                     )
1385                 }
1386                 _ => {
1387                     let mut err = tcx.sess.struct_span_err(
1388                         span,
1389                         "the `Self` constructor can only be used with tuple or unit structs",
1390                     );
1391                     if let Some(adt_def) = ty.ty_adt_def() {
1392                         match adt_def.adt_kind() {
1393                             AdtKind::Enum => {
1394                                 err.help("did you mean to use one of the enum's variants?");
1395                             }
1396                             AdtKind::Struct | AdtKind::Union => {
1397                                 err.span_suggestion(
1398                                     span,
1399                                     "use curly brackets",
1400                                     String::from("Self { /* fields */ }"),
1401                                     Applicability::HasPlaceholders,
1402                                 );
1403                             }
1404                         }
1405                     }
1406                     err.emit();
1407
1408                     return (tcx.ty_error(), res);
1409                 }
1410             }
1411         } else {
1412             (res, None)
1413         };
1414         let def_id = res.def_id();
1415
1416         // The things we are substituting into the type should not contain
1417         // escaping late-bound regions, and nor should the base type scheme.
1418         let ty = tcx.type_of(def_id);
1419
1420         let arg_count = GenericArgCountResult {
1421             explicit_late_bound,
1422             correct: if infer_args_for_err.is_empty() {
1423                 Ok(())
1424             } else {
1425                 Err(GenericArgCountMismatch::default())
1426             },
1427         };
1428
1429         struct CreateCtorSubstsContext<'a, 'tcx> {
1430             fcx: &'a FnCtxt<'a, 'tcx>,
1431             span: Span,
1432             path_segs: &'a [PathSeg],
1433             infer_args_for_err: &'a FxHashSet<usize>,
1434             segments: &'a [hir::PathSegment<'a>],
1435         }
1436         impl<'tcx, 'a> CreateSubstsForGenericArgsCtxt<'a, 'tcx> for CreateCtorSubstsContext<'a, 'tcx> {
1437             fn args_for_def_id(
1438                 &mut self,
1439                 def_id: DefId,
1440             ) -> (Option<&'a hir::GenericArgs<'a>>, bool) {
1441                 if let Some(&PathSeg(_, index)) =
1442                     self.path_segs.iter().find(|&PathSeg(did, _)| *did == def_id)
1443                 {
1444                     // If we've encountered an `impl Trait`-related error, we're just
1445                     // going to infer the arguments for better error messages.
1446                     if !self.infer_args_for_err.contains(&index) {
1447                         // Check whether the user has provided generic arguments.
1448                         if let Some(ref data) = self.segments[index].args {
1449                             return (Some(data), self.segments[index].infer_args);
1450                         }
1451                     }
1452                     return (None, self.segments[index].infer_args);
1453                 }
1454
1455                 (None, true)
1456             }
1457
1458             fn provided_kind(
1459                 &mut self,
1460                 param: &ty::GenericParamDef,
1461                 arg: &GenericArg<'_>,
1462             ) -> subst::GenericArg<'tcx> {
1463                 match (&param.kind, arg) {
1464                     (GenericParamDefKind::Lifetime, GenericArg::Lifetime(lt)) => {
1465                         <dyn AstConv<'_>>::ast_region_to_region(self.fcx, lt, Some(param)).into()
1466                     }
1467                     (GenericParamDefKind::Type { .. }, GenericArg::Type(ty)) => {
1468                         self.fcx.to_ty(ty).into()
1469                     }
1470                     (GenericParamDefKind::Const { .. }, GenericArg::Const(ct)) => {
1471                         self.fcx.const_arg_to_const(&ct.value, param.def_id).into()
1472                     }
1473                     _ => unreachable!(),
1474                 }
1475             }
1476
1477             fn inferred_kind(
1478                 &mut self,
1479                 substs: Option<&[subst::GenericArg<'tcx>]>,
1480                 param: &ty::GenericParamDef,
1481                 infer_args: bool,
1482             ) -> subst::GenericArg<'tcx> {
1483                 let tcx = self.fcx.tcx();
1484                 match param.kind {
1485                     GenericParamDefKind::Lifetime => {
1486                         self.fcx.re_infer(Some(param), self.span).unwrap().into()
1487                     }
1488                     GenericParamDefKind::Type { has_default, .. } => {
1489                         if !infer_args && has_default {
1490                             // If we have a default, then we it doesn't matter that we're not
1491                             // inferring the type arguments: we provide the default where any
1492                             // is missing.
1493                             let default = tcx.type_of(param.def_id);
1494                             self.fcx
1495                                 .normalize_ty(
1496                                     self.span,
1497                                     default.subst_spanned(tcx, substs.unwrap(), Some(self.span)),
1498                                 )
1499                                 .into()
1500                         } else {
1501                             // If no type arguments were provided, we have to infer them.
1502                             // This case also occurs as a result of some malformed input, e.g.
1503                             // a lifetime argument being given instead of a type parameter.
1504                             // Using inference instead of `Error` gives better error messages.
1505                             self.fcx.var_for_def(self.span, param)
1506                         }
1507                     }
1508                     GenericParamDefKind::Const { has_default, .. } => {
1509                         if !infer_args && has_default {
1510                             tcx.const_param_default(param.def_id)
1511                                 .subst_spanned(tcx, substs.unwrap(), Some(self.span))
1512                                 .into()
1513                         } else {
1514                             self.fcx.var_for_def(self.span, param)
1515                         }
1516                     }
1517                 }
1518             }
1519         }
1520
1521         let substs = self_ctor_substs.unwrap_or_else(|| {
1522             <dyn AstConv<'_>>::create_substs_for_generic_args(
1523                 tcx,
1524                 def_id,
1525                 &[][..],
1526                 has_self,
1527                 self_ty,
1528                 &arg_count,
1529                 &mut CreateCtorSubstsContext {
1530                     fcx: self,
1531                     span,
1532                     path_segs: &path_segs,
1533                     infer_args_for_err: &infer_args_for_err,
1534                     segments,
1535                 },
1536             )
1537         });
1538         assert!(!substs.has_escaping_bound_vars());
1539         assert!(!ty.has_escaping_bound_vars());
1540
1541         // First, store the "user substs" for later.
1542         self.write_user_type_annotation_from_substs(hir_id, def_id, substs, user_self_ty);
1543
1544         self.add_required_obligations(span, def_id, &substs);
1545
1546         // Substitute the values for the type parameters into the type of
1547         // the referenced item.
1548         let ty_substituted = self.instantiate_type_scheme(span, &substs, ty);
1549
1550         if let Some(UserSelfTy { impl_def_id, self_ty }) = user_self_ty {
1551             // In the case of `Foo<T>::method` and `<Foo<T>>::method`, if `method`
1552             // is inherent, there is no `Self` parameter; instead, the impl needs
1553             // type parameters, which we can infer by unifying the provided `Self`
1554             // with the substituted impl type.
1555             // This also occurs for an enum variant on a type alias.
1556             let ty = tcx.type_of(impl_def_id);
1557
1558             let impl_ty = self.instantiate_type_scheme(span, &substs, ty);
1559             match self.at(&self.misc(span), self.param_env).eq(impl_ty, self_ty) {
1560                 Ok(ok) => self.register_infer_ok_obligations(ok),
1561                 Err(_) => {
1562                     self.tcx.sess.delay_span_bug(
1563                         span,
1564                         &format!(
1565                         "instantiate_value_path: (UFCS) {:?} was a subtype of {:?} but now is not?",
1566                         self_ty,
1567                         impl_ty,
1568                     ),
1569                     );
1570                 }
1571             }
1572         }
1573
1574         debug!("instantiate_value_path: type of {:?} is {:?}", hir_id, ty_substituted);
1575         self.write_substs(hir_id, substs);
1576
1577         (ty_substituted, res)
1578     }
1579
1580     /// Add all the obligations that are required, substituting and normalized appropriately.
1581     #[tracing::instrument(level = "debug", skip(self, span, def_id, substs))]
1582     fn add_required_obligations(&self, span: Span, def_id: DefId, substs: &SubstsRef<'tcx>) {
1583         let (bounds, spans) = self.instantiate_bounds(span, def_id, &substs);
1584
1585         for (i, mut obligation) in traits::predicates_for_generics(
1586             traits::ObligationCause::new(span, self.body_id, traits::ItemObligation(def_id)),
1587             self.param_env,
1588             bounds,
1589         )
1590         .enumerate()
1591         {
1592             // This makes the error point at the bound, but we want to point at the argument
1593             if let Some(span) = spans.get(i) {
1594                 obligation.cause.make_mut().code = traits::BindingObligation(def_id, *span);
1595             }
1596             self.register_predicate(obligation);
1597         }
1598     }
1599
1600     /// Resolves `typ` by a single level if `typ` is a type variable.
1601     /// If no resolution is possible, then an error is reported.
1602     /// Numeric inference variables may be left unresolved.
1603     pub fn structurally_resolved_type(&self, sp: Span, ty: Ty<'tcx>) -> Ty<'tcx> {
1604         let ty = self.resolve_vars_with_obligations(ty);
1605         if !ty.is_ty_var() {
1606             ty
1607         } else {
1608             if !self.is_tainted_by_errors() {
1609                 self.emit_inference_failure_err((**self).body_id, sp, ty.into(), vec![], E0282)
1610                     .note("type must be known at this point")
1611                     .emit();
1612             }
1613             let err = self.tcx.ty_error();
1614             self.demand_suptype(sp, err, ty);
1615             err
1616         }
1617     }
1618
1619     pub(in super::super) fn with_breakable_ctxt<F: FnOnce() -> R, R>(
1620         &self,
1621         id: hir::HirId,
1622         ctxt: BreakableCtxt<'tcx>,
1623         f: F,
1624     ) -> (BreakableCtxt<'tcx>, R) {
1625         let index;
1626         {
1627             let mut enclosing_breakables = self.enclosing_breakables.borrow_mut();
1628             index = enclosing_breakables.stack.len();
1629             enclosing_breakables.by_id.insert(id, index);
1630             enclosing_breakables.stack.push(ctxt);
1631         }
1632         let result = f();
1633         let ctxt = {
1634             let mut enclosing_breakables = self.enclosing_breakables.borrow_mut();
1635             debug_assert!(enclosing_breakables.stack.len() == index + 1);
1636             enclosing_breakables.by_id.remove(&id).expect("missing breakable context");
1637             enclosing_breakables.stack.pop().expect("missing breakable context")
1638         };
1639         (ctxt, result)
1640     }
1641
1642     /// Instantiate a QueryResponse in a probe context, without a
1643     /// good ObligationCause.
1644     pub(in super::super) fn probe_instantiate_query_response(
1645         &self,
1646         span: Span,
1647         original_values: &OriginalQueryValues<'tcx>,
1648         query_result: &Canonical<'tcx, QueryResponse<'tcx, Ty<'tcx>>>,
1649     ) -> InferResult<'tcx, Ty<'tcx>> {
1650         self.instantiate_query_response_and_region_obligations(
1651             &traits::ObligationCause::misc(span, self.body_id),
1652             self.param_env,
1653             original_values,
1654             query_result,
1655         )
1656     }
1657
1658     /// Returns `true` if an expression is contained inside the LHS of an assignment expression.
1659     pub(in super::super) fn expr_in_place(&self, mut expr_id: hir::HirId) -> bool {
1660         let mut contained_in_place = false;
1661
1662         while let hir::Node::Expr(parent_expr) =
1663             self.tcx.hir().get(self.tcx.hir().get_parent_node(expr_id))
1664         {
1665             match &parent_expr.kind {
1666                 hir::ExprKind::Assign(lhs, ..) | hir::ExprKind::AssignOp(_, lhs, ..) => {
1667                     if lhs.hir_id == expr_id {
1668                         contained_in_place = true;
1669                         break;
1670                     }
1671                 }
1672                 _ => (),
1673             }
1674             expr_id = parent_expr.hir_id;
1675         }
1676
1677         contained_in_place
1678     }
1679 }