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