]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/clean/auto_trait.rs
Auto merge of #103861 - compiler-errors:codegen-select-in-vtable-slot, r=nagisa
[rust.git] / src / librustdoc / clean / auto_trait.rs
1 use rustc_data_structures::fx::FxHashSet;
2 use rustc_hir as hir;
3 use rustc_hir::lang_items::LangItem;
4 use rustc_middle::ty::{self, Region, RegionVid, TypeFoldable, TypeSuperFoldable};
5 use rustc_trait_selection::traits::auto_trait::{self, AutoTraitResult};
6 use thin_vec::ThinVec;
7
8 use std::fmt::Debug;
9
10 use super::*;
11
12 #[derive(Eq, PartialEq, Hash, Copy, Clone, Debug)]
13 enum RegionTarget<'tcx> {
14     Region(Region<'tcx>),
15     RegionVid(RegionVid),
16 }
17
18 #[derive(Default, Debug, Clone)]
19 struct RegionDeps<'tcx> {
20     larger: FxHashSet<RegionTarget<'tcx>>,
21     smaller: FxHashSet<RegionTarget<'tcx>>,
22 }
23
24 pub(crate) struct AutoTraitFinder<'a, 'tcx> {
25     pub(crate) cx: &'a mut core::DocContext<'tcx>,
26 }
27
28 impl<'a, 'tcx> AutoTraitFinder<'a, 'tcx>
29 where
30     'tcx: 'a, // should be an implied bound; rustc bug #98852.
31 {
32     pub(crate) fn new(cx: &'a mut core::DocContext<'tcx>) -> Self {
33         AutoTraitFinder { cx }
34     }
35
36     fn generate_for_trait(
37         &mut self,
38         ty: Ty<'tcx>,
39         trait_def_id: DefId,
40         param_env: ty::ParamEnv<'tcx>,
41         item_def_id: DefId,
42         f: &auto_trait::AutoTraitFinder<'tcx>,
43         // If this is set, show only negative trait implementations, not positive ones.
44         discard_positive_impl: bool,
45     ) -> Option<Item> {
46         let tcx = self.cx.tcx;
47         let trait_ref = ty::TraitRef { def_id: trait_def_id, substs: tcx.mk_substs_trait(ty, &[]) };
48         if !self.cx.generated_synthetics.insert((ty, trait_def_id)) {
49             debug!("get_auto_trait_impl_for({:?}): already generated, aborting", trait_ref);
50             return None;
51         }
52
53         let result = f.find_auto_trait_generics(ty, param_env, trait_def_id, |info| {
54             let region_data = info.region_data;
55
56             let names_map = tcx
57                 .generics_of(item_def_id)
58                 .params
59                 .iter()
60                 .filter_map(|param| match param.kind {
61                     ty::GenericParamDefKind::Lifetime => Some(param.name),
62                     _ => None,
63                 })
64                 .map(|name| (name, Lifetime(name)))
65                 .collect();
66             let lifetime_predicates = Self::handle_lifetimes(&region_data, &names_map);
67             let new_generics = self.param_env_to_generics(
68                 item_def_id,
69                 info.full_user_env,
70                 lifetime_predicates,
71                 info.vid_to_region,
72             );
73
74             debug!(
75                 "find_auto_trait_generics(item_def_id={:?}, trait_def_id={:?}): \
76                     finished with {:?}",
77                 item_def_id, trait_def_id, new_generics
78             );
79
80             new_generics
81         });
82
83         let polarity;
84         let new_generics = match result {
85             AutoTraitResult::PositiveImpl(new_generics) => {
86                 polarity = ty::ImplPolarity::Positive;
87                 if discard_positive_impl {
88                     return None;
89                 }
90                 new_generics
91             }
92             AutoTraitResult::NegativeImpl => {
93                 polarity = ty::ImplPolarity::Negative;
94
95                 // For negative impls, we use the generic params, but *not* the predicates,
96                 // from the original type. Otherwise, the displayed impl appears to be a
97                 // conditional negative impl, when it's really unconditional.
98                 //
99                 // For example, consider the struct Foo<T: Copy>(*mut T). Using
100                 // the original predicates in our impl would cause us to generate
101                 // `impl !Send for Foo<T: Copy>`, which makes it appear that Foo
102                 // implements Send where T is not copy.
103                 //
104                 // Instead, we generate `impl !Send for Foo<T>`, which better
105                 // expresses the fact that `Foo<T>` never implements `Send`,
106                 // regardless of the choice of `T`.
107                 let raw_generics = clean_ty_generics(
108                     self.cx,
109                     tcx.generics_of(item_def_id),
110                     ty::GenericPredicates::default(),
111                 );
112                 let params = raw_generics.params;
113
114                 Generics { params, where_predicates: ThinVec::new() }
115             }
116             AutoTraitResult::ExplicitImpl => return None,
117         };
118
119         Some(Item {
120             name: None,
121             attrs: Default::default(),
122             item_id: ItemId::Auto { trait_: trait_def_id, for_: item_def_id },
123             kind: Box::new(ImplItem(Box::new(Impl {
124                 unsafety: hir::Unsafety::Normal,
125                 generics: new_generics,
126                 trait_: Some(clean_trait_ref_with_bindings(self.cx, trait_ref, ThinVec::new())),
127                 for_: clean_middle_ty(ty, self.cx, None),
128                 items: Vec::new(),
129                 polarity,
130                 kind: ImplKind::Auto,
131             }))),
132             cfg: None,
133             inline_stmt_id: None,
134         })
135     }
136
137     pub(crate) fn get_auto_trait_impls(&mut self, item_def_id: DefId) -> Vec<Item> {
138         let tcx = self.cx.tcx;
139         let param_env = tcx.param_env(item_def_id);
140         let ty = tcx.type_of(item_def_id);
141         let f = auto_trait::AutoTraitFinder::new(tcx);
142
143         debug!("get_auto_trait_impls({:?})", ty);
144         let auto_traits: Vec<_> = self.cx.auto_traits.iter().copied().collect();
145         let mut auto_traits: Vec<Item> = auto_traits
146             .into_iter()
147             .filter_map(|trait_def_id| {
148                 self.generate_for_trait(ty, trait_def_id, param_env, item_def_id, &f, false)
149             })
150             .collect();
151         // We are only interested in case the type *doesn't* implement the Sized trait.
152         if !ty.is_sized(tcx, param_env) {
153             // In case `#![no_core]` is used, `sized_trait` returns nothing.
154             if let Some(item) = tcx.lang_items().sized_trait().and_then(|sized_trait_did| {
155                 self.generate_for_trait(ty, sized_trait_did, param_env, item_def_id, &f, true)
156             }) {
157                 auto_traits.push(item);
158             }
159         }
160         auto_traits
161     }
162
163     fn get_lifetime(region: Region<'_>, names_map: &FxHashMap<Symbol, Lifetime>) -> Lifetime {
164         region_name(region)
165             .map(|name| {
166                 names_map.get(&name).unwrap_or_else(|| {
167                     panic!("Missing lifetime with name {:?} for {:?}", name.as_str(), region)
168                 })
169             })
170             .unwrap_or(&Lifetime::statik())
171             .clone()
172     }
173
174     /// This method calculates two things: Lifetime constraints of the form `'a: 'b`,
175     /// and region constraints of the form `RegionVid: 'a`
176     ///
177     /// This is essentially a simplified version of lexical_region_resolve. However,
178     /// handle_lifetimes determines what *needs be* true in order for an impl to hold.
179     /// lexical_region_resolve, along with much of the rest of the compiler, is concerned
180     /// with determining if a given set up constraints/predicates *are* met, given some
181     /// starting conditions (e.g., user-provided code). For this reason, it's easier
182     /// to perform the calculations we need on our own, rather than trying to make
183     /// existing inference/solver code do what we want.
184     fn handle_lifetimes<'cx>(
185         regions: &RegionConstraintData<'cx>,
186         names_map: &FxHashMap<Symbol, Lifetime>,
187     ) -> ThinVec<WherePredicate> {
188         // Our goal is to 'flatten' the list of constraints by eliminating
189         // all intermediate RegionVids. At the end, all constraints should
190         // be between Regions (aka region variables). This gives us the information
191         // we need to create the Generics.
192         let mut finished: FxHashMap<_, Vec<_>> = Default::default();
193
194         let mut vid_map: FxHashMap<RegionTarget<'_>, RegionDeps<'_>> = Default::default();
195
196         // Flattening is done in two parts. First, we insert all of the constraints
197         // into a map. Each RegionTarget (either a RegionVid or a Region) maps
198         // to its smaller and larger regions. Note that 'larger' regions correspond
199         // to sub-regions in Rust code (e.g., in 'a: 'b, 'a is the larger region).
200         for constraint in regions.constraints.keys() {
201             match *constraint {
202                 Constraint::VarSubVar(r1, r2) => {
203                     {
204                         let deps1 = vid_map.entry(RegionTarget::RegionVid(r1)).or_default();
205                         deps1.larger.insert(RegionTarget::RegionVid(r2));
206                     }
207
208                     let deps2 = vid_map.entry(RegionTarget::RegionVid(r2)).or_default();
209                     deps2.smaller.insert(RegionTarget::RegionVid(r1));
210                 }
211                 Constraint::RegSubVar(region, vid) => {
212                     let deps = vid_map.entry(RegionTarget::RegionVid(vid)).or_default();
213                     deps.smaller.insert(RegionTarget::Region(region));
214                 }
215                 Constraint::VarSubReg(vid, region) => {
216                     let deps = vid_map.entry(RegionTarget::RegionVid(vid)).or_default();
217                     deps.larger.insert(RegionTarget::Region(region));
218                 }
219                 Constraint::RegSubReg(r1, r2) => {
220                     // The constraint is already in the form that we want, so we're done with it
221                     // Desired order is 'larger, smaller', so flip then
222                     if region_name(r1) != region_name(r2) {
223                         finished
224                             .entry(region_name(r2).expect("no region_name found"))
225                             .or_default()
226                             .push(r1);
227                     }
228                 }
229             }
230         }
231
232         // Here, we 'flatten' the map one element at a time.
233         // All of the element's sub and super regions are connected
234         // to each other. For example, if we have a graph that looks like this:
235         //
236         // (A, B) - C - (D, E)
237         // Where (A, B) are subregions, and (D,E) are super-regions
238         //
239         // then after deleting 'C', the graph will look like this:
240         //  ... - A - (D, E ...)
241         //  ... - B - (D, E, ...)
242         //  (A, B, ...) - D - ...
243         //  (A, B, ...) - E - ...
244         //
245         //  where '...' signifies the existing sub and super regions of an entry
246         //  When two adjacent ty::Regions are encountered, we've computed a final
247         //  constraint, and add it to our list. Since we make sure to never re-add
248         //  deleted items, this process will always finish.
249         while !vid_map.is_empty() {
250             let target = *vid_map.keys().next().expect("Keys somehow empty");
251             let deps = vid_map.remove(&target).expect("Entry somehow missing");
252
253             for smaller in deps.smaller.iter() {
254                 for larger in deps.larger.iter() {
255                     match (smaller, larger) {
256                         (&RegionTarget::Region(r1), &RegionTarget::Region(r2)) => {
257                             if region_name(r1) != region_name(r2) {
258                                 finished
259                                     .entry(region_name(r2).expect("no region name found"))
260                                     .or_default()
261                                     .push(r1) // Larger, smaller
262                             }
263                         }
264                         (&RegionTarget::RegionVid(_), &RegionTarget::Region(_)) => {
265                             if let Entry::Occupied(v) = vid_map.entry(*smaller) {
266                                 let smaller_deps = v.into_mut();
267                                 smaller_deps.larger.insert(*larger);
268                                 smaller_deps.larger.remove(&target);
269                             }
270                         }
271                         (&RegionTarget::Region(_), &RegionTarget::RegionVid(_)) => {
272                             if let Entry::Occupied(v) = vid_map.entry(*larger) {
273                                 let deps = v.into_mut();
274                                 deps.smaller.insert(*smaller);
275                                 deps.smaller.remove(&target);
276                             }
277                         }
278                         (&RegionTarget::RegionVid(_), &RegionTarget::RegionVid(_)) => {
279                             if let Entry::Occupied(v) = vid_map.entry(*smaller) {
280                                 let smaller_deps = v.into_mut();
281                                 smaller_deps.larger.insert(*larger);
282                                 smaller_deps.larger.remove(&target);
283                             }
284
285                             if let Entry::Occupied(v) = vid_map.entry(*larger) {
286                                 let larger_deps = v.into_mut();
287                                 larger_deps.smaller.insert(*smaller);
288                                 larger_deps.smaller.remove(&target);
289                             }
290                         }
291                     }
292                 }
293             }
294         }
295
296         let lifetime_predicates = names_map
297             .iter()
298             .flat_map(|(name, lifetime)| {
299                 let empty = Vec::new();
300                 let bounds: FxHashSet<GenericBound> = finished
301                     .get(name)
302                     .unwrap_or(&empty)
303                     .iter()
304                     .map(|region| GenericBound::Outlives(Self::get_lifetime(*region, names_map)))
305                     .collect();
306
307                 if bounds.is_empty() {
308                     return None;
309                 }
310                 Some(WherePredicate::RegionPredicate {
311                     lifetime: lifetime.clone(),
312                     bounds: bounds.into_iter().collect(),
313                 })
314             })
315             .collect();
316
317         lifetime_predicates
318     }
319
320     fn extract_for_generics(&self, pred: ty::Predicate<'tcx>) -> FxHashSet<GenericParamDef> {
321         let bound_predicate = pred.kind();
322         let tcx = self.cx.tcx;
323         let regions = match bound_predicate.skip_binder() {
324             ty::PredicateKind::Trait(poly_trait_pred) => {
325                 tcx.collect_referenced_late_bound_regions(&bound_predicate.rebind(poly_trait_pred))
326             }
327             ty::PredicateKind::Projection(poly_proj_pred) => {
328                 tcx.collect_referenced_late_bound_regions(&bound_predicate.rebind(poly_proj_pred))
329             }
330             _ => return FxHashSet::default(),
331         };
332
333         regions
334             .into_iter()
335             .filter_map(|br| {
336                 match br {
337                     // We only care about named late bound regions, as we need to add them
338                     // to the 'for<>' section
339                     ty::BrNamed(_, name) => Some(GenericParamDef {
340                         name,
341                         kind: GenericParamDefKind::Lifetime { outlives: vec![] },
342                     }),
343                     _ => None,
344                 }
345             })
346             .collect()
347     }
348
349     fn make_final_bounds(
350         &self,
351         ty_to_bounds: FxHashMap<Type, FxHashSet<GenericBound>>,
352         ty_to_fn: FxHashMap<Type, (PolyTrait, Option<Type>)>,
353         lifetime_to_bounds: FxHashMap<Lifetime, FxHashSet<GenericBound>>,
354     ) -> Vec<WherePredicate> {
355         ty_to_bounds
356             .into_iter()
357             .flat_map(|(ty, mut bounds)| {
358                 if let Some((ref poly_trait, ref output)) = ty_to_fn.get(&ty) {
359                     let mut new_path = poly_trait.trait_.clone();
360                     let last_segment = new_path.segments.pop().expect("segments were empty");
361
362                     let (old_input, old_output) = match last_segment.args {
363                         GenericArgs::AngleBracketed { args, .. } => {
364                             let types = args
365                                 .iter()
366                                 .filter_map(|arg| match arg {
367                                     GenericArg::Type(ty) => Some(ty.clone()),
368                                     _ => None,
369                                 })
370                                 .collect();
371                             (types, None)
372                         }
373                         GenericArgs::Parenthesized { inputs, output } => (inputs, output),
374                     };
375
376                     let output = output.as_ref().cloned().map(Box::new);
377                     if old_output.is_some() && old_output != output {
378                         panic!("Output mismatch for {:?} {:?} {:?}", ty, old_output, output);
379                     }
380
381                     let new_params = GenericArgs::Parenthesized { inputs: old_input, output };
382
383                     new_path
384                         .segments
385                         .push(PathSegment { name: last_segment.name, args: new_params });
386
387                     bounds.insert(GenericBound::TraitBound(
388                         PolyTrait {
389                             trait_: new_path,
390                             generic_params: poly_trait.generic_params.clone(),
391                         },
392                         hir::TraitBoundModifier::None,
393                     ));
394                 }
395                 if bounds.is_empty() {
396                     return None;
397                 }
398
399                 let mut bounds_vec = bounds.into_iter().collect();
400                 self.sort_where_bounds(&mut bounds_vec);
401
402                 Some(WherePredicate::BoundPredicate {
403                     ty,
404                     bounds: bounds_vec,
405                     bound_params: Vec::new(),
406                 })
407             })
408             .chain(
409                 lifetime_to_bounds.into_iter().filter(|&(_, ref bounds)| !bounds.is_empty()).map(
410                     |(lifetime, bounds)| {
411                         let mut bounds_vec = bounds.into_iter().collect();
412                         self.sort_where_bounds(&mut bounds_vec);
413                         WherePredicate::RegionPredicate { lifetime, bounds: bounds_vec }
414                     },
415                 ),
416             )
417             .collect()
418     }
419
420     /// Converts the calculated `ParamEnv` and lifetime information to a [`clean::Generics`](Generics), suitable for
421     /// display on the docs page. Cleaning the `Predicates` produces sub-optimal [`WherePredicate`]s,
422     /// so we fix them up:
423     ///
424     /// * Multiple bounds for the same type are coalesced into one: e.g., `T: Copy`, `T: Debug`
425     /// becomes `T: Copy + Debug`
426     /// * `Fn` bounds are handled specially - instead of leaving it as `T: Fn(), <T as Fn::Output> =
427     /// K`, we use the dedicated syntax `T: Fn() -> K`
428     /// * We explicitly add a `?Sized` bound if we didn't find any `Sized` predicates for a type
429     fn param_env_to_generics(
430         &mut self,
431         item_def_id: DefId,
432         param_env: ty::ParamEnv<'tcx>,
433         mut existing_predicates: ThinVec<WherePredicate>,
434         vid_to_region: FxHashMap<ty::RegionVid, ty::Region<'tcx>>,
435     ) -> Generics {
436         debug!(
437             "param_env_to_generics(item_def_id={:?}, param_env={:?}, \
438              existing_predicates={:?})",
439             item_def_id, param_env, existing_predicates
440         );
441
442         let tcx = self.cx.tcx;
443
444         // The `Sized` trait must be handled specially, since we only display it when
445         // it is *not* required (i.e., '?Sized')
446         let sized_trait = tcx.require_lang_item(LangItem::Sized, None);
447
448         let mut replacer = RegionReplacer { vid_to_region: &vid_to_region, tcx };
449
450         let orig_bounds: FxHashSet<_> = tcx.param_env(item_def_id).caller_bounds().iter().collect();
451         let clean_where_predicates = param_env
452             .caller_bounds()
453             .iter()
454             .filter(|p| {
455                 !orig_bounds.contains(p)
456                     || match p.kind().skip_binder() {
457                         ty::PredicateKind::Trait(pred) => pred.def_id() == sized_trait,
458                         _ => false,
459                     }
460             })
461             .map(|p| p.fold_with(&mut replacer));
462
463         let raw_generics = clean_ty_generics(
464             self.cx,
465             tcx.generics_of(item_def_id),
466             tcx.explicit_predicates_of(item_def_id),
467         );
468         let mut generic_params = raw_generics.params;
469
470         debug!("param_env_to_generics({:?}): generic_params={:?}", item_def_id, generic_params);
471
472         let mut has_sized = FxHashSet::default();
473         let mut ty_to_bounds: FxHashMap<_, FxHashSet<_>> = Default::default();
474         let mut lifetime_to_bounds: FxHashMap<_, FxHashSet<_>> = Default::default();
475         let mut ty_to_traits: FxHashMap<Type, FxHashSet<Path>> = Default::default();
476
477         let mut ty_to_fn: FxHashMap<Type, (PolyTrait, Option<Type>)> = Default::default();
478
479         // FIXME: This code shares much of the logic found in `clean_ty_generics` and
480         //        `simplify::where_clause`. Consider deduplicating it to avoid diverging
481         //        implementations.
482         //        Further, the code below does not merge (partially re-sugared) bounds like
483         //        `Tr<A = T>` & `Tr<B = U>` and it does not render higher-ranked parameters
484         //        originating from equality predicates.
485         for p in clean_where_predicates {
486             let (orig_p, p) = (p, clean_predicate(p, self.cx));
487             if p.is_none() {
488                 continue;
489             }
490             let p = p.unwrap();
491             match p {
492                 WherePredicate::BoundPredicate { ty, mut bounds, .. } => {
493                     // Writing a projection trait bound of the form
494                     // <T as Trait>::Name : ?Sized
495                     // is illegal, because ?Sized bounds can only
496                     // be written in the (here, nonexistent) definition
497                     // of the type.
498                     // Therefore, we make sure that we never add a ?Sized
499                     // bound for projections
500                     if let Type::QPath { .. } = ty {
501                         has_sized.insert(ty.clone());
502                     }
503
504                     if bounds.is_empty() {
505                         continue;
506                     }
507
508                     let mut for_generics = self.extract_for_generics(orig_p);
509
510                     assert!(bounds.len() == 1);
511                     let mut b = bounds.pop().expect("bounds were empty");
512
513                     if b.is_sized_bound(self.cx) {
514                         has_sized.insert(ty.clone());
515                     } else if !b
516                         .get_trait_path()
517                         .and_then(|trait_| {
518                             ty_to_traits
519                                 .get(&ty)
520                                 .map(|bounds| bounds.contains(&strip_path_generics(trait_)))
521                         })
522                         .unwrap_or(false)
523                     {
524                         // If we've already added a projection bound for the same type, don't add
525                         // this, as it would be a duplicate
526
527                         // Handle any 'Fn/FnOnce/FnMut' bounds specially,
528                         // as we want to combine them with any 'Output' qpaths
529                         // later
530
531                         let is_fn = match b {
532                             GenericBound::TraitBound(ref mut p, _) => {
533                                 // Insert regions into the for_generics hash map first, to ensure
534                                 // that we don't end up with duplicate bounds (e.g., for<'b, 'b>)
535                                 for_generics.extend(p.generic_params.drain(..));
536                                 p.generic_params.extend(for_generics);
537                                 self.is_fn_trait(&p.trait_)
538                             }
539                             _ => false,
540                         };
541
542                         let poly_trait = b.get_poly_trait().expect("Cannot get poly trait");
543
544                         if is_fn {
545                             ty_to_fn
546                                 .entry(ty.clone())
547                                 .and_modify(|e| *e = (poly_trait.clone(), e.1.clone()))
548                                 .or_insert(((poly_trait.clone()), None));
549
550                             ty_to_bounds.entry(ty.clone()).or_default();
551                         } else {
552                             ty_to_bounds.entry(ty.clone()).or_default().insert(b.clone());
553                         }
554                     }
555                 }
556                 WherePredicate::RegionPredicate { lifetime, bounds } => {
557                     lifetime_to_bounds.entry(lifetime).or_default().extend(bounds);
558                 }
559                 WherePredicate::EqPredicate { lhs, rhs, bound_params } => {
560                     match *lhs {
561                         Type::QPath(box QPathData {
562                             ref assoc, ref self_type, ref trait_, ..
563                         }) => {
564                             let ty = &*self_type;
565                             let mut new_trait = trait_.clone();
566
567                             if self.is_fn_trait(trait_) && assoc.name == sym::Output {
568                                 ty_to_fn
569                                     .entry(ty.clone())
570                                     .and_modify(|e| {
571                                         *e = (e.0.clone(), Some(rhs.ty().unwrap().clone()))
572                                     })
573                                     .or_insert((
574                                         PolyTrait {
575                                             trait_: trait_.clone(),
576                                             generic_params: Vec::new(),
577                                         },
578                                         Some(rhs.ty().unwrap().clone()),
579                                     ));
580                                 continue;
581                             }
582
583                             let args = &mut new_trait
584                                 .segments
585                                 .last_mut()
586                                 .expect("segments were empty")
587                                 .args;
588
589                             match args {
590                                 // Convert something like '<T as Iterator::Item> = u8'
591                                 // to 'T: Iterator<Item=u8>'
592                                 GenericArgs::AngleBracketed { ref mut bindings, .. } => {
593                                     bindings.push(TypeBinding {
594                                         assoc: assoc.clone(),
595                                         kind: TypeBindingKind::Equality { term: *rhs },
596                                     });
597                                 }
598                                 GenericArgs::Parenthesized { .. } => {
599                                     existing_predicates.push(WherePredicate::EqPredicate {
600                                         lhs: lhs.clone(),
601                                         rhs,
602                                         bound_params,
603                                     });
604                                     continue; // If something other than a Fn ends up
605                                     // with parentheses, leave it alone
606                                 }
607                             }
608
609                             let bounds = ty_to_bounds.entry(ty.clone()).or_default();
610
611                             bounds.insert(GenericBound::TraitBound(
612                                 PolyTrait { trait_: new_trait, generic_params: Vec::new() },
613                                 hir::TraitBoundModifier::None,
614                             ));
615
616                             // Remove any existing 'plain' bound (e.g., 'T: Iterator`) so
617                             // that we don't see a
618                             // duplicate bound like `T: Iterator + Iterator<Item=u8>`
619                             // on the docs page.
620                             bounds.remove(&GenericBound::TraitBound(
621                                 PolyTrait { trait_: trait_.clone(), generic_params: Vec::new() },
622                                 hir::TraitBoundModifier::None,
623                             ));
624                             // Avoid creating any new duplicate bounds later in the outer
625                             // loop
626                             ty_to_traits.entry(ty.clone()).or_default().insert(trait_.clone());
627                         }
628                         _ => panic!("Unexpected LHS {:?} for {:?}", lhs, item_def_id),
629                     }
630                 }
631             };
632         }
633
634         let final_bounds = self.make_final_bounds(ty_to_bounds, ty_to_fn, lifetime_to_bounds);
635
636         existing_predicates.extend(final_bounds);
637
638         for param in generic_params.iter_mut() {
639             match param.kind {
640                 GenericParamDefKind::Type { ref mut default, ref mut bounds, .. } => {
641                     // We never want something like `impl<T=Foo>`.
642                     default.take();
643                     let generic_ty = Type::Generic(param.name);
644                     if !has_sized.contains(&generic_ty) {
645                         bounds.insert(0, GenericBound::maybe_sized(self.cx));
646                     }
647                 }
648                 GenericParamDefKind::Lifetime { .. } => {}
649                 GenericParamDefKind::Const { ref mut default, .. } => {
650                     // We never want something like `impl<const N: usize = 10>`
651                     default.take();
652                 }
653             }
654         }
655
656         self.sort_where_predicates(&mut existing_predicates);
657
658         Generics { params: generic_params, where_predicates: existing_predicates }
659     }
660
661     /// Ensure that the predicates are in a consistent order. The precise
662     /// ordering doesn't actually matter, but it's important that
663     /// a given set of predicates always appears in the same order -
664     /// both for visual consistency between 'rustdoc' runs, and to
665     /// make writing tests much easier
666     #[inline]
667     fn sort_where_predicates(&self, predicates: &mut [WherePredicate]) {
668         // We should never have identical bounds - and if we do,
669         // they're visually identical as well. Therefore, using
670         // an unstable sort is fine.
671         self.unstable_debug_sort(predicates);
672     }
673
674     /// Ensure that the bounds are in a consistent order. The precise
675     /// ordering doesn't actually matter, but it's important that
676     /// a given set of bounds always appears in the same order -
677     /// both for visual consistency between 'rustdoc' runs, and to
678     /// make writing tests much easier
679     #[inline]
680     fn sort_where_bounds(&self, bounds: &mut Vec<GenericBound>) {
681         // We should never have identical bounds - and if we do,
682         // they're visually identical as well. Therefore, using
683         // an unstable sort is fine.
684         self.unstable_debug_sort(bounds);
685     }
686
687     /// This might look horrendously hacky, but it's actually not that bad.
688     ///
689     /// For performance reasons, we use several different FxHashMaps
690     /// in the process of computing the final set of where predicates.
691     /// However, the iteration order of a HashMap is completely unspecified.
692     /// In fact, the iteration of an FxHashMap can even vary between platforms,
693     /// since FxHasher has different behavior for 32-bit and 64-bit platforms.
694     ///
695     /// Obviously, it's extremely undesirable for documentation rendering
696     /// to be dependent on the platform it's run on. Apart from being confusing
697     /// to end users, it makes writing tests much more difficult, as predicates
698     /// can appear in any order in the final result.
699     ///
700     /// To solve this problem, we sort WherePredicates and GenericBounds
701     /// by their Debug string. The thing to keep in mind is that we don't really
702     /// care what the final order is - we're synthesizing an impl or bound
703     /// ourselves, so any order can be considered equally valid. By sorting the
704     /// predicates and bounds, however, we ensure that for a given codebase, all
705     /// auto-trait impls always render in exactly the same way.
706     ///
707     /// Using the Debug implementation for sorting prevents us from needing to
708     /// write quite a bit of almost entirely useless code (e.g., how should two
709     /// Types be sorted relative to each other). It also allows us to solve the
710     /// problem for both WherePredicates and GenericBounds at the same time. This
711     /// approach is probably somewhat slower, but the small number of items
712     /// involved (impls rarely have more than a few bounds) means that it
713     /// shouldn't matter in practice.
714     fn unstable_debug_sort<T: Debug>(&self, vec: &mut [T]) {
715         vec.sort_by_cached_key(|x| format!("{:?}", x))
716     }
717
718     fn is_fn_trait(&self, path: &Path) -> bool {
719         let tcx = self.cx.tcx;
720         let did = path.def_id();
721         did == tcx.require_lang_item(LangItem::Fn, None)
722             || did == tcx.require_lang_item(LangItem::FnMut, None)
723             || did == tcx.require_lang_item(LangItem::FnOnce, None)
724     }
725 }
726
727 fn region_name(region: Region<'_>) -> Option<Symbol> {
728     match *region {
729         ty::ReEarlyBound(r) => Some(r.name),
730         _ => None,
731     }
732 }
733
734 /// Replaces all [`ty::RegionVid`]s in a type with [`ty::Region`]s, using the provided map.
735 struct RegionReplacer<'a, 'tcx> {
736     vid_to_region: &'a FxHashMap<ty::RegionVid, ty::Region<'tcx>>,
737     tcx: TyCtxt<'tcx>,
738 }
739
740 impl<'a, 'tcx> TypeFolder<'tcx> for RegionReplacer<'a, 'tcx> {
741     fn tcx<'b>(&'b self) -> TyCtxt<'tcx> {
742         self.tcx
743     }
744
745     fn fold_region(&mut self, r: ty::Region<'tcx>) -> ty::Region<'tcx> {
746         (match *r {
747             ty::ReVar(vid) => self.vid_to_region.get(&vid).cloned(),
748             _ => None,
749         })
750         .unwrap_or_else(|| r.super_fold_with(self))
751     }
752 }