Skip to content

Commit e382c88

Browse files
authored
Unrolled build for rust-lang#112463
Rollup merge of rust-lang#112463 - fmease:rustdoc-elide-x-crate-def-gen-args, r=GuillaumeGomez rustdoc: elide cross-crate default generic arguments Elide cross-crate generic arguments if they coincide with their default. TL;DR: Most notably, no more `Box<…, Global>` in `std`'s docs, just `Box<…>` from now on. Fixes rust-lang#80379. Also helps with rust-lang#44306. Follow-up to rust-lang#103885, rust-lang#107637. r? ``@ghost``
2 parents e6e931d + 58a80c8 commit e382c88

File tree

9 files changed

+272
-41
lines changed

9 files changed

+272
-41
lines changed

src/librustdoc/clean/mod.rs

+7-5
Original file line numberDiff line numberDiff line change
@@ -475,16 +475,17 @@ fn projection_to_path_segment<'tcx>(
475475
ty: ty::Binder<'tcx, ty::AliasTy<'tcx>>,
476476
cx: &mut DocContext<'tcx>,
477477
) -> PathSegment {
478-
let item = cx.tcx.associated_item(ty.skip_binder().def_id);
479-
let generics = cx.tcx.generics_of(ty.skip_binder().def_id);
478+
let def_id = ty.skip_binder().def_id;
479+
let item = cx.tcx.associated_item(def_id);
480+
let generics = cx.tcx.generics_of(def_id);
480481
PathSegment {
481482
name: item.name,
482483
args: GenericArgs::AngleBracketed {
483484
args: ty_args_to_args(
484485
cx,
485486
ty.map_bound(|ty| &ty.args[generics.parent_count..]),
486487
false,
487-
None,
488+
def_id,
488489
)
489490
.into(),
490491
bindings: Default::default(),
@@ -2200,18 +2201,19 @@ pub(crate) fn clean_middle_ty<'tcx>(
22002201
}
22012202

22022203
ty::Alias(ty::Inherent, alias_ty) => {
2204+
let def_id = alias_ty.def_id;
22032205
let alias_ty = bound_ty.rebind(alias_ty);
22042206
let self_type = clean_middle_ty(alias_ty.map_bound(|ty| ty.self_ty()), cx, None, None);
22052207

22062208
Type::QPath(Box::new(QPathData {
22072209
assoc: PathSegment {
2208-
name: cx.tcx.associated_item(alias_ty.skip_binder().def_id).name,
2210+
name: cx.tcx.associated_item(def_id).name,
22092211
args: GenericArgs::AngleBracketed {
22102212
args: ty_args_to_args(
22112213
cx,
22122214
alias_ty.map_bound(|ty| ty.args.as_slice()),
22132215
true,
2214-
None,
2216+
def_id,
22152217
)
22162218
.into(),
22172219
bindings: Default::default(),

src/librustdoc/clean/utils.rs

+106-26
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,7 @@ use rustc_hir::def_id::{DefId, LocalDefId, LOCAL_CRATE};
1717
use rustc_metadata::rendered_const;
1818
use rustc_middle::mir;
1919
use rustc_middle::ty::{self, GenericArgKind, GenericArgsRef, TyCtxt};
20+
use rustc_middle::ty::{TypeVisitable, TypeVisitableExt};
2021
use rustc_span::symbol::{kw, sym, Symbol};
2122
use std::fmt::Write as _;
2223
use std::mem;
@@ -76,44 +77,123 @@ pub(crate) fn krate(cx: &mut DocContext<'_>) -> Crate {
7677

7778
pub(crate) fn ty_args_to_args<'tcx>(
7879
cx: &mut DocContext<'tcx>,
79-
args: ty::Binder<'tcx, &'tcx [ty::GenericArg<'tcx>]>,
80+
ty_args: ty::Binder<'tcx, &'tcx [ty::GenericArg<'tcx>]>,
8081
has_self: bool,
81-
container: Option<DefId>,
82+
owner: DefId,
8283
) -> Vec<GenericArg> {
83-
let mut skip_first = has_self;
84-
let mut ret_val =
85-
Vec::with_capacity(args.skip_binder().len().saturating_sub(if skip_first { 1 } else { 0 }));
86-
87-
ret_val.extend(args.iter().enumerate().filter_map(|(index, kind)| {
88-
match kind.skip_binder().unpack() {
89-
GenericArgKind::Lifetime(lt) => {
90-
Some(GenericArg::Lifetime(clean_middle_region(lt).unwrap_or(Lifetime::elided())))
91-
}
92-
GenericArgKind::Type(_) if skip_first => {
93-
skip_first = false;
94-
None
84+
if ty_args.skip_binder().is_empty() {
85+
// Fast path which avoids executing the query `generics_of`.
86+
return Vec::new();
87+
}
88+
89+
let params = &cx.tcx.generics_of(owner).params;
90+
let mut elision_has_failed_once_before = false;
91+
92+
let offset = if has_self { 1 } else { 0 };
93+
let mut args = Vec::with_capacity(ty_args.skip_binder().len().saturating_sub(offset));
94+
95+
let ty_arg_to_arg = |(index, arg): (usize, &ty::GenericArg<'tcx>)| match arg.unpack() {
96+
GenericArgKind::Lifetime(lt) => {
97+
Some(GenericArg::Lifetime(clean_middle_region(lt).unwrap_or(Lifetime::elided())))
98+
}
99+
GenericArgKind::Type(_) if has_self && index == 0 => None,
100+
GenericArgKind::Type(ty) => {
101+
if !elision_has_failed_once_before
102+
&& let Some(default) = params[index].default_value(cx.tcx)
103+
{
104+
let default =
105+
ty_args.map_bound(|args| default.instantiate(cx.tcx, args).expect_ty());
106+
107+
if can_elide_generic_arg(ty_args.rebind(ty), default) {
108+
return None;
109+
}
110+
111+
elision_has_failed_once_before = true;
95112
}
96-
GenericArgKind::Type(ty) => Some(GenericArg::Type(clean_middle_ty(
97-
kind.rebind(ty),
113+
114+
Some(GenericArg::Type(clean_middle_ty(
115+
ty_args.rebind(ty),
98116
cx,
99117
None,
100-
container.map(|container| crate::clean::ContainerTy::Regular {
101-
ty: container,
102-
args,
118+
Some(crate::clean::ContainerTy::Regular {
119+
ty: owner,
120+
args: ty_args,
103121
has_self,
104122
arg: index,
105123
}),
106-
))),
124+
)))
125+
}
126+
GenericArgKind::Const(ct) => {
107127
// FIXME(effects): this relies on the host effect being called `host`, which users could also name
108128
// their const generics.
109129
// FIXME(effects): this causes `host = true` and `host = false` generics to also be emitted.
110-
GenericArgKind::Const(ct) if let ty::ConstKind::Param(p) = ct.kind() && p.name == sym::host => None,
111-
GenericArgKind::Const(ct) => {
112-
Some(GenericArg::Const(Box::new(clean_middle_const(kind.rebind(ct), cx))))
130+
if let ty::ConstKind::Param(p) = ct.kind()
131+
&& p.name == sym::host
132+
{
133+
return None;
113134
}
135+
136+
if !elision_has_failed_once_before
137+
&& let Some(default) = params[index].default_value(cx.tcx)
138+
{
139+
let default =
140+
ty_args.map_bound(|args| default.instantiate(cx.tcx, args).expect_const());
141+
142+
if can_elide_generic_arg(ty_args.rebind(ct), default) {
143+
return None;
144+
}
145+
146+
elision_has_failed_once_before = true;
147+
}
148+
149+
Some(GenericArg::Const(Box::new(clean_middle_const(ty_args.rebind(ct), cx))))
114150
}
115-
}));
116-
ret_val
151+
};
152+
153+
args.extend(ty_args.skip_binder().iter().enumerate().rev().filter_map(ty_arg_to_arg));
154+
args.reverse();
155+
args
156+
}
157+
158+
/// Check if the generic argument `actual` coincides with the `default` and can therefore be elided.
159+
///
160+
/// This uses a very conservative approach for performance and correctness reasons, meaning for
161+
/// several classes of terms it claims that they cannot be elided even if they theoretically could.
162+
/// This is absolutely fine since it mostly concerns edge cases.
163+
fn can_elide_generic_arg<'tcx, Term>(
164+
actual: ty::Binder<'tcx, Term>,
165+
default: ty::Binder<'tcx, Term>,
166+
) -> bool
167+
where
168+
Term: Eq + TypeVisitable<TyCtxt<'tcx>>,
169+
{
170+
// In practice, we shouldn't have any inference variables at this point.
171+
// However to be safe, we bail out if we do happen to stumble upon them.
172+
if actual.has_infer() || default.has_infer() {
173+
return false;
174+
}
175+
176+
// Since we don't properly keep track of bound variables in rustdoc (yet), we don't attempt to
177+
// make any sense out of escaping bound variables. We simply don't have enough context and it
178+
// would be incorrect to try to do so anyway.
179+
if actual.has_escaping_bound_vars() || default.has_escaping_bound_vars() {
180+
return false;
181+
}
182+
183+
// Theoretically we could now check if either term contains (non-escaping) late-bound regions or
184+
// projections, relate the two using an `InferCtxt` and check if the resulting obligations hold.
185+
// Having projections means that the terms can potentially be further normalized thereby possibly
186+
// revealing that they are equal after all. Regarding late-bound regions, they could to be
187+
// liberated allowing us to consider more types to be equal by ignoring the names of binders
188+
// (e.g., `for<'a> TYPE<'a>` and `for<'b> TYPE<'b>`).
189+
//
190+
// However, we are mostly interested in “reeliding” generic args, i.e., eliding generic args that
191+
// were originally elided by the user and later filled in by the compiler contrary to eliding
192+
// arbitrary generic arguments if they happen to semantically coincide with the default (of course,
193+
// we cannot possibly distinguish these two cases). Therefore and for performance reasons, it
194+
// suffices to only perform a syntactic / structural check by comparing the memory addresses of
195+
// the interned arguments.
196+
actual.skip_binder() == default.skip_binder()
117197
}
118198

119199
fn external_generic_args<'tcx>(
@@ -123,7 +203,7 @@ fn external_generic_args<'tcx>(
123203
bindings: ThinVec<TypeBinding>,
124204
ty_args: ty::Binder<'tcx, GenericArgsRef<'tcx>>,
125205
) -> GenericArgs {
126-
let args = ty_args_to_args(cx, ty_args.map_bound(|args| &args[..]), has_self, Some(did));
206+
let args = ty_args_to_args(cx, ty_args.map_bound(|args| &args[..]), has_self, did);
127207

128208
if cx.tcx.fn_trait_kind_from_def_id(did).is_some() {
129209
let ty = ty_args

tests/rustdoc/const-generics/add-impl.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,7 +7,7 @@ pub struct Simd<T, const WIDTH: usize> {
77
inner: T,
88
}
99

10-
// @has foo/struct.Simd.html '//div[@id="trait-implementations-list"]//h3[@class="code-header"]' 'impl Add<Simd<u8, 16>> for Simd<u8, 16>'
10+
// @has foo/struct.Simd.html '//div[@id="trait-implementations-list"]//h3[@class="code-header"]' 'impl Add for Simd<u8, 16>'
1111
impl Add for Simd<u8, 16> {
1212
type Output = Self;
1313

Original file line numberDiff line numberDiff line change
@@ -0,0 +1,45 @@
1+
pub type BoxedStr = Box<str>;
2+
pub type IntMap = std::collections::HashMap<i64, u64>;
3+
4+
pub struct TyPair<T, U = T>(T, U);
5+
6+
pub type T0 = TyPair<i32>;
7+
pub type T1 = TyPair<i32, u32>;
8+
pub type T2<K> = TyPair<i32, K>;
9+
pub type T3<Q> = TyPair<Q, Q>;
10+
11+
pub struct CtPair<const C: u32, const D: u32 = C>;
12+
13+
pub type C0 = CtPair<43, 43>;
14+
pub type C1 = CtPair<0, 1>;
15+
pub type C2 = CtPair<{1 + 2}, 3>;
16+
17+
pub struct Re<'a, U = &'a ()>(&'a (), U);
18+
19+
pub type R0<'q> = Re<'q>;
20+
pub type R1<'q> = Re<'q, &'q ()>;
21+
pub type R2<'q> = Re<'q, &'static ()>;
22+
pub type H0 = fn(for<'a> fn(Re<'a>));
23+
pub type H1 = for<'b> fn(for<'a> fn(Re<'a, &'b ()>));
24+
pub type H2 = for<'a> fn(for<'b> fn(Re<'a, &'b ()>));
25+
26+
pub struct Proj<T: Basis, U = <T as Basis>::Assoc>(T, U);
27+
pub trait Basis { type Assoc; }
28+
impl Basis for () { type Assoc = bool; }
29+
30+
pub type P0 = Proj<()>;
31+
pub type P1 = Proj<(), bool>;
32+
pub type P2 = Proj<(), ()>;
33+
34+
pub struct Alpha<T = for<'any> fn(&'any ())>(T);
35+
36+
pub type A0 = Alpha;
37+
pub type A1 = Alpha<for<'arbitrary> fn(&'arbitrary ())>;
38+
39+
pub struct Multi<A = u64, B = u64>(A, B);
40+
41+
pub type M0 = Multi<u64, ()>;
42+
43+
pub trait Trait<'a, T = &'a ()> {}
44+
45+
pub type F = dyn for<'a> Trait<'a>;
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,104 @@
1+
#![crate_name = "user"]
2+
// aux-crate:default_generic_args=default-generic-args.rs
3+
// edition:2021
4+
5+
// @has user/type.BoxedStr.html
6+
// @has - '//*[@class="rust item-decl"]//code' "Box<str>"
7+
pub use default_generic_args::BoxedStr;
8+
9+
// @has user/type.IntMap.html
10+
// @has - '//*[@class="rust item-decl"]//code' "HashMap<i64, u64>"
11+
pub use default_generic_args::IntMap;
12+
13+
// @has user/type.T0.html
14+
// @has - '//*[@class="rust item-decl"]//code' "TyPair<i32>"
15+
pub use default_generic_args::T0;
16+
17+
// @has user/type.T1.html
18+
// @has - '//*[@class="rust item-decl"]//code' "TyPair<i32, u32>"
19+
pub use default_generic_args::T1;
20+
21+
// @has user/type.T2.html
22+
// @has - '//*[@class="rust item-decl"]//code' "TyPair<i32, K>"
23+
pub use default_generic_args::T2;
24+
25+
// @has user/type.T3.html
26+
// @has - '//*[@class="rust item-decl"]//code' "TyPair<Q>"
27+
pub use default_generic_args::T3;
28+
29+
// @has user/type.C0.html
30+
// @has - '//*[@class="rust item-decl"]//code' "CtPair<43>"
31+
pub use default_generic_args::C0;
32+
33+
// @has user/type.C1.html
34+
// @has - '//*[@class="rust item-decl"]//code' "CtPair<0, 1>"
35+
pub use default_generic_args::C1;
36+
37+
// @has user/type.C2.html
38+
// @has - '//*[@class="rust item-decl"]//code' "CtPair<default_generic_args::::C2::{constant#0}, 3>"
39+
pub use default_generic_args::C2;
40+
41+
// @has user/type.R0.html
42+
// @has - '//*[@class="rust item-decl"]//code' "Re<'q>"
43+
pub use default_generic_args::R0;
44+
45+
// @has user/type.R1.html
46+
// @has - '//*[@class="rust item-decl"]//code' "Re<'q>"
47+
pub use default_generic_args::R1;
48+
49+
// @has user/type.R2.html
50+
// Check that we consider regions:
51+
// @has - '//*[@class="rust item-decl"]//code' "Re<'q, &'static ()>"
52+
pub use default_generic_args::R2;
53+
54+
// @has user/type.H0.html
55+
// Check that we handle higher-ranked regions correctly:
56+
// @has - '//*[@class="rust item-decl"]//code' "fn(_: for<'a> fn(_: Re<'a>))"
57+
pub use default_generic_args::H0;
58+
59+
// @has user/type.H1.html
60+
// Check that we don't conflate distinct universially quantified regions (#1):
61+
// @has - '//*[@class="rust item-decl"]//code' "for<'b> fn(_: for<'a> fn(_: Re<'a, &'b ()>))"
62+
pub use default_generic_args::H1;
63+
64+
// @has user/type.H2.html
65+
// Check that we don't conflate distinct universially quantified regions (#2):
66+
// @has - '//*[@class="rust item-decl"]//code' "for<'a> fn(_: for<'b> fn(_: Re<'a, &'b ()>))"
67+
pub use default_generic_args::H2;
68+
69+
// @has user/type.P0.html
70+
// @has - '//*[@class="rust item-decl"]//code' "Proj<()>"
71+
pub use default_generic_args::P0;
72+
73+
// @has user/type.P1.html
74+
// @has - '//*[@class="rust item-decl"]//code' "Proj<(), bool>"
75+
pub use default_generic_args::P1;
76+
77+
// @has user/type.P2.html
78+
// @has - '//*[@class="rust item-decl"]//code' "Proj<(), ()>"
79+
pub use default_generic_args::P2;
80+
81+
// @has user/type.A0.html
82+
// Ensure that we elide generic arguments that are alpha-equivalent to their respective
83+
// generic parameter (modulo substs) (#1):
84+
// @has - '//*[@class="rust item-decl"]//code' "Alpha"
85+
pub use default_generic_args::A0;
86+
87+
// @has user/type.A1.html
88+
// Ensure that we elide generic arguments that are alpha-equivalent to their respective
89+
// generic parameter (modulo substs) (#1):
90+
// @has - '//*[@class="rust item-decl"]//code' "Alpha"
91+
pub use default_generic_args::A1;
92+
93+
// @has user/type.M0.html
94+
// Test that we don't elide `u64` even if it coincides with `A`'s default precisely because
95+
// `()` is not the default of `B`. Mindlessly eliding `u64` would lead to `M<()>` which is a
96+
// different type (`M<(), u64>` versus `M<u64, ()>`).
97+
// @has - '//*[@class="rust item-decl"]//code' "Multi<u64, ()>"
98+
pub use default_generic_args::M0;
99+
100+
// @has user/type.F.html
101+
// FIXME: Ideally, we would elide `&'a ()` but `'a` is an escaping bound var which we can't reason
102+
// about at the moment since we don't keep track of bound vars.
103+
// @has - '//*[@class="rust item-decl"]//code' "dyn for<'a> Trait<'a, &'a ()>"
104+
pub use default_generic_args::F;

tests/rustdoc/inline_cross/dyn_trait.rs

+4-4
Original file line numberDiff line numberDiff line change
@@ -75,16 +75,16 @@ pub use dyn_trait::AmbiguousBoundWrappedEarly1;
7575
pub use dyn_trait::AmbiguousBoundWrappedStatic;
7676

7777
// @has user/type.NoBoundsWrappedDefaulted.html
78-
// @has - '//*[@class="rust item-decl"]//code' "Box<dyn Trait, Global>;"
78+
// @has - '//*[@class="rust item-decl"]//code' "Box<dyn Trait>;"
7979
pub use dyn_trait::NoBoundsWrappedDefaulted;
8080
// @has user/type.NoBoundsWrappedEarly.html
81-
// @has - '//*[@class="rust item-decl"]//code' "Box<dyn Trait + 'e, Global>;"
81+
// @has - '//*[@class="rust item-decl"]//code' "Box<dyn Trait + 'e>;"
8282
pub use dyn_trait::NoBoundsWrappedEarly;
8383
// @has user/fn.nbwl.html
84-
// @has - '//pre[@class="rust item-decl"]' "nbwl<'l>(_: Box<dyn Trait + 'l, Global>)"
84+
// @has - '//pre[@class="rust item-decl"]' "nbwl<'l>(_: Box<dyn Trait + 'l>)"
8585
pub use dyn_trait::no_bounds_wrapped_late as nbwl;
8686
// @has user/fn.nbwel.html
87-
// @has - '//pre[@class="rust item-decl"]' "nbwel(_: Box<dyn Trait + '_, Global>)"
87+
// @has - '//pre[@class="rust item-decl"]' "nbwel(_: Box<dyn Trait + '_>)"
8888
// NB: It might seem counterintuitive to display the explicitly elided lifetime `'_` here instead of
8989
// eliding it but this behavior is correct: The default is `'static` here which != `'_`.
9090
pub use dyn_trait::no_bounds_wrapped_elided as nbwel;

0 commit comments

Comments
 (0)