Skip to content

Commit 63f78d1

Browse files
author
Yuki Okushi
authored
Rollup merge of rust-lang#103885 - fmease:rustdoc-various-cross-crate-reexport-fixes, r=cjgillot,GuillaumeGomez
rustdoc: various cross-crate reexport fixes Fixes for various smaller cross-crate reexport issues. The PR is split into several commits for easier review. Will be squashed after approval. Most notable changes: * We finally render late-bound lifetimes in the generic parameter list of cross-crate functions & methods. Previously, we would display the re-export of `pub fn f<'s>(x: &'s str) {}` as `pub fn f(x: &'s str)` * We now render unnamed parameters of cross-crate functions and function pointers as underscores since that's exactly what we do for local definitions, too. Mentioned as a bug in rust-lang#44306. * From now on, the rendering of cross-crate trait-object types is more correct: * `for<>` parameter lists (for higher-ranked lifetimes) are now shown * the return type of `Fn{,Mut,Once}` trait bounds is now displayed Regarding the last list item, here is a diff for visualization (before vs. after): ```patch - dyn FnOnce(&'any str) + 'static + dyn for<'any> FnOnce(&'any str) -> bool + 'static ``` The redundant `+ 'static` will be removed in a follow-up PR that will hide trait-object lifetime-bounds if they coincide with [their default](https://doc.rust-lang.org/reference/lifetime-elision.html#default-trait-object-lifetimes) (see [Zulip discussion](https://rust-lang.zulipchat.com/#narrow/stream/266220-rustdoc/topic/clean_middle_ty.3A.20I.20need.20to.20add.20a.20parameter/near/307143097)). `FIXME(fmease)`s were added. ``@rustbot`` label A-cross-crate-reexports r? ``@GuillaumeGomez``
2 parents 7eef946 + 5ccaed2 commit 63f78d1

14 files changed

+148
-51
lines changed

src/librustdoc/clean/auto_trait.rs

+1-4
Original file line numberDiff line numberDiff line change
@@ -336,10 +336,7 @@ where
336336
match br {
337337
// We only care about named late bound regions, as we need to add them
338338
// to the 'for<>' section
339-
ty::BrNamed(_, name) => Some(GenericParamDef {
340-
name,
341-
kind: GenericParamDefKind::Lifetime { outlives: vec![] },
342-
}),
339+
ty::BrNamed(_, name) => Some(GenericParamDef::lifetime(name)),
343340
_ => None,
344341
}
345342
})

src/librustdoc/clean/inline.rs

