]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/passes/collect_intra_doc_links.rs
Rollup merge of #93503 - michaelwoerister:fix-vtable-holder-debuginfo-regression...
[rust.git] / src / librustdoc / passes / collect_intra_doc_links.rs
1 //! This module implements [RFC 1946]: Intra-rustdoc-links
2 //!
3 //! [RFC 1946]: https://github.com/rust-lang/rfcs/blob/master/text/1946-intra-rustdoc-links.md
4
5 use rustc_data_structures::{fx::FxHashMap, stable_set::FxHashSet};
6 use rustc_errors::{Applicability, DiagnosticBuilder};
7 use rustc_hir::def::{
8     DefKind,
9     Namespace::{self, *},
10     PerNS,
11 };
12 use rustc_hir::def_id::{CrateNum, DefId, CRATE_DEF_ID};
13 use rustc_middle::ty::{DefIdTree, Ty, TyCtxt};
14 use rustc_middle::{bug, span_bug, ty};
15 use rustc_session::lint::Lint;
16 use rustc_span::hygiene::MacroKind;
17 use rustc_span::symbol::{sym, Ident, Symbol};
18 use rustc_span::{BytePos, DUMMY_SP};
19 use smallvec::{smallvec, SmallVec};
20
21 use pulldown_cmark::LinkType;
22
23 use std::borrow::Cow;
24 use std::convert::{TryFrom, TryInto};
25 use std::fmt::Write;
26 use std::mem;
27 use std::ops::Range;
28
29 use crate::clean::{self, utils::find_nearest_parent_module, Crate, Item, ItemLink, PrimitiveType};
30 use crate::core::DocContext;
31 use crate::html::markdown::{markdown_links, MarkdownLink};
32 use crate::lint::{BROKEN_INTRA_DOC_LINKS, PRIVATE_INTRA_DOC_LINKS};
33 use crate::passes::Pass;
34 use crate::visit::DocVisitor;
35
36 mod early;
37 crate use early::early_resolve_intra_doc_links;
38
39 crate const COLLECT_INTRA_DOC_LINKS: Pass = Pass {
40     name: "collect-intra-doc-links",
41     run: collect_intra_doc_links,
42     description: "resolves intra-doc links",
43 };
44
45 fn collect_intra_doc_links(krate: Crate, cx: &mut DocContext<'_>) -> Crate {
46     let mut collector =
47         LinkCollector { cx, mod_ids: Vec::new(), visited_links: FxHashMap::default() };
48     collector.visit_crate(&krate);
49     krate
50 }
51
52 /// Top-level errors emitted by this pass.
53 enum ErrorKind<'a> {
54     Resolve(Box<ResolutionFailure<'a>>),
55     AnchorFailure(AnchorFailure),
56 }
57
58 impl<'a> From<ResolutionFailure<'a>> for ErrorKind<'a> {
59     fn from(err: ResolutionFailure<'a>) -> Self {
60         ErrorKind::Resolve(box err)
61     }
62 }
63
64 #[derive(Copy, Clone, Debug, Hash)]
65 enum Res {
66     Def(DefKind, DefId),
67     Primitive(PrimitiveType),
68 }
69
70 type ResolveRes = rustc_hir::def::Res<rustc_ast::NodeId>;
71
72 impl Res {
73     fn descr(self) -> &'static str {
74         match self {
75             Res::Def(kind, id) => ResolveRes::Def(kind, id).descr(),
76             Res::Primitive(_) => "builtin type",
77         }
78     }
79
80     fn article(self) -> &'static str {
81         match self {
82             Res::Def(kind, id) => ResolveRes::Def(kind, id).article(),
83             Res::Primitive(_) => "a",
84         }
85     }
86
87     fn name(self, tcx: TyCtxt<'_>) -> Symbol {
88         match self {
89             Res::Def(_, id) => tcx.item_name(id),
90             Res::Primitive(prim) => prim.as_sym(),
91         }
92     }
93
94     fn def_id(self, tcx: TyCtxt<'_>) -> DefId {
95         match self {
96             Res::Def(_, id) => id,
97             Res::Primitive(prim) => *PrimitiveType::primitive_locations(tcx).get(&prim).unwrap(),
98         }
99     }
100
101     fn as_hir_res(self) -> Option<rustc_hir::def::Res> {
102         match self {
103             Res::Def(kind, id) => Some(rustc_hir::def::Res::Def(kind, id)),
104             // FIXME: maybe this should handle the subset of PrimitiveType that fits into hir::PrimTy?
105             Res::Primitive(_) => None,
106         }
107     }
108
109     /// Used for error reporting.
110     fn disambiguator_suggestion(self) -> Suggestion {
111         let kind = match self {
112             Res::Primitive(_) => return Suggestion::Prefix("prim"),
113             Res::Def(kind, _) => kind,
114         };
115         if kind == DefKind::Macro(MacroKind::Bang) {
116             return Suggestion::Macro;
117         } else if kind == DefKind::Fn || kind == DefKind::AssocFn {
118             return Suggestion::Function;
119         } else if kind == DefKind::Field {
120             return Suggestion::RemoveDisambiguator;
121         }
122
123         let prefix = match kind {
124             DefKind::Struct => "struct",
125             DefKind::Enum => "enum",
126             DefKind::Trait => "trait",
127             DefKind::Union => "union",
128             DefKind::Mod => "mod",
129             DefKind::Const | DefKind::ConstParam | DefKind::AssocConst | DefKind::AnonConst => {
130                 "const"
131             }
132             DefKind::Static => "static",
133             DefKind::Macro(MacroKind::Derive) => "derive",
134             // Now handle things that don't have a specific disambiguator
135             _ => match kind
136                 .ns()
137                 .expect("tried to calculate a disambiguator for a def without a namespace?")
138             {
139                 Namespace::TypeNS => "type",
140                 Namespace::ValueNS => "value",
141                 Namespace::MacroNS => "macro",
142             },
143         };
144
145         Suggestion::Prefix(prefix)
146     }
147 }
148
149 impl TryFrom<ResolveRes> for Res {
150     type Error = ();
151
152     fn try_from(res: ResolveRes) -> Result<Self, ()> {
153         use rustc_hir::def::Res::*;
154         match res {
155             Def(kind, id) => Ok(Res::Def(kind, id)),
156             PrimTy(prim) => Ok(Res::Primitive(PrimitiveType::from_hir(prim))),
157             // e.g. `#[derive]`
158             NonMacroAttr(..) | Err => Result::Err(()),
159             other => bug!("unrecognized res {:?}", other),
160         }
161     }
162 }
163
164 /// A link failed to resolve.
165 #[derive(Debug)]
166 enum ResolutionFailure<'a> {
167     /// This resolved, but with the wrong namespace.
168     WrongNamespace {
169         /// What the link resolved to.
170         res: Res,
171         /// The expected namespace for the resolution, determined from the link's disambiguator.
172         ///
173         /// E.g., for `[fn@Result]` this is [`Namespace::ValueNS`],
174         /// even though `Result`'s actual namespace is [`Namespace::TypeNS`].
175         expected_ns: Namespace,
176     },
177     /// The link failed to resolve. [`resolution_failure`] should look to see if there's
178     /// a more helpful error that can be given.
179     NotResolved {
180         /// The scope the link was resolved in.
181         module_id: DefId,
182         /// If part of the link resolved, this has the `Res`.
183         ///
184         /// In `[std::io::Error::x]`, `std::io::Error` would be a partial resolution.
185         partial_res: Option<Res>,
186         /// The remaining unresolved path segments.
187         ///
188         /// In `[std::io::Error::x]`, `x` would be unresolved.
189         unresolved: Cow<'a, str>,
190     },
191     /// This happens when rustdoc can't determine the parent scope for an item.
192     /// It is always a bug in rustdoc.
193     NoParentItem,
194     /// This link has malformed generic parameters; e.g., the angle brackets are unbalanced.
195     MalformedGenerics(MalformedGenerics),
196     /// Used to communicate that this should be ignored, but shouldn't be reported to the user.
197     ///
198     /// This happens when there is no disambiguator and one of the namespaces
199     /// failed to resolve.
200     Dummy,
201 }
202
203 #[derive(Debug)]
204 enum MalformedGenerics {
205     /// This link has unbalanced angle brackets.
206     ///
207     /// For example, `Vec<T` should trigger this, as should `Vec<T>>`.
208     UnbalancedAngleBrackets,
209     /// The generics are not attached to a type.
210     ///
211     /// For example, `<T>` should trigger this.
212     ///
213     /// This is detected by checking if the path is empty after the generics are stripped.
214     MissingType,
215     /// The link uses fully-qualified syntax, which is currently unsupported.
216     ///
217     /// For example, `<Vec as IntoIterator>::into_iter` should trigger this.
218     ///
219     /// This is detected by checking if ` as ` (the keyword `as` with spaces around it) is inside
220     /// angle brackets.
221     HasFullyQualifiedSyntax,
222     /// The link has an invalid path separator.
223     ///
224     /// For example, `Vec:<T>:new()` should trigger this. Note that `Vec:new()` will **not**
225     /// trigger this because it has no generics and thus [`strip_generics_from_path`] will not be
226     /// called.
227     ///
228     /// Note that this will also **not** be triggered if the invalid path separator is inside angle
229     /// brackets because rustdoc mostly ignores what's inside angle brackets (except for
230     /// [`HasFullyQualifiedSyntax`](MalformedGenerics::HasFullyQualifiedSyntax)).
231     ///
232     /// This is detected by checking if there is a colon followed by a non-colon in the link.
233     InvalidPathSeparator,
234     /// The link has too many angle brackets.
235     ///
236     /// For example, `Vec<<T>>` should trigger this.
237     TooManyAngleBrackets,
238     /// The link has empty angle brackets.
239     ///
240     /// For example, `Vec<>` should trigger this.
241     EmptyAngleBrackets,
242 }
243
244 impl ResolutionFailure<'_> {
245     /// This resolved fully (not just partially) but is erroneous for some other reason
246     ///
247     /// Returns the full resolution of the link, if present.
248     fn full_res(&self) -> Option<Res> {
249         match self {
250             Self::WrongNamespace { res, expected_ns: _ } => Some(*res),
251             _ => None,
252         }
253     }
254 }
255
256 enum AnchorFailure {
257     /// User error: `[std#x#y]` is not valid
258     MultipleAnchors,
259     /// The anchor provided by the user conflicts with Rustdoc's generated anchor.
260     ///
261     /// This is an unfortunate state of affairs. Not every item that can be
262     /// linked to has its own page; sometimes it is a subheading within a page,
263     /// like for associated items. In those cases, rustdoc uses an anchor to
264     /// link to the subheading. Since you can't have two anchors for the same
265     /// link, Rustdoc disallows having a user-specified anchor.
266     ///
267     /// Most of the time this is fine, because you can just link to the page of
268     /// the item if you want to provide your own anchor.
269     RustdocAnchorConflict(Res),
270 }
271
272 #[derive(Clone, Debug, Hash, PartialEq, Eq)]
273 crate enum UrlFragment {
274     Item(ItemFragment),
275     UserWritten(String),
276 }
277
278 impl UrlFragment {
279     /// Render the fragment, including the leading `#`.
280     crate fn render(&self, s: &mut String, tcx: TyCtxt<'_>) -> std::fmt::Result {
281         match self {
282             UrlFragment::Item(frag) => frag.render(s, tcx),
283             UrlFragment::UserWritten(raw) => write!(s, "#{}", raw),
284         }
285     }
286 }
287
288 #[derive(Copy, Clone, Debug, Hash, PartialEq, Eq)]
289 crate struct ItemFragment(FragmentKind, DefId);
290
291 #[derive(Copy, Clone, Debug, Hash, PartialEq, Eq)]
292 crate enum FragmentKind {
293     Method,
294     TyMethod,
295     AssociatedConstant,
296     AssociatedType,
297
298     StructField,
299     Variant,
300     VariantField,
301 }
302
303 impl ItemFragment {
304     /// Create a fragment for an associated item.
305     #[instrument(level = "debug")]
306     fn from_assoc_item(item: &ty::AssocItem) -> Self {
307         let def_id = item.def_id;
308         match item.kind {
309             ty::AssocKind::Fn => {
310                 if item.defaultness.has_value() {
311                     ItemFragment(FragmentKind::Method, def_id)
312                 } else {
313                     ItemFragment(FragmentKind::TyMethod, def_id)
314                 }
315             }
316             ty::AssocKind::Const => ItemFragment(FragmentKind::AssociatedConstant, def_id),
317             ty::AssocKind::Type => ItemFragment(FragmentKind::AssociatedType, def_id),
318         }
319     }
320
321     /// Render the fragment, including the leading `#`.
322     crate fn render(&self, s: &mut String, tcx: TyCtxt<'_>) -> std::fmt::Result {
323         write!(s, "#")?;
324         match *self {
325             ItemFragment(kind, def_id) => {
326                 let name = tcx.item_name(def_id);
327                 match kind {
328                     FragmentKind::Method => write!(s, "method.{}", name),
329                     FragmentKind::TyMethod => write!(s, "tymethod.{}", name),
330                     FragmentKind::AssociatedConstant => write!(s, "associatedconstant.{}", name),
331                     FragmentKind::AssociatedType => write!(s, "associatedtype.{}", name),
332                     FragmentKind::StructField => write!(s, "structfield.{}", name),
333                     FragmentKind::Variant => write!(s, "variant.{}", name),
334                     FragmentKind::VariantField => {
335                         let variant = tcx.item_name(tcx.parent(def_id).unwrap());
336                         write!(s, "variant.{}.field.{}", variant, name)
337                     }
338                 }
339             }
340         }
341     }
342 }
343
344 #[derive(Clone, Debug, Hash, PartialEq, Eq)]
345 struct ResolutionInfo {
346     module_id: DefId,
347     dis: Option<Disambiguator>,
348     path_str: String,
349     extra_fragment: Option<String>,
350 }
351
352 #[derive(Clone)]
353 struct DiagnosticInfo<'a> {
354     item: &'a Item,
355     dox: &'a str,
356     ori_link: &'a str,
357     link_range: Range<usize>,
358 }
359
360 #[derive(Clone, Debug, Hash)]
361 struct CachedLink {
362     res: (Res, Option<UrlFragment>),
363 }
364
365 struct LinkCollector<'a, 'tcx> {
366     cx: &'a mut DocContext<'tcx>,
367     /// A stack of modules used to decide what scope to resolve in.
368     ///
369     /// The last module will be used if the parent scope of the current item is
370     /// unknown.
371     mod_ids: Vec<DefId>,
372     /// Cache the resolved links so we can avoid resolving (and emitting errors for) the same link.
373     /// The link will be `None` if it could not be resolved (i.e. the error was cached).
374     visited_links: FxHashMap<ResolutionInfo, Option<CachedLink>>,
375 }
376
377 impl<'a, 'tcx> LinkCollector<'a, 'tcx> {
378     /// Given a full link, parse it as an [enum struct variant].
379     ///
380     /// In particular, this will return an error whenever there aren't three
381     /// full path segments left in the link.
382     ///
383     /// [enum struct variant]: rustc_hir::VariantData::Struct
384     fn variant_field<'path>(
385         &self,
386         path_str: &'path str,
387         module_id: DefId,
388     ) -> Result<(Res, Option<ItemFragment>), ErrorKind<'path>> {
389         let tcx = self.cx.tcx;
390         let no_res = || ResolutionFailure::NotResolved {
391             module_id,
392             partial_res: None,
393             unresolved: path_str.into(),
394         };
395
396         debug!("looking for enum variant {}", path_str);
397         let mut split = path_str.rsplitn(3, "::");
398         let variant_field_name = split
399             .next()
400             .map(|f| Symbol::intern(f))
401             .expect("fold_item should ensure link is non-empty");
402         let variant_name =
403             // we're not sure this is a variant at all, so use the full string
404             // If there's no second component, the link looks like `[path]`.
405             // So there's no partial res and we should say the whole link failed to resolve.
406             split.next().map(|f|  Symbol::intern(f)).ok_or_else(no_res)?;
407         let path = split
408             .next()
409             .map(|f| f.to_owned())
410             // If there's no third component, we saw `[a::b]` before and it failed to resolve.
411             // So there's no partial res.
412             .ok_or_else(no_res)?;
413         let ty_res = self
414             .cx
415             .enter_resolver(|resolver| {
416                 resolver.resolve_str_path_error(DUMMY_SP, &path, TypeNS, module_id)
417             })
418             .and_then(|(_, res)| res.try_into())
419             .map_err(|()| no_res())?;
420
421         match ty_res {
422             Res::Def(DefKind::Enum, did) => {
423                 if tcx
424                     .inherent_impls(did)
425                     .iter()
426                     .flat_map(|imp| tcx.associated_items(*imp).in_definition_order())
427                     .any(|item| item.name == variant_name)
428                 {
429                     // This is just to let `fold_item` know that this shouldn't be considered;
430                     // it's a bug for the error to make it to the user
431                     return Err(ResolutionFailure::Dummy.into());
432                 }
433                 match tcx.type_of(did).kind() {
434                     ty::Adt(def, _) if def.is_enum() => {
435                         if let Some(field) = def.all_fields().find(|f| f.name == variant_field_name)
436                         {
437                             Ok((ty_res, Some(ItemFragment(FragmentKind::VariantField, field.did))))
438                         } else {
439                             Err(ResolutionFailure::NotResolved {
440                                 module_id,
441                                 partial_res: Some(Res::Def(DefKind::Enum, def.did)),
442                                 unresolved: variant_field_name.to_string().into(),
443                             }
444                             .into())
445                         }
446                     }
447                     _ => unreachable!(),
448                 }
449             }
450             _ => Err(ResolutionFailure::NotResolved {
451                 module_id,
452                 partial_res: Some(ty_res),
453                 unresolved: variant_name.to_string().into(),
454             }
455             .into()),
456         }
457     }
458
459     /// Given a primitive type, try to resolve an associated item.
460     fn resolve_primitive_associated_item(
461         &self,
462         prim_ty: PrimitiveType,
463         ns: Namespace,
464         item_name: Symbol,
465     ) -> Option<(Res, ItemFragment)> {
466         let tcx = self.cx.tcx;
467
468         prim_ty.impls(tcx).into_iter().find_map(|&impl_| {
469             tcx.associated_items(impl_)
470                 .find_by_name_and_namespace(tcx, Ident::with_dummy_span(item_name), ns, impl_)
471                 .map(|item| {
472                     let fragment = ItemFragment::from_assoc_item(item);
473                     (Res::Primitive(prim_ty), fragment)
474                 })
475         })
476     }
477
478     /// Resolves a string as a macro.
479     ///
480     /// FIXME(jynelson): Can this be unified with `resolve()`?
481     fn resolve_macro(
482         &self,
483         path_str: &'a str,
484         module_id: DefId,
485     ) -> Result<Res, ResolutionFailure<'a>> {
486         self.cx.enter_resolver(|resolver| {
487             // NOTE: this needs 2 separate lookups because `resolve_str_path_error` doesn't take
488             // lexical scope into account (it ignores all macros not defined at the mod-level)
489             debug!("resolving {} as a macro in the module {:?}", path_str, module_id);
490             if let Ok((_, res)) =
491                 resolver.resolve_str_path_error(DUMMY_SP, path_str, MacroNS, module_id)
492             {
493                 // don't resolve builtins like `#[derive]`
494                 if let Ok(res) = res.try_into() {
495                     return Ok(res);
496                 }
497             }
498             if let Some(&res) = resolver.all_macros().get(&Symbol::intern(path_str)) {
499                 return Ok(res.try_into().unwrap());
500             }
501             Err(ResolutionFailure::NotResolved {
502                 module_id,
503                 partial_res: None,
504                 unresolved: path_str.into(),
505             })
506         })
507     }
508
509     /// Convenience wrapper around `resolve_str_path_error`.
510     ///
511     /// This also handles resolving `true` and `false` as booleans.
512     /// NOTE: `resolve_str_path_error` knows only about paths, not about types.
513     /// Associated items will never be resolved by this function.
514     fn resolve_path(&self, path_str: &str, ns: Namespace, module_id: DefId) -> Option<Res> {
515         let result = self.cx.enter_resolver(|resolver| {
516             resolver
517                 .resolve_str_path_error(DUMMY_SP, path_str, ns, module_id)
518                 .and_then(|(_, res)| res.try_into())
519         });
520         debug!("{} resolved to {:?} in namespace {:?}", path_str, result, ns);
521         match result {
522             // resolver doesn't know about true, false, and types that aren't paths (e.g. `()`)
523             // manually as bool
524             Err(()) => resolve_primitive(path_str, ns),
525             Ok(res) => Some(res),
526         }
527     }
528
529     /// Resolves a string as a path within a particular namespace. Returns an
530     /// optional URL fragment in the case of variants and methods.
531     fn resolve<'path>(
532         &mut self,
533         path_str: &'path str,
534         ns: Namespace,
535         module_id: DefId,
536         user_fragment: &Option<String>,
537     ) -> Result<(Res, Option<UrlFragment>), ErrorKind<'path>> {
538         let (res, rustdoc_fragment) = self.resolve_inner(path_str, ns, module_id)?;
539         let chosen_fragment = match (user_fragment, rustdoc_fragment) {
540             (Some(_), Some(r_frag)) => {
541                 let diag_res = match r_frag {
542                     ItemFragment(_, did) => Res::Def(self.cx.tcx.def_kind(did), did),
543                 };
544                 let failure = AnchorFailure::RustdocAnchorConflict(diag_res);
545                 return Err(ErrorKind::AnchorFailure(failure));
546             }
547             (Some(u_frag), None) => Some(UrlFragment::UserWritten(u_frag.clone())),
548             (None, Some(r_frag)) => Some(UrlFragment::Item(r_frag)),
549             (None, None) => None,
550         };
551         Ok((res, chosen_fragment))
552     }
553
554     fn resolve_inner<'path>(
555         &mut self,
556         path_str: &'path str,
557         ns: Namespace,
558         module_id: DefId,
559     ) -> Result<(Res, Option<ItemFragment>), ErrorKind<'path>> {
560         if let Some(res) = self.resolve_path(path_str, ns, module_id) {
561             match res {
562                 // FIXME(#76467): make this fallthrough to lookup the associated
563                 // item a separate function.
564                 Res::Def(DefKind::AssocFn | DefKind::AssocConst, _) => assert_eq!(ns, ValueNS),
565                 Res::Def(DefKind::AssocTy, _) => assert_eq!(ns, TypeNS),
566                 Res::Def(DefKind::Variant, _) => {
567                     return handle_variant(self.cx, res);
568                 }
569                 // Not a trait item; just return what we found.
570                 _ => return Ok((res, None)),
571             }
572         }
573
574         // Try looking for methods and associated items.
575         let mut split = path_str.rsplitn(2, "::");
576         // NB: `split`'s first element is always defined, even if the delimiter was not present.
577         // NB: `item_str` could be empty when resolving in the root namespace (e.g. `::std`).
578         let item_str = split.next().unwrap();
579         let item_name = Symbol::intern(item_str);
580         let path_root = split
581             .next()
582             .map(|f| f.to_owned())
583             // If there's no `::`, it's not an associated item.
584             // So we can be sure that `rustc_resolve` was accurate when it said it wasn't resolved.
585             .ok_or_else(|| {
586                 debug!("found no `::`, assumming {} was correctly not in scope", item_name);
587                 ResolutionFailure::NotResolved {
588                     module_id,
589                     partial_res: None,
590                     unresolved: item_str.into(),
591                 }
592             })?;
593
594         // FIXME(#83862): this arbitrarily gives precedence to primitives over modules to support
595         // links to primitives when `#[doc(primitive)]` is present. It should give an ambiguity
596         // error instead and special case *only* modules with `#[doc(primitive)]`, not all
597         // primitives.
598         resolve_primitive(&path_root, TypeNS)
599             .or_else(|| self.resolve_path(&path_root, TypeNS, module_id))
600             .and_then(|ty_res| {
601                 let (res, fragment) =
602                     self.resolve_associated_item(ty_res, item_name, ns, module_id)?;
603
604                 Some(Ok((res, Some(fragment))))
605             })
606             .unwrap_or_else(|| {
607                 if ns == Namespace::ValueNS {
608                     self.variant_field(path_str, module_id)
609                 } else {
610                     Err(ResolutionFailure::NotResolved {
611                         module_id,
612                         partial_res: None,
613                         unresolved: path_root.into(),
614                     }
615                     .into())
616                 }
617             })
618     }
619
620     /// Convert a DefId to a Res, where possible.
621     ///
622     /// This is used for resolving type aliases.
623     fn def_id_to_res(&self, ty_id: DefId) -> Option<Res> {
624         use PrimitiveType::*;
625         Some(match *self.cx.tcx.type_of(ty_id).kind() {
626             ty::Bool => Res::Primitive(Bool),
627             ty::Char => Res::Primitive(Char),
628             ty::Int(ity) => Res::Primitive(ity.into()),
629             ty::Uint(uty) => Res::Primitive(uty.into()),
630             ty::Float(fty) => Res::Primitive(fty.into()),
631             ty::Str => Res::Primitive(Str),
632             ty::Tuple(tys) if tys.is_empty() => Res::Primitive(Unit),
633             ty::Tuple(_) => Res::Primitive(Tuple),
634             ty::Array(..) => Res::Primitive(Array),
635             ty::Slice(_) => Res::Primitive(Slice),
636             ty::RawPtr(_) => Res::Primitive(RawPointer),
637             ty::Ref(..) => Res::Primitive(Reference),
638             ty::FnDef(..) => panic!("type alias to a function definition"),
639             ty::FnPtr(_) => Res::Primitive(Fn),
640             ty::Never => Res::Primitive(Never),
641             ty::Adt(&ty::AdtDef { did, .. }, _) | ty::Foreign(did) => {
642                 Res::Def(self.cx.tcx.def_kind(did), did)
643             }
644             ty::Projection(_)
645             | ty::Closure(..)
646             | ty::Generator(..)
647             | ty::GeneratorWitness(_)
648             | ty::Opaque(..)
649             | ty::Dynamic(..)
650             | ty::Param(_)
651             | ty::Bound(..)
652             | ty::Placeholder(_)
653             | ty::Infer(_)
654             | ty::Error(_) => return None,
655         })
656     }
657
658     /// Convert a PrimitiveType to a Ty, where possible.
659     ///
660     /// This is used for resolving trait impls for primitives
661     fn primitive_type_to_ty(&mut self, prim: PrimitiveType) -> Option<Ty<'tcx>> {
662         use PrimitiveType::*;
663         let tcx = self.cx.tcx;
664
665         // FIXME: Only simple types are supported here, see if we can support
666         // other types such as Tuple, Array, Slice, etc.
667         // See https://github.com/rust-lang/rust/issues/90703#issuecomment-1004263455
668         Some(tcx.mk_ty(match prim {
669             Bool => ty::Bool,
670             Str => ty::Str,
671             Char => ty::Char,
672             Never => ty::Never,
673             I8 => ty::Int(ty::IntTy::I8),
674             I16 => ty::Int(ty::IntTy::I16),
675             I32 => ty::Int(ty::IntTy::I32),
676             I64 => ty::Int(ty::IntTy::I64),
677             I128 => ty::Int(ty::IntTy::I128),
678             Isize => ty::Int(ty::IntTy::Isize),
679             F32 => ty::Float(ty::FloatTy::F32),
680             F64 => ty::Float(ty::FloatTy::F64),
681             U8 => ty::Uint(ty::UintTy::U8),
682             U16 => ty::Uint(ty::UintTy::U16),
683             U32 => ty::Uint(ty::UintTy::U32),
684             U64 => ty::Uint(ty::UintTy::U64),
685             U128 => ty::Uint(ty::UintTy::U128),
686             Usize => ty::Uint(ty::UintTy::Usize),
687             _ => return None,
688         }))
689     }
690
691     /// Resolve an associated item, returning its containing page's `Res`
692     /// and the fragment targeting the associated item on its page.
693     fn resolve_associated_item(
694         &mut self,
695         root_res: Res,
696         item_name: Symbol,
697         ns: Namespace,
698         module_id: DefId,
699     ) -> Option<(Res, ItemFragment)> {
700         let tcx = self.cx.tcx;
701
702         match root_res {
703             Res::Primitive(prim) => {
704                 self.resolve_primitive_associated_item(prim, ns, item_name).or_else(|| {
705                     let assoc_item = self
706                         .primitive_type_to_ty(prim)
707                         .map(|ty| {
708                             resolve_associated_trait_item(ty, module_id, item_name, ns, self.cx)
709                         })
710                         .flatten();
711
712                     assoc_item.map(|item| {
713                         let fragment = ItemFragment::from_assoc_item(&item);
714                         (root_res, fragment)
715                     })
716                 })
717             }
718             Res::Def(DefKind::TyAlias, did) => {
719                 // Resolve the link on the type the alias points to.
720                 // FIXME: if the associated item is defined directly on the type alias,
721                 // it will show up on its documentation page, we should link there instead.
722                 let res = self.def_id_to_res(did)?;
723                 self.resolve_associated_item(res, item_name, ns, module_id)
724             }
725             Res::Def(
726                 DefKind::Struct | DefKind::Union | DefKind::Enum | DefKind::ForeignTy,
727                 did,
728             ) => {
729                 debug!("looking for associated item named {} for item {:?}", item_name, did);
730                 // Checks if item_name belongs to `impl SomeItem`
731                 let assoc_item = tcx
732                     .inherent_impls(did)
733                     .iter()
734                     .flat_map(|&imp| {
735                         tcx.associated_items(imp).find_by_name_and_namespace(
736                             tcx,
737                             Ident::with_dummy_span(item_name),
738                             ns,
739                             imp,
740                         )
741                     })
742                     .copied()
743                     // There should only ever be one associated item that matches from any inherent impl
744                     .next()
745                     // Check if item_name belongs to `impl SomeTrait for SomeItem`
746                     // FIXME(#74563): This gives precedence to `impl SomeItem`:
747                     // Although having both would be ambiguous, use impl version for compatibility's sake.
748                     // To handle that properly resolve() would have to support
749                     // something like [`ambi_fn`](<SomeStruct as SomeTrait>::ambi_fn)
750                     .or_else(|| {
751                         resolve_associated_trait_item(
752                             tcx.type_of(did),
753                             module_id,
754                             item_name,
755                             ns,
756                             self.cx,
757                         )
758                     });
759
760                 debug!("got associated item {:?}", assoc_item);
761
762                 if let Some(item) = assoc_item {
763                     let fragment = ItemFragment::from_assoc_item(&item);
764                     return Some((root_res, fragment));
765                 }
766
767                 if ns != Namespace::ValueNS {
768                     return None;
769                 }
770                 debug!("looking for fields named {} for {:?}", item_name, did);
771                 // FIXME: this doesn't really belong in `associated_item` (maybe `variant_field` is better?)
772                 // NOTE: it's different from variant_field because it only resolves struct fields,
773                 // not variant fields (2 path segments, not 3).
774                 //
775                 // We need to handle struct (and union) fields in this code because
776                 // syntactically their paths are identical to associated item paths:
777                 // `module::Type::field` and `module::Type::Assoc`.
778                 //
779                 // On the other hand, variant fields can't be mistaken for associated
780                 // items because they look like this: `module::Type::Variant::field`.
781                 //
782                 // Variants themselves don't need to be handled here, even though
783                 // they also look like associated items (`module::Type::Variant`),
784                 // because they are real Rust syntax (unlike the intra-doc links
785                 // field syntax) and are handled by the compiler's resolver.
786                 let def = match tcx.type_of(did).kind() {
787                     ty::Adt(def, _) if !def.is_enum() => def,
788                     _ => return None,
789                 };
790                 let field =
791                     def.non_enum_variant().fields.iter().find(|item| item.name == item_name)?;
792                 Some((root_res, ItemFragment(FragmentKind::StructField, field.did)))
793             }
794             Res::Def(DefKind::Trait, did) => tcx
795                 .associated_items(did)
796                 .find_by_name_and_namespace(tcx, Ident::with_dummy_span(item_name), ns, did)
797                 .map(|item| {
798                     let fragment = ItemFragment::from_assoc_item(item);
799                     let res = Res::Def(item.kind.as_def_kind(), item.def_id);
800                     (res, fragment)
801                 }),
802             _ => None,
803         }
804     }
805
806     /// Used for reporting better errors.
807     ///
808     /// Returns whether the link resolved 'fully' in another namespace.
809     /// 'fully' here means that all parts of the link resolved, not just some path segments.
810     /// This returns the `Res` even if it was erroneous for some reason
811     /// (such as having invalid URL fragments or being in the wrong namespace).
812     fn check_full_res(
813         &mut self,
814         ns: Namespace,
815         path_str: &str,
816         module_id: DefId,
817         extra_fragment: &Option<String>,
818     ) -> Option<Res> {
819         // resolve() can't be used for macro namespace
820         let result = match ns {
821             Namespace::MacroNS => self
822                 .resolve_macro(path_str, module_id)
823                 .map(|res| (res, None))
824                 .map_err(ErrorKind::from),
825             Namespace::TypeNS | Namespace::ValueNS => {
826                 self.resolve(path_str, ns, module_id, extra_fragment)
827             }
828         };
829
830         let res = match result {
831             Ok((res, frag)) => {
832                 if let Some(UrlFragment::Item(ItemFragment(_, id))) = frag {
833                     Some(Res::Def(self.cx.tcx.def_kind(id), id))
834                 } else {
835                     Some(res)
836                 }
837             }
838             Err(ErrorKind::Resolve(box kind)) => kind.full_res(),
839             Err(ErrorKind::AnchorFailure(AnchorFailure::RustdocAnchorConflict(res))) => Some(res),
840             Err(ErrorKind::AnchorFailure(AnchorFailure::MultipleAnchors)) => None,
841         };
842         res
843     }
844 }
845
846 /// Look to see if a resolved item has an associated item named `item_name`.
847 ///
848 /// Given `[std::io::Error::source]`, where `source` is unresolved, this would
849 /// find `std::error::Error::source` and return
850 /// `<io::Error as error::Error>::source`.
851 fn resolve_associated_trait_item<'a>(
852     ty: Ty<'a>,
853     module: DefId,
854     item_name: Symbol,
855     ns: Namespace,
856     cx: &mut DocContext<'a>,
857 ) -> Option<ty::AssocItem> {
858     // FIXME: this should also consider blanket impls (`impl<T> X for T`). Unfortunately
859     // `get_auto_trait_and_blanket_impls` is broken because the caching behavior is wrong. In the
860     // meantime, just don't look for these blanket impls.
861
862     // Next consider explicit impls: `impl MyTrait for MyType`
863     // Give precedence to inherent impls.
864     let traits = trait_impls_for(cx, ty, module);
865     debug!("considering traits {:?}", traits);
866     let mut candidates = traits.iter().filter_map(|&(impl_, trait_)| {
867         cx.tcx
868             .associated_items(trait_)
869             .find_by_name_and_namespace(cx.tcx, Ident::with_dummy_span(item_name), ns, trait_)
870             .map(|trait_assoc| {
871                 trait_assoc_to_impl_assoc_item(cx.tcx, impl_, trait_assoc.def_id)
872                     .unwrap_or(trait_assoc)
873             })
874     });
875     // FIXME(#74563): warn about ambiguity
876     debug!("the candidates were {:?}", candidates.clone().collect::<Vec<_>>());
877     candidates.next().copied()
878 }
879
880 /// Find the associated item in the impl `impl_id` that corresponds to the
881 /// trait associated item `trait_assoc_id`.
882 ///
883 /// This function returns `None` if no associated item was found in the impl.
884 /// This can occur when the trait associated item has a default value that is
885 /// not overriden in the impl.
886 ///
887 /// This is just a wrapper around [`TyCtxt::impl_item_implementor_ids()`] and
888 /// [`TyCtxt::associated_item()`] (with some helpful logging added).
889 #[instrument(level = "debug", skip(tcx))]
890 fn trait_assoc_to_impl_assoc_item<'tcx>(
891     tcx: TyCtxt<'tcx>,
892     impl_id: DefId,
893     trait_assoc_id: DefId,
894 ) -> Option<&'tcx ty::AssocItem> {
895     let trait_to_impl_assoc_map = tcx.impl_item_implementor_ids(impl_id);
896     debug!(?trait_to_impl_assoc_map);
897     let impl_assoc_id = *trait_to_impl_assoc_map.get(&trait_assoc_id)?;
898     debug!(?impl_assoc_id);
899     let impl_assoc = tcx.associated_item(impl_assoc_id);
900     debug!(?impl_assoc);
901     Some(impl_assoc)
902 }
903
904 /// Given a type, return all trait impls in scope in `module` for that type.
905 /// Returns a set of pairs of `(impl_id, trait_id)`.
906 ///
907 /// NOTE: this cannot be a query because more traits could be available when more crates are compiled!
908 /// So it is not stable to serialize cross-crate.
909 #[instrument(level = "debug", skip(cx))]
910 fn trait_impls_for<'a>(
911     cx: &mut DocContext<'a>,
912     ty: Ty<'a>,
913     module: DefId,
914 ) -> FxHashSet<(DefId, DefId)> {
915     let tcx = cx.tcx;
916     let iter = cx.resolver_caches.traits_in_scope[&module].iter().flat_map(|trait_candidate| {
917         let trait_ = trait_candidate.def_id;
918         trace!("considering explicit impl for trait {:?}", trait_);
919
920         // Look at each trait implementation to see if it's an impl for `did`
921         tcx.find_map_relevant_impl(trait_, ty, |impl_| {
922             let trait_ref = tcx.impl_trait_ref(impl_).expect("this is not an inherent impl");
923             // Check if these are the same type.
924             let impl_type = trait_ref.self_ty();
925             trace!(
926                 "comparing type {} with kind {:?} against type {:?}",
927                 impl_type,
928                 impl_type.kind(),
929                 ty
930             );
931             // Fast path: if this is a primitive simple `==` will work
932             // NOTE: the `match` is necessary; see #92662.
933             // this allows us to ignore generics because the user input
934             // may not include the generic placeholders
935             // e.g. this allows us to match Foo (user comment) with Foo<T> (actual type)
936             let saw_impl = impl_type == ty
937                 || match (impl_type.kind(), ty.kind()) {
938                     (ty::Adt(impl_def, _), ty::Adt(ty_def, _)) => {
939                         debug!("impl def_id: {:?}, ty def_id: {:?}", impl_def.did, ty_def.did);
940                         impl_def.did == ty_def.did
941                     }
942                     _ => false,
943                 };
944
945             if saw_impl { Some((impl_, trait_)) } else { None }
946         })
947     });
948     iter.collect()
949 }
950
951 /// Check for resolve collisions between a trait and its derive.
952 ///
953 /// These are common and we should just resolve to the trait in that case.
954 fn is_derive_trait_collision<T>(ns: &PerNS<Result<(Res, T), ResolutionFailure<'_>>>) -> bool {
955     matches!(
956         *ns,
957         PerNS {
958             type_ns: Ok((Res::Def(DefKind::Trait, _), _)),
959             macro_ns: Ok((Res::Def(DefKind::Macro(MacroKind::Derive), _), _)),
960             ..
961         }
962     )
963 }
964
965 impl<'a, 'tcx> DocVisitor for LinkCollector<'a, 'tcx> {
966     fn visit_item(&mut self, item: &Item) {
967         let parent_node =
968             item.def_id.as_def_id().and_then(|did| find_nearest_parent_module(self.cx.tcx, did));
969         if parent_node.is_some() {
970             trace!("got parent node for {:?} {:?}, id {:?}", item.type_(), item.name, item.def_id);
971         }
972
973         // find item's parent to resolve `Self` in item's docs below
974         debug!("looking for the `Self` type");
975         let self_id = match item.def_id.as_def_id() {
976             None => None,
977             Some(did)
978                 if (matches!(self.cx.tcx.def_kind(did), DefKind::Field)
979                     && matches!(
980                         self.cx.tcx.def_kind(self.cx.tcx.parent(did).unwrap()),
981                         DefKind::Variant
982                     )) =>
983             {
984                 self.cx.tcx.parent(did).and_then(|item_id| self.cx.tcx.parent(item_id))
985             }
986             Some(did)
987                 if matches!(
988                     self.cx.tcx.def_kind(did),
989                     DefKind::AssocConst
990                         | DefKind::AssocFn
991                         | DefKind::AssocTy
992                         | DefKind::Variant
993                         | DefKind::Field
994                 ) =>
995             {
996                 self.cx.tcx.parent(did)
997             }
998             Some(did) => Some(did),
999         };
1000
1001         // FIXME(jynelson): this shouldn't go through stringification, rustdoc should just use the DefId directly
1002         let self_name = self_id.and_then(|self_id| {
1003             if matches!(self.cx.tcx.def_kind(self_id), DefKind::Impl) {
1004                 // using `ty.to_string()` (or any variant) has issues with raw idents
1005                 let ty = self.cx.tcx.type_of(self_id);
1006                 let name = match ty.kind() {
1007                     ty::Adt(def, _) => Some(self.cx.tcx.item_name(def.did).to_string()),
1008                     other if other.is_primitive() => Some(ty.to_string()),
1009                     _ => None,
1010                 };
1011                 debug!("using type_of(): {:?}", name);
1012                 name
1013             } else {
1014                 let name = self.cx.tcx.opt_item_name(self_id).map(|sym| sym.to_string());
1015                 debug!("using item_name(): {:?}", name);
1016                 name
1017             }
1018         });
1019
1020         let inner_docs = item.inner_docs(self.cx.tcx);
1021
1022         if item.is_mod() && inner_docs {
1023             self.mod_ids.push(item.def_id.expect_def_id());
1024         }
1025
1026         // We want to resolve in the lexical scope of the documentation.
1027         // In the presence of re-exports, this is not the same as the module of the item.
1028         // Rather than merging all documentation into one, resolve it one attribute at a time
1029         // so we know which module it came from.
1030         for (parent_module, doc) in item.attrs.collapsed_doc_value_by_module_level() {
1031             debug!("combined_docs={}", doc);
1032
1033             let (krate, parent_node) = if let Some(id) = parent_module {
1034                 (id.krate, Some(id))
1035             } else {
1036                 (item.def_id.krate(), parent_node)
1037             };
1038             // NOTE: if there are links that start in one crate and end in another, this will not resolve them.
1039             // This is a degenerate case and it's not supported by rustdoc.
1040             for md_link in markdown_links(&doc) {
1041                 let link = self.resolve_link(&item, &doc, &self_name, parent_node, krate, md_link);
1042                 if let Some(link) = link {
1043                     self.cx.cache.intra_doc_links.entry(item.def_id).or_default().push(link);
1044                 }
1045             }
1046         }
1047
1048         if item.is_mod() {
1049             if !inner_docs {
1050                 self.mod_ids.push(item.def_id.expect_def_id());
1051             }
1052
1053             self.visit_item_recur(item);
1054             self.mod_ids.pop();
1055         } else {
1056             self.visit_item_recur(item)
1057         }
1058     }
1059 }
1060
1061 enum PreprocessingError<'a> {
1062     Anchor(AnchorFailure),
1063     Disambiguator(Range<usize>, String),
1064     Resolution(ResolutionFailure<'a>, String, Option<Disambiguator>),
1065 }
1066
1067 impl From<AnchorFailure> for PreprocessingError<'_> {
1068     fn from(err: AnchorFailure) -> Self {
1069         Self::Anchor(err)
1070     }
1071 }
1072
1073 struct PreprocessingInfo {
1074     path_str: String,
1075     disambiguator: Option<Disambiguator>,
1076     extra_fragment: Option<String>,
1077     link_text: String,
1078 }
1079
1080 /// Returns:
1081 /// - `None` if the link should be ignored.
1082 /// - `Some(Err)` if the link should emit an error
1083 /// - `Some(Ok)` if the link is valid
1084 ///
1085 /// `link_buffer` is needed for lifetime reasons; it will always be overwritten and the contents ignored.
1086 fn preprocess_link<'a>(
1087     ori_link: &'a MarkdownLink,
1088 ) -> Option<Result<PreprocessingInfo, PreprocessingError<'a>>> {
1089     // [] is mostly likely not supposed to be a link
1090     if ori_link.link.is_empty() {
1091         return None;
1092     }
1093
1094     // Bail early for real links.
1095     if ori_link.link.contains('/') {
1096         return None;
1097     }
1098
1099     let stripped = ori_link.link.replace('`', "");
1100     let mut parts = stripped.split('#');
1101
1102     let link = parts.next().unwrap();
1103     if link.trim().is_empty() {
1104         // This is an anchor to an element of the current page, nothing to do in here!
1105         return None;
1106     }
1107     let extra_fragment = parts.next();
1108     if parts.next().is_some() {
1109         // A valid link can't have multiple #'s
1110         return Some(Err(AnchorFailure::MultipleAnchors.into()));
1111     }
1112
1113     // Parse and strip the disambiguator from the link, if present.
1114     let (disambiguator, path_str, link_text) = match Disambiguator::from_str(link) {
1115         Ok(Some((d, path, link_text))) => (Some(d), path.trim(), link_text.trim()),
1116         Ok(None) => (None, link.trim(), link.trim()),
1117         Err((err_msg, relative_range)) => {
1118             // Only report error if we would not have ignored this link. See issue #83859.
1119             if !should_ignore_link_with_disambiguators(link) {
1120                 let no_backticks_range = range_between_backticks(ori_link);
1121                 let disambiguator_range = (no_backticks_range.start + relative_range.start)
1122                     ..(no_backticks_range.start + relative_range.end);
1123                 return Some(Err(PreprocessingError::Disambiguator(disambiguator_range, err_msg)));
1124             } else {
1125                 return None;
1126             }
1127         }
1128     };
1129
1130     if should_ignore_link(path_str) {
1131         return None;
1132     }
1133
1134     // Strip generics from the path.
1135     let path_str = if path_str.contains(['<', '>'].as_slice()) {
1136         match strip_generics_from_path(path_str) {
1137             Ok(path) => path,
1138             Err(err_kind) => {
1139                 debug!("link has malformed generics: {}", path_str);
1140                 return Some(Err(PreprocessingError::Resolution(
1141                     err_kind,
1142                     path_str.to_owned(),
1143                     disambiguator,
1144                 )));
1145             }
1146         }
1147     } else {
1148         path_str.to_owned()
1149     };
1150
1151     // Sanity check to make sure we don't have any angle brackets after stripping generics.
1152     assert!(!path_str.contains(['<', '>'].as_slice()));
1153
1154     // The link is not an intra-doc link if it still contains spaces after stripping generics.
1155     if path_str.contains(' ') {
1156         return None;
1157     }
1158
1159     Some(Ok(PreprocessingInfo {
1160         path_str,
1161         disambiguator,
1162         extra_fragment: extra_fragment.map(|frag| frag.to_owned()),
1163         link_text: link_text.to_owned(),
1164     }))
1165 }
1166
1167 impl LinkCollector<'_, '_> {
1168     /// This is the entry point for resolving an intra-doc link.
1169     ///
1170     /// FIXME(jynelson): this is way too many arguments
1171     fn resolve_link(
1172         &mut self,
1173         item: &Item,
1174         dox: &str,
1175         self_name: &Option<String>,
1176         parent_node: Option<DefId>,
1177         krate: CrateNum,
1178         ori_link: MarkdownLink,
1179     ) -> Option<ItemLink> {
1180         trace!("considering link '{}'", ori_link.link);
1181
1182         let diag_info = DiagnosticInfo {
1183             item,
1184             dox,
1185             ori_link: &ori_link.link,
1186             link_range: ori_link.range.clone(),
1187         };
1188
1189         let PreprocessingInfo { path_str, disambiguator, extra_fragment, link_text } =
1190             match preprocess_link(&ori_link)? {
1191                 Ok(x) => x,
1192                 Err(err) => {
1193                     match err {
1194                         PreprocessingError::Anchor(err) => anchor_failure(self.cx, diag_info, err),
1195                         PreprocessingError::Disambiguator(range, msg) => {
1196                             disambiguator_error(self.cx, diag_info, range, &msg)
1197                         }
1198                         PreprocessingError::Resolution(err, path_str, disambiguator) => {
1199                             resolution_failure(
1200                                 self,
1201                                 diag_info,
1202                                 &path_str,
1203                                 disambiguator,
1204                                 smallvec![err],
1205                             );
1206                         }
1207                     }
1208                     return None;
1209                 }
1210             };
1211         let mut path_str = &*path_str;
1212
1213         let inner_docs = item.inner_docs(self.cx.tcx);
1214
1215         // In order to correctly resolve intra-doc links we need to
1216         // pick a base AST node to work from.  If the documentation for
1217         // this module came from an inner comment (//!) then we anchor
1218         // our name resolution *inside* the module.  If, on the other
1219         // hand it was an outer comment (///) then we anchor the name
1220         // resolution in the parent module on the basis that the names
1221         // used are more likely to be intended to be parent names.  For
1222         // this, we set base_node to None for inner comments since
1223         // we've already pushed this node onto the resolution stack but
1224         // for outer comments we explicitly try and resolve against the
1225         // parent_node first.
1226         let base_node =
1227             if item.is_mod() && inner_docs { self.mod_ids.last().copied() } else { parent_node };
1228
1229         let mut module_id = if let Some(id) = base_node {
1230             id
1231         } else {
1232             // This is a bug.
1233             debug!("attempting to resolve item without parent module: {}", path_str);
1234             resolution_failure(
1235                 self,
1236                 diag_info,
1237                 path_str,
1238                 disambiguator,
1239                 smallvec![ResolutionFailure::NoParentItem],
1240             );
1241             return None;
1242         };
1243
1244         let resolved_self;
1245         // replace `Self` with suitable item's parent name
1246         let is_lone_self = path_str == "Self";
1247         let is_lone_crate = path_str == "crate";
1248         if path_str.starts_with("Self::") || is_lone_self {
1249             if let Some(ref name) = self_name {
1250                 if is_lone_self {
1251                     path_str = name;
1252                 } else {
1253                     resolved_self = format!("{}::{}", name, &path_str[6..]);
1254                     path_str = &resolved_self;
1255                 }
1256             }
1257         } else if path_str.starts_with("crate::") || is_lone_crate {
1258             use rustc_span::def_id::CRATE_DEF_INDEX;
1259
1260             // HACK(jynelson): rustc_resolve thinks that `crate` is the crate currently being documented.
1261             // But rustdoc wants it to mean the crate this item was originally present in.
1262             // To work around this, remove it and resolve relative to the crate root instead.
1263             // HACK(jynelson)(2): If we just strip `crate::` then suddenly primitives become ambiguous
1264             // (consider `crate::char`). Instead, change it to `self::`. This works because 'self' is now the crate root.
1265             // FIXME(#78696): This doesn't always work.
1266             if is_lone_crate {
1267                 path_str = "self";
1268             } else {
1269                 resolved_self = format!("self::{}", &path_str["crate::".len()..]);
1270                 path_str = &resolved_self;
1271             }
1272             module_id = DefId { krate, index: CRATE_DEF_INDEX };
1273         }
1274
1275         let (mut res, fragment) = self.resolve_with_disambiguator_cached(
1276             ResolutionInfo {
1277                 module_id,
1278                 dis: disambiguator,
1279                 path_str: path_str.to_owned(),
1280                 extra_fragment,
1281             },
1282             diag_info.clone(), // this struct should really be Copy, but Range is not :(
1283             matches!(ori_link.kind, LinkType::Reference | LinkType::Shortcut),
1284         )?;
1285
1286         // Check for a primitive which might conflict with a module
1287         // Report the ambiguity and require that the user specify which one they meant.
1288         // FIXME: could there ever be a primitive not in the type namespace?
1289         if matches!(
1290             disambiguator,
1291             None | Some(Disambiguator::Namespace(Namespace::TypeNS) | Disambiguator::Primitive)
1292         ) && !matches!(res, Res::Primitive(_))
1293         {
1294             if let Some(prim) = resolve_primitive(path_str, TypeNS) {
1295                 // `prim@char`
1296                 if matches!(disambiguator, Some(Disambiguator::Primitive)) {
1297                     res = prim;
1298                 } else {
1299                     // `[char]` when a `char` module is in scope
1300                     let candidates = vec![res, prim];
1301                     ambiguity_error(self.cx, diag_info, path_str, candidates);
1302                     return None;
1303                 }
1304             }
1305         }
1306
1307         match res {
1308             Res::Primitive(prim) => {
1309                 if let Some(UrlFragment::Item(ItemFragment(_, id))) = fragment {
1310                     // We're actually resolving an associated item of a primitive, so we need to
1311                     // verify the disambiguator (if any) matches the type of the associated item.
1312                     // This case should really follow the same flow as the `Res::Def` branch below,
1313                     // but attempting to add a call to `clean::register_res` causes an ICE. @jyn514
1314                     // thinks `register_res` is only needed for cross-crate re-exports, but Rust
1315                     // doesn't allow statements like `use str::trim;`, making this a (hopefully)
1316                     // valid omission. See https://github.com/rust-lang/rust/pull/80660#discussion_r551585677
1317                     // for discussion on the matter.
1318                     let kind = self.cx.tcx.def_kind(id);
1319                     self.verify_disambiguator(
1320                         path_str,
1321                         &ori_link,
1322                         kind,
1323                         id,
1324                         disambiguator,
1325                         item,
1326                         &diag_info,
1327                     )?;
1328
1329                     // FIXME: it would be nice to check that the feature gate was enabled in the original crate, not just ignore it altogether.
1330                     // However I'm not sure how to check that across crates.
1331                     if prim == PrimitiveType::RawPointer
1332                         && item.def_id.is_local()
1333                         && !self.cx.tcx.features().intra_doc_pointers
1334                     {
1335                         self.report_rawptr_assoc_feature_gate(dox, &ori_link, item);
1336                     }
1337                 } else {
1338                     match disambiguator {
1339                         Some(Disambiguator::Primitive | Disambiguator::Namespace(_)) | None => {}
1340                         Some(other) => {
1341                             self.report_disambiguator_mismatch(
1342                                 path_str, &ori_link, other, res, &diag_info,
1343                             );
1344                             return None;
1345                         }
1346                     }
1347                 }
1348
1349                 Some(ItemLink {
1350                     link: ori_link.link,
1351                     link_text,
1352                     did: res.def_id(self.cx.tcx),
1353                     fragment,
1354                 })
1355             }
1356             Res::Def(kind, id) => {
1357                 let (kind_for_dis, id_for_dis) =
1358                     if let Some(UrlFragment::Item(ItemFragment(_, id))) = fragment {
1359                         (self.cx.tcx.def_kind(id), id)
1360                     } else {
1361                         (kind, id)
1362                     };
1363                 self.verify_disambiguator(
1364                     path_str,
1365                     &ori_link,
1366                     kind_for_dis,
1367                     id_for_dis,
1368                     disambiguator,
1369                     item,
1370                     &diag_info,
1371                 )?;
1372                 let id = clean::register_res(self.cx, rustc_hir::def::Res::Def(kind, id));
1373                 Some(ItemLink { link: ori_link.link, link_text, did: id, fragment })
1374             }
1375         }
1376     }
1377
1378     fn verify_disambiguator(
1379         &self,
1380         path_str: &str,
1381         ori_link: &MarkdownLink,
1382         kind: DefKind,
1383         id: DefId,
1384         disambiguator: Option<Disambiguator>,
1385         item: &Item,
1386         diag_info: &DiagnosticInfo<'_>,
1387     ) -> Option<()> {
1388         debug!("intra-doc link to {} resolved to {:?}", path_str, (kind, id));
1389
1390         // Disallow e.g. linking to enums with `struct@`
1391         debug!("saw kind {:?} with disambiguator {:?}", kind, disambiguator);
1392         match (kind, disambiguator) {
1393                 | (DefKind::Const | DefKind::ConstParam | DefKind::AssocConst | DefKind::AnonConst, Some(Disambiguator::Kind(DefKind::Const)))
1394                 // NOTE: this allows 'method' to mean both normal functions and associated functions
1395                 // This can't cause ambiguity because both are in the same namespace.
1396                 | (DefKind::Fn | DefKind::AssocFn, Some(Disambiguator::Kind(DefKind::Fn)))
1397                 // These are namespaces; allow anything in the namespace to match
1398                 | (_, Some(Disambiguator::Namespace(_)))
1399                 // If no disambiguator given, allow anything
1400                 | (_, None)
1401                 // All of these are valid, so do nothing
1402                 => {}
1403                 (actual, Some(Disambiguator::Kind(expected))) if actual == expected => {}
1404                 (_, Some(specified @ Disambiguator::Kind(_) | specified @ Disambiguator::Primitive)) => {
1405                     self.report_disambiguator_mismatch(path_str,ori_link,specified, Res::Def(kind, id),diag_info);
1406                     return None;
1407                 }
1408             }
1409
1410         // item can be non-local e.g. when using #[doc(primitive = "pointer")]
1411         if let Some((src_id, dst_id)) = id
1412             .as_local()
1413             // The `expect_def_id()` should be okay because `local_def_id_to_hir_id`
1414             // would presumably panic if a fake `DefIndex` were passed.
1415             .and_then(|dst_id| {
1416                 item.def_id.expect_def_id().as_local().map(|src_id| (src_id, dst_id))
1417             })
1418         {
1419             if self.cx.tcx.privacy_access_levels(()).is_exported(src_id)
1420                 && !self.cx.tcx.privacy_access_levels(()).is_exported(dst_id)
1421             {
1422                 privacy_error(self.cx, diag_info, path_str);
1423             }
1424         }
1425
1426         Some(())
1427     }
1428
1429     fn report_disambiguator_mismatch(
1430         &self,
1431         path_str: &str,
1432         ori_link: &MarkdownLink,
1433         specified: Disambiguator,
1434         resolved: Res,
1435         diag_info: &DiagnosticInfo<'_>,
1436     ) {
1437         // The resolved item did not match the disambiguator; give a better error than 'not found'
1438         let msg = format!("incompatible link kind for `{}`", path_str);
1439         let callback = |diag: &mut DiagnosticBuilder<'_>, sp: Option<rustc_span::Span>| {
1440             let note = format!(
1441                 "this link resolved to {} {}, which is not {} {}",
1442                 resolved.article(),
1443                 resolved.descr(),
1444                 specified.article(),
1445                 specified.descr(),
1446             );
1447             if let Some(sp) = sp {
1448                 diag.span_label(sp, &note);
1449             } else {
1450                 diag.note(&note);
1451             }
1452             suggest_disambiguator(resolved, diag, path_str, &ori_link.link, sp);
1453         };
1454         report_diagnostic(self.cx.tcx, BROKEN_INTRA_DOC_LINKS, &msg, &diag_info, callback);
1455     }
1456
1457     fn report_rawptr_assoc_feature_gate(&self, dox: &str, ori_link: &MarkdownLink, item: &Item) {
1458         let span =
1459             super::source_span_for_markdown_range(self.cx.tcx, dox, &ori_link.range, &item.attrs)
1460                 .unwrap_or_else(|| item.attr_span(self.cx.tcx));
1461         rustc_session::parse::feature_err(
1462             &self.cx.tcx.sess.parse_sess,
1463             sym::intra_doc_pointers,
1464             span,
1465             "linking to associated items of raw pointers is experimental",
1466         )
1467         .note("rustdoc does not allow disambiguating between `*const` and `*mut`, and pointers are unstable until it does")
1468         .emit();
1469     }
1470
1471     fn resolve_with_disambiguator_cached(
1472         &mut self,
1473         key: ResolutionInfo,
1474         diag: DiagnosticInfo<'_>,
1475         cache_resolution_failure: bool,
1476     ) -> Option<(Res, Option<UrlFragment>)> {
1477         if let Some(ref cached) = self.visited_links.get(&key) {
1478             match cached {
1479                 Some(cached) => {
1480                     return Some(cached.res.clone());
1481                 }
1482                 None if cache_resolution_failure => return None,
1483                 None => {
1484                     // Although we hit the cache and found a resolution error, this link isn't
1485                     // supposed to cache those. Run link resolution again to emit the expected
1486                     // resolution error.
1487                 }
1488             }
1489         }
1490
1491         let res = self.resolve_with_disambiguator(&key, diag);
1492
1493         // Cache only if resolved successfully - don't silence duplicate errors
1494         if let Some(res) = res {
1495             // Store result for the actual namespace
1496             self.visited_links.insert(key, Some(CachedLink { res: res.clone() }));
1497
1498             Some(res)
1499         } else {
1500             if cache_resolution_failure {
1501                 // For reference-style links we only want to report one resolution error
1502                 // so let's cache them as well.
1503                 self.visited_links.insert(key, None);
1504             }
1505
1506             None
1507         }
1508     }
1509
1510     /// After parsing the disambiguator, resolve the main part of the link.
1511     // FIXME(jynelson): wow this is just so much
1512     fn resolve_with_disambiguator(
1513         &mut self,
1514         key: &ResolutionInfo,
1515         diag: DiagnosticInfo<'_>,
1516     ) -> Option<(Res, Option<UrlFragment>)> {
1517         let disambiguator = key.dis;
1518         let path_str = &key.path_str;
1519         let base_node = key.module_id;
1520         let extra_fragment = &key.extra_fragment;
1521
1522         match disambiguator.map(Disambiguator::ns) {
1523             Some(expected_ns @ (ValueNS | TypeNS)) => {
1524                 match self.resolve(path_str, expected_ns, base_node, extra_fragment) {
1525                     Ok(res) => Some(res),
1526                     Err(ErrorKind::Resolve(box mut kind)) => {
1527                         // We only looked in one namespace. Try to give a better error if possible.
1528                         if kind.full_res().is_none() {
1529                             let other_ns = if expected_ns == ValueNS { TypeNS } else { ValueNS };
1530                             // FIXME: really it should be `resolution_failure` that does this, not `resolve_with_disambiguator`
1531                             // See https://github.com/rust-lang/rust/pull/76955#discussion_r493953382 for a good approach
1532                             for new_ns in [other_ns, MacroNS] {
1533                                 if let Some(res) =
1534                                     self.check_full_res(new_ns, path_str, base_node, extra_fragment)
1535                                 {
1536                                     kind = ResolutionFailure::WrongNamespace { res, expected_ns };
1537                                     break;
1538                                 }
1539                             }
1540                         }
1541                         resolution_failure(self, diag, path_str, disambiguator, smallvec![kind]);
1542                         // This could just be a normal link or a broken link
1543                         // we could potentially check if something is
1544                         // "intra-doc-link-like" and warn in that case.
1545                         None
1546                     }
1547                     Err(ErrorKind::AnchorFailure(msg)) => {
1548                         anchor_failure(self.cx, diag, msg);
1549                         None
1550                     }
1551                 }
1552             }
1553             None => {
1554                 // Try everything!
1555                 let mut candidates = PerNS {
1556                     macro_ns: self
1557                         .resolve_macro(path_str, base_node)
1558                         .map(|res| (res, extra_fragment.clone().map(UrlFragment::UserWritten))),
1559                     type_ns: match self.resolve(path_str, TypeNS, base_node, extra_fragment) {
1560                         Ok(res) => {
1561                             debug!("got res in TypeNS: {:?}", res);
1562                             Ok(res)
1563                         }
1564                         Err(ErrorKind::AnchorFailure(msg)) => {
1565                             anchor_failure(self.cx, diag, msg);
1566                             return None;
1567                         }
1568                         Err(ErrorKind::Resolve(box kind)) => Err(kind),
1569                     },
1570                     value_ns: match self.resolve(path_str, ValueNS, base_node, extra_fragment) {
1571                         Ok(res) => Ok(res),
1572                         Err(ErrorKind::AnchorFailure(msg)) => {
1573                             anchor_failure(self.cx, diag, msg);
1574                             return None;
1575                         }
1576                         Err(ErrorKind::Resolve(box kind)) => Err(kind),
1577                     }
1578                     .and_then(|(res, fragment)| {
1579                         // Constructors are picked up in the type namespace.
1580                         match res {
1581                             Res::Def(DefKind::Ctor(..), _) => {
1582                                 Err(ResolutionFailure::WrongNamespace { res, expected_ns: TypeNS })
1583                             }
1584                             _ => {
1585                                 match (fragment, extra_fragment.clone()) {
1586                                     (Some(fragment), Some(_)) => {
1587                                         // Shouldn't happen but who knows?
1588                                         Ok((res, Some(fragment)))
1589                                     }
1590                                     (fragment, None) => Ok((res, fragment)),
1591                                     (None, fragment) => {
1592                                         Ok((res, fragment.map(UrlFragment::UserWritten)))
1593                                     }
1594                                 }
1595                             }
1596                         }
1597                     }),
1598                 };
1599
1600                 let len = candidates.iter().filter(|res| res.is_ok()).count();
1601
1602                 if len == 0 {
1603                     resolution_failure(
1604                         self,
1605                         diag,
1606                         path_str,
1607                         disambiguator,
1608                         candidates.into_iter().filter_map(|res| res.err()).collect(),
1609                     );
1610                     // this could just be a normal link
1611                     return None;
1612                 }
1613
1614                 if len == 1 {
1615                     Some(candidates.into_iter().find_map(|res| res.ok()).unwrap())
1616                 } else if len == 2 && is_derive_trait_collision(&candidates) {
1617                     Some(candidates.type_ns.unwrap())
1618                 } else {
1619                     if is_derive_trait_collision(&candidates) {
1620                         candidates.macro_ns = Err(ResolutionFailure::Dummy);
1621                     }
1622                     // If we're reporting an ambiguity, don't mention the namespaces that failed
1623                     let candidates = candidates.map(|candidate| candidate.ok().map(|(res, _)| res));
1624                     ambiguity_error(self.cx, diag, path_str, candidates.present_items().collect());
1625                     None
1626                 }
1627             }
1628             Some(MacroNS) => {
1629                 match self.resolve_macro(path_str, base_node) {
1630                     Ok(res) => Some((res, extra_fragment.clone().map(UrlFragment::UserWritten))),
1631                     Err(mut kind) => {
1632                         // `resolve_macro` only looks in the macro namespace. Try to give a better error if possible.
1633                         for ns in [TypeNS, ValueNS] {
1634                             if let Some(res) =
1635                                 self.check_full_res(ns, path_str, base_node, extra_fragment)
1636                             {
1637                                 kind =
1638                                     ResolutionFailure::WrongNamespace { res, expected_ns: MacroNS };
1639                                 break;
1640                             }
1641                         }
1642                         resolution_failure(self, diag, path_str, disambiguator, smallvec![kind]);
1643                         None
1644                     }
1645                 }
1646             }
1647         }
1648     }
1649 }
1650
1651 /// Get the section of a link between the backticks,
1652 /// or the whole link if there aren't any backticks.
1653 ///
1654 /// For example:
1655 ///
1656 /// ```text
1657 /// [`Foo`]
1658 ///   ^^^
1659 /// ```
1660 fn range_between_backticks(ori_link: &MarkdownLink) -> Range<usize> {
1661     let after_first_backtick_group = ori_link.link.bytes().position(|b| b != b'`').unwrap_or(0);
1662     let before_second_backtick_group = ori_link
1663         .link
1664         .bytes()
1665         .skip(after_first_backtick_group)
1666         .position(|b| b == b'`')
1667         .unwrap_or(ori_link.link.len());
1668     (ori_link.range.start + after_first_backtick_group)
1669         ..(ori_link.range.start + before_second_backtick_group)
1670 }
1671
1672 /// Returns true if we should ignore `link` due to it being unlikely
1673 /// that it is an intra-doc link. `link` should still have disambiguators
1674 /// if there were any.
1675 ///
1676 /// The difference between this and [`should_ignore_link()`] is that this
1677 /// check should only be used on links that still have disambiguators.
1678 fn should_ignore_link_with_disambiguators(link: &str) -> bool {
1679     link.contains(|ch: char| !(ch.is_alphanumeric() || ":_<>, !*&;@()".contains(ch)))
1680 }
1681
1682 /// Returns true if we should ignore `path_str` due to it being unlikely
1683 /// that it is an intra-doc link.
1684 fn should_ignore_link(path_str: &str) -> bool {
1685     path_str.contains(|ch: char| !(ch.is_alphanumeric() || ":_<>, !*&;".contains(ch)))
1686 }
1687
1688 #[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)]
1689 /// Disambiguators for a link.
1690 enum Disambiguator {
1691     /// `prim@`
1692     ///
1693     /// This is buggy, see <https://github.com/rust-lang/rust/pull/77875#discussion_r503583103>
1694     Primitive,
1695     /// `struct@` or `f()`
1696     Kind(DefKind),
1697     /// `type@`
1698     Namespace(Namespace),
1699 }
1700
1701 impl Disambiguator {
1702     /// Given a link, parse and return `(disambiguator, path_str, link_text)`.
1703     ///
1704     /// This returns `Ok(Some(...))` if a disambiguator was found,
1705     /// `Ok(None)` if no disambiguator was found, or `Err(...)`
1706     /// if there was a problem with the disambiguator.
1707     fn from_str(link: &str) -> Result<Option<(Self, &str, &str)>, (String, Range<usize>)> {
1708         use Disambiguator::{Kind, Namespace as NS, Primitive};
1709
1710         if let Some(idx) = link.find('@') {
1711             let (prefix, rest) = link.split_at(idx);
1712             let d = match prefix {
1713                 "struct" => Kind(DefKind::Struct),
1714                 "enum" => Kind(DefKind::Enum),
1715                 "trait" => Kind(DefKind::Trait),
1716                 "union" => Kind(DefKind::Union),
1717                 "module" | "mod" => Kind(DefKind::Mod),
1718                 "const" | "constant" => Kind(DefKind::Const),
1719                 "static" => Kind(DefKind::Static),
1720                 "function" | "fn" | "method" => Kind(DefKind::Fn),
1721                 "derive" => Kind(DefKind::Macro(MacroKind::Derive)),
1722                 "type" => NS(Namespace::TypeNS),
1723                 "value" => NS(Namespace::ValueNS),
1724                 "macro" => NS(Namespace::MacroNS),
1725                 "prim" | "primitive" => Primitive,
1726                 _ => return Err((format!("unknown disambiguator `{}`", prefix), 0..idx)),
1727             };
1728             Ok(Some((d, &rest[1..], &rest[1..])))
1729         } else {
1730             let suffixes = [
1731                 ("!()", DefKind::Macro(MacroKind::Bang)),
1732                 ("!{}", DefKind::Macro(MacroKind::Bang)),
1733                 ("![]", DefKind::Macro(MacroKind::Bang)),
1734                 ("()", DefKind::Fn),
1735                 ("!", DefKind::Macro(MacroKind::Bang)),
1736             ];
1737             for (suffix, kind) in suffixes {
1738                 if let Some(path_str) = link.strip_suffix(suffix) {
1739                     // Avoid turning `!` or `()` into an empty string
1740                     if !path_str.is_empty() {
1741                         return Ok(Some((Kind(kind), path_str, link)));
1742                     }
1743                 }
1744             }
1745             Ok(None)
1746         }
1747     }
1748
1749     fn ns(self) -> Namespace {
1750         match self {
1751             Self::Namespace(n) => n,
1752             Self::Kind(k) => {
1753                 k.ns().expect("only DefKinds with a valid namespace can be disambiguators")
1754             }
1755             Self::Primitive => TypeNS,
1756         }
1757     }
1758
1759     fn article(self) -> &'static str {
1760         match self {
1761             Self::Namespace(_) => panic!("article() doesn't make sense for namespaces"),
1762             Self::Kind(k) => k.article(),
1763             Self::Primitive => "a",
1764         }
1765     }
1766
1767     fn descr(self) -> &'static str {
1768         match self {
1769             Self::Namespace(n) => n.descr(),
1770             // HACK(jynelson): the source of `DefKind::descr` only uses the DefId for
1771             // printing "module" vs "crate" so using the wrong ID is not a huge problem
1772             Self::Kind(k) => k.descr(CRATE_DEF_ID.to_def_id()),
1773             Self::Primitive => "builtin type",
1774         }
1775     }
1776 }
1777
1778 /// A suggestion to show in a diagnostic.
1779 enum Suggestion {
1780     /// `struct@`
1781     Prefix(&'static str),
1782     /// `f()`
1783     Function,
1784     /// `m!`
1785     Macro,
1786     /// `foo` without any disambiguator
1787     RemoveDisambiguator,
1788 }
1789
1790 impl Suggestion {
1791     fn descr(&self) -> Cow<'static, str> {
1792         match self {
1793             Self::Prefix(x) => format!("prefix with `{}@`", x).into(),
1794             Self::Function => "add parentheses".into(),
1795             Self::Macro => "add an exclamation mark".into(),
1796             Self::RemoveDisambiguator => "remove the disambiguator".into(),
1797         }
1798     }
1799
1800     fn as_help(&self, path_str: &str) -> String {
1801         // FIXME: if this is an implied shortcut link, it's bad style to suggest `@`
1802         match self {
1803             Self::Prefix(prefix) => format!("{}@{}", prefix, path_str),
1804             Self::Function => format!("{}()", path_str),
1805             Self::Macro => format!("{}!", path_str),
1806             Self::RemoveDisambiguator => path_str.into(),
1807         }
1808     }
1809
1810     fn as_help_span(
1811         &self,
1812         path_str: &str,
1813         ori_link: &str,
1814         sp: rustc_span::Span,
1815     ) -> Vec<(rustc_span::Span, String)> {
1816         let inner_sp = match ori_link.find('(') {
1817             Some(index) => sp.with_hi(sp.lo() + BytePos(index as _)),
1818             None => sp,
1819         };
1820         let inner_sp = match ori_link.find('!') {
1821             Some(index) => inner_sp.with_hi(inner_sp.lo() + BytePos(index as _)),
1822             None => inner_sp,
1823         };
1824         let inner_sp = match ori_link.find('@') {
1825             Some(index) => inner_sp.with_lo(inner_sp.lo() + BytePos(index as u32 + 1)),
1826             None => inner_sp,
1827         };
1828         match self {
1829             Self::Prefix(prefix) => {
1830                 // FIXME: if this is an implied shortcut link, it's bad style to suggest `@`
1831                 let mut sugg = vec![(sp.with_hi(inner_sp.lo()), format!("{}@", prefix))];
1832                 if sp.hi() != inner_sp.hi() {
1833                     sugg.push((inner_sp.shrink_to_hi().with_hi(sp.hi()), String::new()));
1834                 }
1835                 sugg
1836             }
1837             Self::Function => {
1838                 let mut sugg = vec![(inner_sp.shrink_to_hi().with_hi(sp.hi()), "()".to_string())];
1839                 if sp.lo() != inner_sp.lo() {
1840                     sugg.push((inner_sp.shrink_to_lo().with_lo(sp.lo()), String::new()));
1841                 }
1842                 sugg
1843             }
1844             Self::Macro => {
1845                 let mut sugg = vec![(inner_sp.shrink_to_hi(), "!".to_string())];
1846                 if sp.lo() != inner_sp.lo() {
1847                     sugg.push((inner_sp.shrink_to_lo().with_lo(sp.lo()), String::new()));
1848                 }
1849                 sugg
1850             }
1851             Self::RemoveDisambiguator => vec![(sp, path_str.into())],
1852         }
1853     }
1854 }
1855
1856 /// Reports a diagnostic for an intra-doc link.
1857 ///
1858 /// If no link range is provided, or the source span of the link cannot be determined, the span of
1859 /// the entire documentation block is used for the lint. If a range is provided but the span
1860 /// calculation fails, a note is added to the diagnostic pointing to the link in the markdown.
1861 ///
1862 /// The `decorate` callback is invoked in all cases to allow further customization of the
1863 /// diagnostic before emission. If the span of the link was able to be determined, the second
1864 /// parameter of the callback will contain it, and the primary span of the diagnostic will be set
1865 /// to it.
1866 fn report_diagnostic(
1867     tcx: TyCtxt<'_>,
1868     lint: &'static Lint,
1869     msg: &str,
1870     DiagnosticInfo { item, ori_link: _, dox, link_range }: &DiagnosticInfo<'_>,
1871     decorate: impl FnOnce(&mut DiagnosticBuilder<'_>, Option<rustc_span::Span>),
1872 ) {
1873     let hir_id = match DocContext::as_local_hir_id(tcx, item.def_id) {
1874         Some(hir_id) => hir_id,
1875         None => {
1876             // If non-local, no need to check anything.
1877             info!("ignoring warning from parent crate: {}", msg);
1878             return;
1879         }
1880     };
1881
1882     let sp = item.attr_span(tcx);
1883
1884     tcx.struct_span_lint_hir(lint, hir_id, sp, |lint| {
1885         let mut diag = lint.build(msg);
1886
1887         let span =
1888             super::source_span_for_markdown_range(tcx, dox, link_range, &item.attrs).map(|sp| {
1889                 if dox.as_bytes().get(link_range.start) == Some(&b'`')
1890                     && dox.as_bytes().get(link_range.end - 1) == Some(&b'`')
1891                 {
1892                     sp.with_lo(sp.lo() + BytePos(1)).with_hi(sp.hi() - BytePos(1))
1893                 } else {
1894                     sp
1895                 }
1896             });
1897
1898         if let Some(sp) = span {
1899             diag.set_span(sp);
1900         } else {
1901             // blah blah blah\nblah\nblah [blah] blah blah\nblah blah
1902             //                       ^     ~~~~
1903             //                       |     link_range
1904             //                       last_new_line_offset
1905             let last_new_line_offset = dox[..link_range.start].rfind('\n').map_or(0, |n| n + 1);
1906             let line = dox[last_new_line_offset..].lines().next().unwrap_or("");
1907
1908             // Print the line containing the `link_range` and manually mark it with '^'s.
1909             diag.note(&format!(
1910                 "the link appears in this line:\n\n{line}\n\
1911                      {indicator: <before$}{indicator:^<found$}",
1912                 line = line,
1913                 indicator = "",
1914                 before = link_range.start - last_new_line_offset,
1915                 found = link_range.len(),
1916             ));
1917         }
1918
1919         decorate(&mut diag, span);
1920
1921         diag.emit();
1922     });
1923 }
1924
1925 /// Reports a link that failed to resolve.
1926 ///
1927 /// This also tries to resolve any intermediate path segments that weren't
1928 /// handled earlier. For example, if passed `Item::Crate(std)` and `path_str`
1929 /// `std::io::Error::x`, this will resolve `std::io::Error`.
1930 fn resolution_failure(
1931     collector: &mut LinkCollector<'_, '_>,
1932     diag_info: DiagnosticInfo<'_>,
1933     path_str: &str,
1934     disambiguator: Option<Disambiguator>,
1935     kinds: SmallVec<[ResolutionFailure<'_>; 3]>,
1936 ) {
1937     let tcx = collector.cx.tcx;
1938     report_diagnostic(
1939         tcx,
1940         BROKEN_INTRA_DOC_LINKS,
1941         &format!("unresolved link to `{}`", path_str),
1942         &diag_info,
1943         |diag, sp| {
1944             let item = |res: Res| format!("the {} `{}`", res.descr(), res.name(tcx),);
1945             let assoc_item_not_allowed = |res: Res| {
1946                 let name = res.name(tcx);
1947                 format!(
1948                     "`{}` is {} {}, not a module or type, and cannot have associated items",
1949                     name,
1950                     res.article(),
1951                     res.descr()
1952                 )
1953             };
1954             // ignore duplicates
1955             let mut variants_seen = SmallVec::<[_; 3]>::new();
1956             for mut failure in kinds {
1957                 let variant = std::mem::discriminant(&failure);
1958                 if variants_seen.contains(&variant) {
1959                     continue;
1960                 }
1961                 variants_seen.push(variant);
1962
1963                 if let ResolutionFailure::NotResolved { module_id, partial_res, unresolved } =
1964                     &mut failure
1965                 {
1966                     use DefKind::*;
1967
1968                     let module_id = *module_id;
1969                     // FIXME(jynelson): this might conflict with my `Self` fix in #76467
1970                     // FIXME: maybe use itertools `collect_tuple` instead?
1971                     fn split(path: &str) -> Option<(&str, &str)> {
1972                         let mut splitter = path.rsplitn(2, "::");
1973                         splitter.next().and_then(|right| splitter.next().map(|left| (left, right)))
1974                     }
1975
1976                     // Check if _any_ parent of the path gets resolved.
1977                     // If so, report it and say the first which failed; if not, say the first path segment didn't resolve.
1978                     let mut name = path_str;
1979                     'outer: loop {
1980                         let (start, end) = if let Some(x) = split(name) {
1981                             x
1982                         } else {
1983                             // avoid bug that marked [Quux::Z] as missing Z, not Quux
1984                             if partial_res.is_none() {
1985                                 *unresolved = name.into();
1986                             }
1987                             break;
1988                         };
1989                         name = start;
1990                         for ns in [TypeNS, ValueNS, MacroNS] {
1991                             if let Some(res) = collector.check_full_res(ns, start, module_id, &None)
1992                             {
1993                                 debug!("found partial_res={:?}", res);
1994                                 *partial_res = Some(res);
1995                                 *unresolved = end.into();
1996                                 break 'outer;
1997                             }
1998                         }
1999                         *unresolved = end.into();
2000                     }
2001
2002                     let last_found_module = match *partial_res {
2003                         Some(Res::Def(DefKind::Mod, id)) => Some(id),
2004                         None => Some(module_id),
2005                         _ => None,
2006                     };
2007                     // See if this was a module: `[path]` or `[std::io::nope]`
2008                     if let Some(module) = last_found_module {
2009                         let note = if partial_res.is_some() {
2010                             // Part of the link resolved; e.g. `std::io::nonexistent`
2011                             let module_name = tcx.item_name(module);
2012                             format!("no item named `{}` in module `{}`", unresolved, module_name)
2013                         } else {
2014                             // None of the link resolved; e.g. `Notimported`
2015                             format!("no item named `{}` in scope", unresolved)
2016                         };
2017                         if let Some(span) = sp {
2018                             diag.span_label(span, &note);
2019                         } else {
2020                             diag.note(&note);
2021                         }
2022
2023                         // If the link has `::` in it, assume it was meant to be an intra-doc link.
2024                         // Otherwise, the `[]` might be unrelated.
2025                         // FIXME: don't show this for autolinks (`<>`), `()` style links, or reference links
2026                         if !path_str.contains("::") {
2027                             diag.help(r#"to escape `[` and `]` characters, add '\' before them like `\[` or `\]`"#);
2028                         }
2029
2030                         continue;
2031                     }
2032
2033                     // Otherwise, it must be an associated item or variant
2034                     let res = partial_res.expect("None case was handled by `last_found_module`");
2035                     let name = res.name(tcx);
2036                     let kind = match res {
2037                         Res::Def(kind, _) => Some(kind),
2038                         Res::Primitive(_) => None,
2039                     };
2040                     let path_description = if let Some(kind) = kind {
2041                         match kind {
2042                             Mod | ForeignMod => "inner item",
2043                             Struct => "field or associated item",
2044                             Enum | Union => "variant or associated item",
2045                             Variant
2046                             | Field
2047                             | Closure
2048                             | Generator
2049                             | AssocTy
2050                             | AssocConst
2051                             | AssocFn
2052                             | Fn
2053                             | Macro(_)
2054                             | Const
2055                             | ConstParam
2056                             | ExternCrate
2057                             | Use
2058                             | LifetimeParam
2059                             | Ctor(_, _)
2060                             | AnonConst
2061                             | InlineConst => {
2062                                 let note = assoc_item_not_allowed(res);
2063                                 if let Some(span) = sp {
2064                                     diag.span_label(span, &note);
2065                                 } else {
2066                                     diag.note(&note);
2067                                 }
2068                                 return;
2069                             }
2070                             Trait | TyAlias | ForeignTy | OpaqueTy | TraitAlias | TyParam
2071                             | Static => "associated item",
2072                             Impl | GlobalAsm => unreachable!("not a path"),
2073                         }
2074                     } else {
2075                         "associated item"
2076                     };
2077                     let note = format!(
2078                         "the {} `{}` has no {} named `{}`",
2079                         res.descr(),
2080                         name,
2081                         disambiguator.map_or(path_description, |d| d.descr()),
2082                         unresolved,
2083                     );
2084                     if let Some(span) = sp {
2085                         diag.span_label(span, &note);
2086                     } else {
2087                         diag.note(&note);
2088                     }
2089
2090                     continue;
2091                 }
2092                 let note = match failure {
2093                     ResolutionFailure::NotResolved { .. } => unreachable!("handled above"),
2094                     ResolutionFailure::Dummy => continue,
2095                     ResolutionFailure::WrongNamespace { res, expected_ns } => {
2096                         suggest_disambiguator(res, diag, path_str, diag_info.ori_link, sp);
2097
2098                         format!(
2099                             "this link resolves to {}, which is not in the {} namespace",
2100                             item(res),
2101                             expected_ns.descr()
2102                         )
2103                     }
2104                     ResolutionFailure::NoParentItem => {
2105                         diag.level = rustc_errors::Level::Bug;
2106                         "all intra-doc links should have a parent item".to_owned()
2107                     }
2108                     ResolutionFailure::MalformedGenerics(variant) => match variant {
2109                         MalformedGenerics::UnbalancedAngleBrackets => {
2110                             String::from("unbalanced angle brackets")
2111                         }
2112                         MalformedGenerics::MissingType => {
2113                             String::from("missing type for generic parameters")
2114                         }
2115                         MalformedGenerics::HasFullyQualifiedSyntax => {
2116                             diag.note("see https://github.com/rust-lang/rust/issues/74563 for more information");
2117                             String::from("fully-qualified syntax is unsupported")
2118                         }
2119                         MalformedGenerics::InvalidPathSeparator => {
2120                             String::from("has invalid path separator")
2121                         }
2122                         MalformedGenerics::TooManyAngleBrackets => {
2123                             String::from("too many angle brackets")
2124                         }
2125                         MalformedGenerics::EmptyAngleBrackets => {
2126                             String::from("empty angle brackets")
2127                         }
2128                     },
2129                 };
2130                 if let Some(span) = sp {
2131                     diag.span_label(span, &note);
2132                 } else {
2133                     diag.note(&note);
2134                 }
2135             }
2136         },
2137     );
2138 }
2139
2140 /// Report an anchor failure.
2141 fn anchor_failure(cx: &DocContext<'_>, diag_info: DiagnosticInfo<'_>, failure: AnchorFailure) {
2142     let (msg, anchor_idx) = match failure {
2143         AnchorFailure::MultipleAnchors => {
2144             (format!("`{}` contains multiple anchors", diag_info.ori_link), 1)
2145         }
2146         AnchorFailure::RustdocAnchorConflict(res) => (
2147             format!(
2148                 "`{}` contains an anchor, but links to {kind}s are already anchored",
2149                 diag_info.ori_link,
2150                 kind = res.descr(),
2151             ),
2152             0,
2153         ),
2154     };
2155
2156     report_diagnostic(cx.tcx, BROKEN_INTRA_DOC_LINKS, &msg, &diag_info, |diag, sp| {
2157         if let Some(mut sp) = sp {
2158             if let Some((fragment_offset, _)) =
2159                 diag_info.ori_link.char_indices().filter(|(_, x)| *x == '#').nth(anchor_idx)
2160             {
2161                 sp = sp.with_lo(sp.lo() + BytePos(fragment_offset as _));
2162             }
2163             diag.span_label(sp, "invalid anchor");
2164         }
2165         if let AnchorFailure::RustdocAnchorConflict(Res::Primitive(_)) = failure {
2166             if let Some(sp) = sp {
2167                 span_bug!(sp, "anchors should be allowed now");
2168             } else {
2169                 bug!("anchors should be allowed now");
2170             }
2171         }
2172     });
2173 }
2174
2175 /// Report an error in the link disambiguator.
2176 fn disambiguator_error(
2177     cx: &DocContext<'_>,
2178     mut diag_info: DiagnosticInfo<'_>,
2179     disambiguator_range: Range<usize>,
2180     msg: &str,
2181 ) {
2182     diag_info.link_range = disambiguator_range;
2183     report_diagnostic(cx.tcx, BROKEN_INTRA_DOC_LINKS, msg, &diag_info, |diag, _sp| {
2184         let msg = format!(
2185             "see {}/rustdoc/linking-to-items-by-name.html#namespaces-and-disambiguators for more info about disambiguators",
2186             crate::DOC_RUST_LANG_ORG_CHANNEL
2187         );
2188         diag.note(&msg);
2189     });
2190 }
2191
2192 /// Report an ambiguity error, where there were multiple possible resolutions.
2193 fn ambiguity_error(
2194     cx: &DocContext<'_>,
2195     diag_info: DiagnosticInfo<'_>,
2196     path_str: &str,
2197     candidates: Vec<Res>,
2198 ) {
2199     let mut msg = format!("`{}` is ", path_str);
2200
2201     match candidates.as_slice() {
2202         [first_def, second_def] => {
2203             msg += &format!(
2204                 "both {} {} and {} {}",
2205                 first_def.article(),
2206                 first_def.descr(),
2207                 second_def.article(),
2208                 second_def.descr(),
2209             );
2210         }
2211         _ => {
2212             let mut candidates = candidates.iter().peekable();
2213             while let Some(res) = candidates.next() {
2214                 if candidates.peek().is_some() {
2215                     msg += &format!("{} {}, ", res.article(), res.descr());
2216                 } else {
2217                     msg += &format!("and {} {}", res.article(), res.descr());
2218                 }
2219             }
2220         }
2221     }
2222
2223     report_diagnostic(cx.tcx, BROKEN_INTRA_DOC_LINKS, &msg, &diag_info, |diag, sp| {
2224         if let Some(sp) = sp {
2225             diag.span_label(sp, "ambiguous link");
2226         } else {
2227             diag.note("ambiguous link");
2228         }
2229
2230         for res in candidates {
2231             suggest_disambiguator(res, diag, path_str, diag_info.ori_link, sp);
2232         }
2233     });
2234 }
2235
2236 /// In case of an ambiguity or mismatched disambiguator, suggest the correct
2237 /// disambiguator.
2238 fn suggest_disambiguator(
2239     res: Res,
2240     diag: &mut DiagnosticBuilder<'_>,
2241     path_str: &str,
2242     ori_link: &str,
2243     sp: Option<rustc_span::Span>,
2244 ) {
2245     let suggestion = res.disambiguator_suggestion();
2246     let help = format!("to link to the {}, {}", res.descr(), suggestion.descr());
2247
2248     if let Some(sp) = sp {
2249         let mut spans = suggestion.as_help_span(path_str, ori_link, sp);
2250         if spans.len() > 1 {
2251             diag.multipart_suggestion(&help, spans, Applicability::MaybeIncorrect);
2252         } else {
2253             let (sp, suggestion_text) = spans.pop().unwrap();
2254             diag.span_suggestion_verbose(sp, &help, suggestion_text, Applicability::MaybeIncorrect);
2255         }
2256     } else {
2257         diag.help(&format!("{}: {}", help, suggestion.as_help(path_str)));
2258     }
2259 }
2260
2261 /// Report a link from a public item to a private one.
2262 fn privacy_error(cx: &DocContext<'_>, diag_info: &DiagnosticInfo<'_>, path_str: &str) {
2263     let sym;
2264     let item_name = match diag_info.item.name {
2265         Some(name) => {
2266             sym = name;
2267             sym.as_str()
2268         }
2269         None => "<unknown>",
2270     };
2271     let msg =
2272         format!("public documentation for `{}` links to private item `{}`", item_name, path_str);
2273
2274     report_diagnostic(cx.tcx, PRIVATE_INTRA_DOC_LINKS, &msg, diag_info, |diag, sp| {
2275         if let Some(sp) = sp {
2276             diag.span_label(sp, "this item is private");
2277         }
2278
2279         let note_msg = if cx.render_options.document_private {
2280             "this link resolves only because you passed `--document-private-items`, but will break without"
2281         } else {
2282             "this link will resolve properly if you pass `--document-private-items`"
2283         };
2284         diag.note(note_msg);
2285     });
2286 }
2287
2288 /// Given an enum variant's res, return the res of its enum and the associated fragment.
2289 fn handle_variant(
2290     cx: &DocContext<'_>,
2291     res: Res,
2292 ) -> Result<(Res, Option<ItemFragment>), ErrorKind<'static>> {
2293     cx.tcx
2294         .parent(res.def_id(cx.tcx))
2295         .map(|parent| {
2296             let parent_def = Res::Def(DefKind::Enum, parent);
2297             let variant = cx.tcx.expect_variant_res(res.as_hir_res().unwrap());
2298             (parent_def, Some(ItemFragment(FragmentKind::Variant, variant.def_id)))
2299         })
2300         .ok_or_else(|| ResolutionFailure::NoParentItem.into())
2301 }
2302
2303 /// Resolve a primitive type or value.
2304 fn resolve_primitive(path_str: &str, ns: Namespace) -> Option<Res> {
2305     if ns != TypeNS {
2306         return None;
2307     }
2308     use PrimitiveType::*;
2309     let prim = match path_str {
2310         "isize" => Isize,
2311         "i8" => I8,
2312         "i16" => I16,
2313         "i32" => I32,
2314         "i64" => I64,
2315         "i128" => I128,
2316         "usize" => Usize,
2317         "u8" => U8,
2318         "u16" => U16,
2319         "u32" => U32,
2320         "u64" => U64,
2321         "u128" => U128,
2322         "f32" => F32,
2323         "f64" => F64,
2324         "char" => Char,
2325         "bool" | "true" | "false" => Bool,
2326         "str" | "&str" => Str,
2327         // See #80181 for why these don't have symbols associated.
2328         "slice" => Slice,
2329         "array" => Array,
2330         "tuple" => Tuple,
2331         "unit" => Unit,
2332         "pointer" | "*const" | "*mut" => RawPointer,
2333         "reference" | "&" | "&mut" => Reference,
2334         "fn" => Fn,
2335         "never" | "!" => Never,
2336         _ => return None,
2337     };
2338     debug!("resolved primitives {:?}", prim);
2339     Some(Res::Primitive(prim))
2340 }
2341
2342 fn strip_generics_from_path(path_str: &str) -> Result<String, ResolutionFailure<'static>> {
2343     let mut stripped_segments = vec![];
2344     let mut path = path_str.chars().peekable();
2345     let mut segment = Vec::new();
2346
2347     while let Some(chr) = path.next() {
2348         match chr {
2349             ':' => {
2350                 if path.next_if_eq(&':').is_some() {
2351                     let stripped_segment =
2352                         strip_generics_from_path_segment(mem::take(&mut segment))?;
2353                     if !stripped_segment.is_empty() {
2354                         stripped_segments.push(stripped_segment);
2355                     }
2356                 } else {
2357                     return Err(ResolutionFailure::MalformedGenerics(
2358                         MalformedGenerics::InvalidPathSeparator,
2359                     ));
2360                 }
2361             }
2362             '<' => {
2363                 segment.push(chr);
2364
2365                 match path.next() {
2366                     Some('<') => {
2367                         return Err(ResolutionFailure::MalformedGenerics(
2368                             MalformedGenerics::TooManyAngleBrackets,
2369                         ));
2370                     }
2371                     Some('>') => {
2372                         return Err(ResolutionFailure::MalformedGenerics(
2373                             MalformedGenerics::EmptyAngleBrackets,
2374                         ));
2375                     }
2376                     Some(chr) => {
2377                         segment.push(chr);
2378
2379                         while let Some(chr) = path.next_if(|c| *c != '>') {
2380                             segment.push(chr);
2381                         }
2382                     }
2383                     None => break,
2384                 }
2385             }
2386             _ => segment.push(chr),
2387         }
2388         trace!("raw segment: {:?}", segment);
2389     }
2390
2391     if !segment.is_empty() {
2392         let stripped_segment = strip_generics_from_path_segment(segment)?;
2393         if !stripped_segment.is_empty() {
2394             stripped_segments.push(stripped_segment);
2395         }
2396     }
2397
2398     debug!("path_str: {:?}\nstripped segments: {:?}", path_str, &stripped_segments);
2399
2400     let stripped_path = stripped_segments.join("::");
2401
2402     if !stripped_path.is_empty() {
2403         Ok(stripped_path)
2404     } else {
2405         Err(ResolutionFailure::MalformedGenerics(MalformedGenerics::MissingType))
2406     }
2407 }
2408
2409 fn strip_generics_from_path_segment(
2410     segment: Vec<char>,
2411 ) -> Result<String, ResolutionFailure<'static>> {
2412     let mut stripped_segment = String::new();
2413     let mut param_depth = 0;
2414
2415     let mut latest_generics_chunk = String::new();
2416
2417     for c in segment {
2418         if c == '<' {
2419             param_depth += 1;
2420             latest_generics_chunk.clear();
2421         } else if c == '>' {
2422             param_depth -= 1;
2423             if latest_generics_chunk.contains(" as ") {
2424                 // The segment tries to use fully-qualified syntax, which is currently unsupported.
2425                 // Give a helpful error message instead of completely ignoring the angle brackets.
2426                 return Err(ResolutionFailure::MalformedGenerics(
2427                     MalformedGenerics::HasFullyQualifiedSyntax,
2428                 ));
2429             }
2430         } else {
2431             if param_depth == 0 {
2432                 stripped_segment.push(c);
2433             } else {
2434                 latest_generics_chunk.push(c);
2435             }
2436         }
2437     }
2438
2439     if param_depth == 0 {
2440         Ok(stripped_segment)
2441     } else {
2442         // The segment has unbalanced angle brackets, e.g. `Vec<T` or `Vec<T>>`
2443         Err(ResolutionFailure::MalformedGenerics(MalformedGenerics::UnbalancedAngleBrackets))
2444     }
2445 }