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