+11-2
Original file line numberDiff line numberDiff line change
@@ -243,10 +243,19 @@ pub(crate) fn build_external_trait(cx: &mut DocContext<'_>, did: DefId) -> clean
243243
fn build_external_function<'tcx>(cx: &mut DocContext<'tcx>, did: DefId) -> Box<clean::Function> {
244244
let sig = cx.tcx.fn_sig(did);
245245

246-
let predicates = cx.tcx.predicates_of(did);
246+
let late_bound_regions = sig.bound_vars().into_iter().filter_map(|var| match var {
247+
ty::BoundVariableKind::Region(ty::BrNamed(_, name)) if name != kw::UnderscoreLifetime => {
248+
Some(clean::GenericParamDef::lifetime(name))
249+
}
250+
_ => None,
251+
});
252+
253+
let predicates = cx.tcx.explicit_predicates_of(did);
247254
let (generics, decl) = clean::enter_impl_trait(cx, |cx| {
248255
// NOTE: generics need to be cleaned before the decl!
249-
let generics = clean_ty_generics(cx, cx.tcx.generics_of(did), predicates);
256+
let mut generics = clean_ty_generics(cx, cx.tcx.generics_of(did), predicates);
257+
// FIXME: This does not place parameters in source order (late-bound ones come last)
258+
generics.params.extend(late_bound_regions);
250259
let decl = clean_fn_decl_from_did_and_sig(cx, Some(did), sig);
251260
(generics, decl)
252261
});

src/librustdoc/clean/mod.rs

+61-20
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ pub(crate) mod utils;
1212

1313
use rustc_ast as ast;
1414
use rustc_attr as attr;
15-
use rustc_data_structures::fx::{FxHashMap, FxHashSet};
15+
use rustc_data_structures::fx::{FxHashMap, FxHashSet, FxIndexSet};
1616
use rustc_hir as hir;
1717
use rustc_hir::def::{CtorKind, DefKind, Res};
1818
use rustc_hir::def_id::{DefId, LOCAL_CRATE};
@@ -182,10 +182,9 @@ fn clean_poly_trait_ref_with_bindings<'tcx>(
182182
.collect_referenced_late_bound_regions(&poly_trait_ref)
183183
.into_iter()
184184
.filter_map(|br| match br {
185-
ty::BrNamed(_, name) if name != kw::UnderscoreLifetime => Some(GenericParamDef {
186-
name,
187-
kind: GenericParamDefKind::Lifetime { outlives: vec![] },
188-
}),
185+
ty::BrNamed(_, name) if name != kw::UnderscoreLifetime => {
186+
Some(GenericParamDef::lifetime(name))
187+
}
189188
_ => None,
190189
})
191190
.collect();
@@ -741,10 +740,7 @@ fn clean_ty_generics<'tcx>(
741740
p.get_bound_params()
742741
.into_iter()
743742
.flatten()
744-
.map(|param| GenericParamDef {
745-
name: param.0,
746-
kind: GenericParamDefKind::Lifetime { outlives: Vec::new() },
747-
})
743+
.map(|param| GenericParamDef::lifetime(param.0))
748744
.collect(),
749745
));
750746
}
@@ -957,12 +953,14 @@ fn clean_args_from_types_and_names<'tcx>(
957953
values: types
958954
.iter()
959955
.enumerate()
960-
.map(|(i, ty)| {
961-
let mut name = names.get(i).map_or(kw::Empty, |ident| ident.name);
962-
if name.is_empty() {
963-
name = kw::Underscore;
964-
}
965-
Argument { name, type_: clean_ty(ty, cx), is_const: false }
956+
.map(|(i, ty)| Argument {
957+
type_: clean_ty(ty, cx),
958+
name: names
959+
.get(i)
960+
.map(|ident| ident.name)
961+
.filter(|ident| !ident.is_empty())
962+
.unwrap_or(kw::Underscore),
963+
is_const: false,
966964
})
967965
.collect(),
968966
}
@@ -1024,7 +1022,11 @@ fn clean_fn_decl_from_did_and_sig<'tcx>(
10241022
.iter()
10251023
.map(|t| Argument {
10261024
type_: clean_middle_ty(*t, cx, None),
1027-
name: names.next().map_or(kw::Empty, |i| i.name),
1025+
name: names
1026+
.next()
1027+
.map(|i| i.name)
1028+
.filter(|i| !i.is_empty())
1029+
.unwrap_or(kw::Underscore),
10281030
is_const: false,
10291031
})
10301032
.collect(),
@@ -1144,12 +1146,25 @@ pub(crate) fn clean_middle_assoc_item<'tcx>(
11441146
}
11451147
}
11461148
ty::AssocKind::Fn => {
1147-
let generics = clean_ty_generics(
1149+
let sig = tcx.fn_sig(assoc_item.def_id);
1150+
1151+
let late_bound_regions = sig.bound_vars().into_iter().filter_map(|var| match var {
1152+
ty::BoundVariableKind::Region(ty::BrNamed(_, name))
1153+
if name != kw::UnderscoreLifetime =>
1154+
{
1155+
Some(GenericParamDef::lifetime(name))
1156+
}
1157+
_ => None,
1158+
});
1159+
1160+
let mut generics = clean_ty_generics(
11481161
cx,
11491162
tcx.generics_of(assoc_item.def_id),
11501163
tcx.explicit_predicates_of(assoc_item.def_id),
11511164
);
1152-
let sig = tcx.fn_sig(assoc_item.def_id);
1165+
// FIXME: This does not place parameters in source order (late-bound ones come last)
1166+
generics.params.extend(late_bound_regions);
1167+
11531168
let mut decl = clean_fn_decl_from_did_and_sig(cx, Some(assoc_item.def_id), sig);
11541169

11551170
if assoc_item.fn_has_self_parameter {
@@ -1281,7 +1296,16 @@ pub(crate) fn clean_middle_assoc_item<'tcx>(
12811296
..
12821297
}) = generics.params.iter_mut().find(|param| &param.name == arg)
12831298
{
1284-
param_bounds.extend(mem::take(bounds));
1299+
param_bounds.append(bounds);
1300+
} else if let WherePredicate::RegionPredicate { lifetime: Lifetime(arg), bounds } = &mut pred
1301+
&& let Some(GenericParamDef {
1302+
kind: GenericParamDefKind::Lifetime { outlives: param_bounds },
1303+
..
1304+
}) = generics.params.iter_mut().find(|param| &param.name == arg) {
1305+
param_bounds.extend(bounds.drain(..).map(|bound| match bound {
1306+
GenericBound::Outlives(lifetime) => lifetime,
1307+
_ => unreachable!(),
1308+
}));
12851309
} else {
12861310
where_predicates.push(pred);
12871311
}
@@ -1653,6 +1677,9 @@ pub(crate) fn clean_middle_ty<'tcx>(
16531677

16541678
inline::record_extern_fqn(cx, did, ItemType::Trait);
16551679

1680+
// FIXME(fmease): Hide the trait-object lifetime bound if it coincides with its default
1681+
// to partially address #44306. Follow the rules outlined at
1682+
// https://doc.rust-lang.org/reference/lifetime-elision.html#default-trait-object-lifetimes
16561683
let lifetime = clean_middle_region(*reg);
16571684
let mut bounds = dids
16581685
.map(|did| {
@@ -1680,8 +1707,22 @@ pub(crate) fn clean_middle_ty<'tcx>(
16801707
})
16811708
.collect();
16821709

1710+
let late_bound_regions: FxIndexSet<_> = obj
1711+
.iter()
1712+
.flat_map(|pb| pb.bound_vars())
1713+
.filter_map(|br| match br {
1714+
ty::BoundVariableKind::Region(ty::BrNamed(_, name))
1715+
if name != kw::UnderscoreLifetime =>
1716+
{
1717+
Some(GenericParamDef::lifetime(name))
1718+
}
1719+
_ => None,
1720+
})
1721+
.collect();
1722+
let late_bound_regions = late_bound_regions.into_iter().collect();
1723+
16831724
let path = external_path(cx, did, false, bindings, substs);
1684-
bounds.insert(0, PolyTrait { trait_: path, generic_params: Vec::new() });
1725+
bounds.insert(0, PolyTrait { trait_: path, generic_params: late_bound_regions });
16851726

16861727
DynTrait(bounds, lifetime)
16871728
}

src/librustdoc/clean/simplify.rs

+3-7
Original file line numberDiff line numberDiff line change
@@ -51,10 +51,7 @@ pub(crate) fn where_clauses(cx: &DocContext<'_>, clauses: Vec<WP>) -> ThinVec<WP
5151
let Some((bounds, _)) = tybounds.get_mut(ty) else { return true };
5252
let bound_params = bound_params
5353
.into_iter()
54-
.map(|param| clean::GenericParamDef {
55-
name: param.0,
56-
kind: clean::GenericParamDefKind::Lifetime { outlives: Vec::new() },
57-
})
54+
.map(|param| clean::GenericParamDef::lifetime(param.0))
5855
.collect();
5956
merge_bounds(cx, bounds, bound_params, trait_did, name, rhs)
6057
});
@@ -99,9 +96,8 @@ pub(crate) fn merge_bounds(
9996
let last = trait_ref.trait_.segments.last_mut().expect("segments were empty");
10097

10198
trait_ref.generic_params.append(&mut bound_params);
102-
// Since the parameters (probably) originate from `tcx.collect_*_late_bound_regions` which
103-
// returns a hash set, sort them alphabetically to guarantee a stable and deterministic
104-
// output (and to fully deduplicate them).
99+
// Sort parameters (likely) originating from a hashset alphabetically to
100+
// produce predictable output (and to allow for full deduplication).
105101
trait_ref.generic_params.sort_unstable_by(|p, q| p.name.as_str().cmp(q.name.as_str()));
106102
trait_ref.generic_params.dedup_by_key(|p| p.name);
107103

src/librustdoc/clean/types.rs

+4
Original file line numberDiff line numberDiff line change
@@ -1437,6 +1437,10 @@ pub(crate) struct GenericParamDef {
14371437
}
14381438

14391439
impl GenericParamDef {
1440+
pub(crate) fn lifetime(name: Symbol) -> Self {
1441+
Self { name, kind: GenericParamDefKind::Lifetime { outlives: Vec::new() } }
1442+
}
1443+
14401444
pub(crate) fn is_synthetic_type_param(&self) -> bool {
14411445
match self.kind {
14421446
GenericParamDefKind::Lifetime { .. } | GenericParamDefKind::Const { .. } => false,

src/librustdoc/clean/utils.rs

+7-7
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,7 @@ use crate::clean::render_macro_matchers::render_macro_matcher;
44
use crate::clean::{
55
clean_doc_module, clean_middle_const, clean_middle_region, clean_middle_ty, inline, Crate,
66
ExternalCrate, Generic, GenericArg, GenericArgs, ImportSource, Item, ItemKind, Lifetime, Path,
7-
PathSegment, Primitive, PrimitiveType, Type, TypeBinding,
7+
PathSegment, Primitive, PrimitiveType, Term, Type, TypeBinding, TypeBindingKind,
88
};
99
use crate::core::DocContext;
1010
use crate::html::format::visibility_to_src_with_space;
@@ -113,12 +113,12 @@ fn external_generic_args<'tcx>(
113113
ty::Tuple(tys) => tys.iter().map(|t| clean_middle_ty(t, cx, None)).collect::<Vec<_>>().into(),
114114
_ => return GenericArgs::AngleBracketed { args: args.into(), bindings },
115115
};
116-
let output = None;
117-
// FIXME(#20299) return type comes from a projection now
118-
// match types[1].kind {
119-
// ty::Tuple(ref v) if v.is_empty() => None, // -> ()
120-
// _ => Some(types[1].clean(cx))
121-
// };
116+
let output = bindings.into_iter().next().and_then(|binding| match binding.kind {
117+
TypeBindingKind::Equality { term: Term::Type(ty) } if ty != Type::Tuple(Vec::new()) => {
118+
Some(Box::new(ty))
119+
}
120+
_ => None,
121+
});
122122
GenericArgs::Parenthesized { inputs, output }
123123
} else {
124124
GenericArgs::AngleBracketed { args: args.into(), bindings: bindings.into() }

src/librustdoc/html/format.rs

+4-7
Original file line numberDiff line numberDiff line change
@@ -1232,9 +1232,8 @@ impl clean::Arguments {
12321232
) -> impl fmt::Display + 'a + Captures<'tcx> {
12331233
display_fn(move |f| {
12341234
for (i, input) in self.values.iter().enumerate() {
1235-
if !input.name.is_empty() {
1236-
write!(f, "{}: ", input.name)?;
1237-
}
1235+
write!(f, "{}: ", input.name)?;
1236+
12381237
if f.alternate() {
12391238
write!(f, "{:#}", input.type_.print(cx))?;
12401239
} else {
@@ -1367,10 +1366,8 @@ impl clean::FnDecl {
13671366
args.push_str("const ");
13681367
args_plain.push_str("const ");
13691368
}
1370-
if !input.name.is_empty() {
1371-
write!(args, "{}: ", input.name);
1372-
write!(args_plain, "{}: ", input.name);
1373-
}
1369+
write!(args, "{}: ", input.name);
1370+
write!(args_plain, "{}: ", input.name);
13741371

13751372
if f.alternate() {
13761373
write!(args, "{:#}", input.type_.print(cx));

src/test/rustdoc/assoc-consts.rs

+1
Original file line numberDiff line numberDiff line change
@@ -46,6 +46,7 @@ pub fn f(_: &(ToString + 'static)) {}
4646
impl Bar {
4747
// @has assoc_consts/struct.Bar.html '//*[@id="associatedconstant.F"]' \
4848
// "const F: fn(_: &(dyn ToString + 'static))"
49+
// FIXME(fmease): Hide default lifetime, render "const F: fn(_: &dyn ToString)"
4950
pub const F: fn(_: &(ToString + 'static)) = f;
5051
}
5152

src/test/rustdoc/inline_cross/assoc_item_trait_bounds.rs

+5-1
Original file line numberDiff line numberDiff line change
@@ -33,8 +33,12 @@ extern crate assoc_item_trait_bounds as aux;
3333
// @snapshot out9 - '//*[@id="associatedtype.Out9"]/*[@class="code-header"]'
3434
//
3535
// @has - '//*[@id="tymethod.make"]' \
36-
// "fn make<F>(F, impl FnMut(&str) -> bool)\
36+
// "fn make<F>(_: F, _: impl FnMut(&str) -> bool)\
3737
// where \
3838
// F: FnOnce(u32) -> String, \
3939
// Self::Out2<()>: Protocol<u8, Q0 = Self::Item, Q1 = ()>"
4040
pub use aux::Main;
41+
42+
// @has main/trait.Aid.html
43+
// @has - '//*[@id="associatedtype.Result"]' "type Result<'inter: 'src>"
44+
pub use aux::Aid;

src/test/rustdoc/inline_cross/auxiliary/assoc_item_trait_bounds.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -42,5 +42,5 @@ pub trait Helper {
4242
}
4343

4444
pub trait Aid<'src> {
45-
type Result<'inter>;
45+
type Result<'inter: 'src>;
4646
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
pub type Ty0 = dyn for<'any> FnOnce(&'any str) -> bool;
2+
3+
pub type Ty1<'obj> = dyn std::fmt::Display + 'obj;
4+
5+
pub type Ty2 = dyn for<'a, 'r> Container<'r, Item<'a, 'static> = ()>;
6+
7+
pub type Ty3<'s> = &'s dyn ToString;
8+
9+
pub fn func0(_: &(dyn Fn() + '_)) {}
10+
11+
pub fn func1<'func>(_: &(dyn Fn() + 'func)) {}
12+
13+
pub trait Container<'r> {
14+
type Item<'a, 'ctx>;
15+
}
16+
17+
pub trait Shape<'a> {}
+31
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
#![crate_name = "user"]
2+
3+
// aux-crate:dyn_trait=dyn_trait.rs
4+
// edition:2021
5+
6+
// @has user/type.Ty0.html
7+
// @has - '//*[@class="item-decl"]//code' "dyn for<'any> FnOnce(&'any str) -> bool + 'static"
8+
// FIXME(fmease): Hide default lifetime bound `'static`
9+
pub use dyn_trait::Ty0;
10+
11+
// @has user/type.Ty1.html
12+
// @has - '//*[@class="item-decl"]//code' "dyn Display + 'obj"
13+
pub use dyn_trait::Ty1;
14+
15+
// @has user/type.Ty2.html
16+
// @has - '//*[@class="item-decl"]//code' "dyn for<'a, 'r> Container<'r, Item<'a, 'static> = ()>"
17+
pub use dyn_trait::Ty2;
18+
19+
// @has user/type.Ty3.html
20+
// @has - '//*[@class="item-decl"]//code' "&'s (dyn ToString + 's)"
21+
// FIXME(fmease): Hide default lifetime bound, render "&'s dyn ToString"
22+
pub use dyn_trait::Ty3;
23+
24+
// @has user/fn.func0.html
25+
// @has - '//pre[@class="rust fn"]' "func0(_: &dyn Fn())"
26+
// FIXME(fmease): Show placeholder-lifetime bound, render "func0(_: &(dyn Fn() + '_))"
27+
pub use dyn_trait::func0;
28+
29+
// @has user/fn.func1.html
30+
// @has - '//pre[@class="rust fn"]' "func1<'func>(_: &(dyn Fn() + 'func))"
31+
pub use dyn_trait::func1;

src/test/rustdoc/inline_cross/impl_trait.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,7 @@ pub use impl_trait_aux::func4;
2929
// @has impl_trait/fn.func5.html
3030
// @has - '//pre[@class="rust fn"]' "func5("
3131
// @has - '//pre[@class="rust fn"]' "_f: impl for<'any> Fn(&'any str, &'any str) -> bool + for<'r> Other<T<'r> = ()>,"
32-
// @has - '//pre[@class="rust fn"]' "_a: impl for<'alpha, 'beta> Auxiliary<'alpha, Item<'beta> = fn(&'beta ())>"
32+
// @has - '//pre[@class="rust fn"]' "_a: impl for<'alpha, 'beta> Auxiliary<'alpha, Item<'beta> = fn(_: &'beta ())>"
3333
// @!has - '//pre[@class="rust fn"]' 'where'
3434
pub use impl_trait_aux::func5;
3535

src/test/rustdoc/issue-20727.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,6 @@ pub mod reexport {
1919
// @has - '//*[@class="rust trait"]' 'trait Deref {'
2020
// @has - '//*[@class="rust trait"]' 'type Target: ?Sized;'
2121
// @has - '//*[@class="rust trait"]' \
22-
// "fn deref(&'a self) -> &'a Self::Target;"
22+
// "fn deref<'a>(&'a self) -> &'a Self::Target;"
2323
pub use issue_20727::Deref;
2424
}

0 commit comments

Comments
 (0)