Skip to content

Commit 2118526

Browse files
committed
Auto merge of #83986 - Dylan-DPC:rollup-51vygcj, r=Dylan-DPC
Rollup of 5 pull requests Successful merges: - #82497 (Fix handling of `--output-format json` flag) - #83689 (Add more info for common trait resolution and async/await errors) - #83952 (Account for `ExprKind::Block` when suggesting .into() and deref) - #83965 (Add Debug implementation for hir::intravisit::FnKind) - #83974 (Fix outdated crate names in `rustc_interface::callbacks`) Failed merges: r? `@ghost` `@rustbot` modify labels: rollup
2 parents 361bfce + b14d54d commit 2118526

File tree

76 files changed

+890
-222
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

76 files changed

+890
-222
lines changed

compiler/rustc_hir/src/intravisit.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -98,7 +98,7 @@ where
9898
}
9999
}
100100

101-
#[derive(Copy, Clone)]
101+
#[derive(Copy, Clone, Debug)]
102102
pub enum FnKind<'a> {
103103
/// `#[xxx] pub async/const/extern "Abi" fn foo()`
104104
ItemFn(Ident, &'a Generics<'a>, FnHeader, &'a Visibility<'a>),

compiler/rustc_interface/src/callbacks.rs

+7-7
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
//! Throughout the compiler tree, there are several places which want to have
22
//! access to state or queries while being inside crates that are dependencies
3-
//! of librustc_middle. To facilitate this, we have the
3+
//! of `rustc_middle`. To facilitate this, we have the
44
//! `rustc_data_structures::AtomicRef` type, which allows us to setup a global
55
//! static which can then be set in this file at program startup.
66
//!
@@ -13,8 +13,8 @@ use rustc_errors::{Diagnostic, TRACK_DIAGNOSTICS};
1313
use rustc_middle::ty::tls;
1414
use std::fmt;
1515

16-
/// This is a callback from librustc_ast as it cannot access the implicit state
17-
/// in librustc_middle otherwise.
16+
/// This is a callback from `rustc_ast` as it cannot access the implicit state
17+
/// in `rustc_middle` otherwise.
1818
fn span_debug(span: rustc_span::Span, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1919
tls::with_opt(|tcx| {
2020
if let Some(tcx) = tcx {
@@ -25,8 +25,8 @@ fn span_debug(span: rustc_span::Span, f: &mut fmt::Formatter<'_>) -> fmt::Result
2525
})
2626
}
2727

28-
/// This is a callback from librustc_ast as it cannot access the implicit state
29-
/// in librustc_middle otherwise. It is used to when diagnostic messages are
28+
/// This is a callback from `rustc_ast` as it cannot access the implicit state
29+
/// in `rustc_middle` otherwise. It is used to when diagnostic messages are
3030
/// emitted and stores them in the current query, if there is one.
3131
fn track_diagnostic(diagnostic: &Diagnostic) {
3232
tls::with_context_opt(|icx| {
@@ -39,8 +39,8 @@ fn track_diagnostic(diagnostic: &Diagnostic) {
3939
})
4040
}
4141

42-
/// This is a callback from librustc_hir as it cannot access the implicit state
43-
/// in librustc_middle otherwise.
42+
/// This is a callback from `rustc_hir` as it cannot access the implicit state
43+
/// in `rustc_middle` otherwise.
4444
fn def_id_debug(def_id: rustc_hir::def_id::DefId, f: &mut fmt::Formatter<'_>) -> fmt::Result {
4545
write!(f, "DefId({}:{}", def_id.krate, def_id.index.index())?;
4646
tls::with_opt(|opt_tcx| {

compiler/rustc_trait_selection/src/traits/error_reporting/suggestions.rs

+87-14
Original file line numberDiff line numberDiff line change
@@ -2070,7 +2070,14 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
20702070

20712071
// Don't print the tuple of capture types
20722072
if !is_upvar_tys_infer_tuple {
2073-
err.note(&format!("required because it appears within the type `{}`", ty));
2073+
let msg = format!("required because it appears within the type `{}`", ty);
2074+
match ty.kind() {
2075+
ty::Adt(def, _) => match self.tcx.opt_item_name(def.did) {
2076+
Some(ident) => err.span_note(ident.span, &msg),
2077+
None => err.note(&msg),
2078+
},
2079+
_ => err.note(&msg),
2080+
};
20742081
}
20752082

20762083
obligated_types.push(ty);
@@ -2092,11 +2099,36 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
20922099
ObligationCauseCode::ImplDerivedObligation(ref data) => {
20932100
let mut parent_trait_ref = self.resolve_vars_if_possible(data.parent_trait_ref);
20942101
let parent_def_id = parent_trait_ref.def_id();
2095-
err.note(&format!(
2102+
let msg = format!(
20962103
"required because of the requirements on the impl of `{}` for `{}`",
20972104
parent_trait_ref.print_only_trait_path(),
20982105
parent_trait_ref.skip_binder().self_ty()
2099-
));
2106+
);
2107+
let mut candidates = vec![];
2108+
self.tcx.for_each_relevant_impl(
2109+
parent_def_id,
2110+
parent_trait_ref.self_ty().skip_binder(),
2111+
|impl_def_id| {
2112+
candidates.push(impl_def_id);
2113+
},
2114+
);
2115+
match &candidates[..] {
2116+
[def_id] => match self.tcx.hir().get_if_local(*def_id) {
2117+
Some(Node::Item(hir::Item {
2118+
kind: hir::ItemKind::Impl(hir::Impl { of_trait, self_ty, .. }),
2119+
..
2120+
})) => {
2121+
let mut spans = Vec::with_capacity(2);
2122+
if let Some(trait_ref) = of_trait {
2123+
spans.push(trait_ref.path.span);
2124+
}
2125+
spans.push(self_ty.span);
2126+
err.span_note(spans, &msg)
2127+
}
2128+
_ => err.note(&msg),
2129+
},
2130+
_ => err.note(&msg),
2131+
};
21002132

21012133
let mut parent_predicate = parent_trait_ref.without_const().to_predicate(tcx);
21022134
let mut data = data;
@@ -2147,19 +2179,60 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
21472179
)
21482180
});
21492181
}
2150-
ObligationCauseCode::CompareImplMethodObligation { .. } => {
2151-
err.note(&format!(
2152-
"the requirement `{}` appears on the impl method but not on the corresponding \
2153-
trait method",
2154-
predicate
2155-
));
2182+
ObligationCauseCode::CompareImplMethodObligation {
2183+
item_name,
2184+
trait_item_def_id,
2185+
..
2186+
} => {
2187+
let msg = format!(
2188+
"the requirement `{}` appears on the impl method `{}` but not on the \
2189+
corresponding trait method",
2190+
predicate, item_name,
2191+
);
2192+
let sp = self
2193+
.tcx
2194+
.opt_item_name(trait_item_def_id)
2195+
.map(|i| i.span)
2196+
.unwrap_or_else(|| self.tcx.def_span(trait_item_def_id));
2197+
let mut assoc_span: MultiSpan = sp.into();
2198+
assoc_span.push_span_label(
2199+
sp,
2200+
format!("this trait method doesn't have the requirement `{}`", predicate),
2201+
);
2202+
if let Some(ident) = self
2203+
.tcx
2204+
.opt_associated_item(trait_item_def_id)
2205+
.and_then(|i| self.tcx.opt_item_name(i.container.id()))
2206+
{
2207+
assoc_span.push_span_label(ident.span, "in this trait".into());
2208+
}
2209+
err.span_note(assoc_span, &msg);
21562210
}
2157-
ObligationCauseCode::CompareImplTypeObligation { .. } => {
2158-
err.note(&format!(
2159-
"the requirement `{}` appears on the associated impl type but not on the \
2211+
ObligationCauseCode::CompareImplTypeObligation {
2212+
item_name, trait_item_def_id, ..
2213+
} => {
2214+
let msg = format!(
2215+
"the requirement `{}` appears on the associated impl type `{}` but not on the \
21602216
corresponding associated trait type",
2161-
predicate
2162-
));
2217+
predicate, item_name,
2218+
);
2219+
let sp = self.tcx.def_span(trait_item_def_id);
2220+
let mut assoc_span: MultiSpan = sp.into();
2221+
assoc_span.push_span_label(
2222+
sp,
2223+
format!(
2224+
"this trait associated type doesn't have the requirement `{}`",
2225+
predicate,
2226+
),
2227+
);
2228+
if let Some(ident) = self
2229+
.tcx
2230+
.opt_associated_item(trait_item_def_id)
2231+
.and_then(|i| self.tcx.opt_item_name(i.container.id()))
2232+
{
2233+
assoc_span.push_span_label(ident.span, "in this trait".into());
2234+
}
2235+
err.span_note(assoc_span, &msg);
21632236
}
21642237
ObligationCauseCode::CompareImplConstObligation => {
21652238
err.note(&format!(

compiler/rustc_typeck/src/check/fn_ctxt/suggestions.rs

+1
Original file line numberDiff line numberDiff line change
@@ -205,6 +205,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
205205
found: Ty<'tcx>,
206206
expected_ty_expr: Option<&'tcx hir::Expr<'tcx>>,
207207
) {
208+
let expr = expr.peel_blocks();
208209
if let Some((sp, msg, suggestion, applicability)) = self.check_ref(expr, found, expected) {
209210
err.span_suggestion(sp, msg, suggestion, applicability);
210211
} else if let (ty::FnDef(def_id, ..), true) =

compiler/rustc_typeck/src/check/method/suggest.rs

+53-52
Original file line numberDiff line numberDiff line change
@@ -987,59 +987,60 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
987987
) {
988988
let mut alt_rcvr_sugg = false;
989989
if let SelfSource::MethodCall(rcvr) = source {
990-
info!(?span, ?item_name, ?rcvr_ty, ?rcvr);
991-
if let ty::Adt(..) = rcvr_ty.kind() {
992-
// Try alternative arbitrary self types that could fulfill this call.
993-
// FIXME: probe for all types that *could* be arbitrary self-types, not
994-
// just this list.
995-
for (rcvr_ty, post) in &[
996-
(rcvr_ty, ""),
997-
(self.tcx.mk_mut_ref(&ty::ReErased, rcvr_ty), "&mut "),
998-
(self.tcx.mk_imm_ref(&ty::ReErased, rcvr_ty), "&"),
990+
debug!(?span, ?item_name, ?rcvr_ty, ?rcvr);
991+
// Try alternative arbitrary self types that could fulfill this call.
992+
// FIXME: probe for all types that *could* be arbitrary self-types, not
993+
// just this list.
994+
for (rcvr_ty, post) in &[
995+
(rcvr_ty, ""),
996+
(self.tcx.mk_mut_ref(&ty::ReErased, rcvr_ty), "&mut "),
997+
(self.tcx.mk_imm_ref(&ty::ReErased, rcvr_ty), "&"),
998+
] {
999+
for (rcvr_ty, pre) in &[
1000+
(self.tcx.mk_lang_item(rcvr_ty, LangItem::OwnedBox), "Box::new"),
1001+
(self.tcx.mk_lang_item(rcvr_ty, LangItem::Pin), "Pin::new"),
1002+
(self.tcx.mk_diagnostic_item(rcvr_ty, sym::Arc), "Arc::new"),
1003+
(self.tcx.mk_diagnostic_item(rcvr_ty, sym::Rc), "Rc::new"),
9991004
] {
1000-
for (rcvr_ty, pre) in &[
1001-
(self.tcx.mk_lang_item(rcvr_ty, LangItem::OwnedBox), "Box::new"),
1002-
(self.tcx.mk_lang_item(rcvr_ty, LangItem::Pin), "Pin::new"),
1003-
(self.tcx.mk_diagnostic_item(rcvr_ty, sym::Arc), "Arc::new"),
1004-
(self.tcx.mk_diagnostic_item(rcvr_ty, sym::Rc), "Rc::new"),
1005-
] {
1006-
if let Some(new_rcvr_t) = *rcvr_ty {
1007-
if let Ok(pick) = self.lookup_probe(
1008-
span,
1009-
item_name,
1010-
new_rcvr_t,
1011-
rcvr,
1012-
crate::check::method::probe::ProbeScope::AllTraits,
1013-
) {
1014-
debug!("try_alt_rcvr: pick candidate {:?}", pick);
1015-
// Make sure the method is defined for the *actual* receiver:
1016-
// we don't want to treat `Box<Self>` as a receiver if
1017-
// it only works because of an autoderef to `&self`
1018-
if pick.autoderefs == 0
1019-
// We don't want to suggest a container type when the missing method is
1020-
// `.clone()`, otherwise we'd suggest `Arc::new(foo).clone()`, which is
1021-
// far from what the user really wants.
1022-
&& Some(pick.item.container.id()) != self.tcx.lang_items().clone_trait()
1023-
{
1024-
err.span_label(
1025-
pick.item.ident.span,
1026-
&format!(
1027-
"the method is available for `{}` here",
1028-
new_rcvr_t
1029-
),
1030-
);
1031-
err.multipart_suggestion(
1032-
"consider wrapping the receiver expression with the \
1033-
appropriate type",
1034-
vec![
1035-
(rcvr.span.shrink_to_lo(), format!("{}({}", pre, post)),
1036-
(rcvr.span.shrink_to_hi(), ")".to_string()),
1037-
],
1038-
Applicability::MaybeIncorrect,
1039-
);
1040-
// We don't care about the other suggestions.
1041-
alt_rcvr_sugg = true;
1042-
}
1005+
if let Some(new_rcvr_t) = *rcvr_ty {
1006+
if let Ok(pick) = self.lookup_probe(
1007+
span,
1008+
item_name,
1009+
new_rcvr_t,
1010+
rcvr,
1011+
crate::check::method::probe::ProbeScope::AllTraits,
1012+
) {
1013+
debug!("try_alt_rcvr: pick candidate {:?}", pick);
1014+
let did = Some(pick.item.container.id());
1015+
// We don't want to suggest a container type when the missing
1016+
// method is `.clone()` or `.deref()` otherwise we'd suggest
1017+
// `Arc::new(foo).clone()`, which is far from what the user wants.
1018+
let skip = [
1019+
self.tcx.lang_items().clone_trait(),
1020+
self.tcx.lang_items().deref_trait(),
1021+
self.tcx.lang_items().deref_mut_trait(),
1022+
self.tcx.lang_items().drop_trait(),
1023+
]
1024+
.contains(&did);
1025+
// Make sure the method is defined for the *actual* receiver: we don't
1026+
// want to treat `Box<Self>` as a receiver if it only works because of
1027+
// an autoderef to `&self`
1028+
if pick.autoderefs == 0 && !skip {
1029+
err.span_label(
1030+
pick.item.ident.span,
1031+
&format!("the method is available for `{}` here", new_rcvr_t),
1032+
);
1033+
err.multipart_suggestion(
1034+
"consider wrapping the receiver expression with the \
1035+
appropriate type",
1036+
vec![
1037+
(rcvr.span.shrink_to_lo(), format!("{}({}", pre, post)),
1038+
(rcvr.span.shrink_to_hi(), ")".to_string()),
1039+
],
1040+
Applicability::MaybeIncorrect,
1041+
);
1042+
// We don't care about the other suggestions.
1043+
alt_rcvr_sugg = true;
10431044
}
10441045
}
10451046
}

library/core/src/marker.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -765,7 +765,7 @@ unsafe impl<T: ?Sized> Freeze for &mut T {}
765765
/// [`pin` module]: crate::pin
766766
#[stable(feature = "pin", since = "1.33.0")]
767767
#[rustc_on_unimplemented(
768-
on(_Self = "std::future::Future", note = "consider using `Box::pin`",),
768+
note = "consider using `Box::pin`",
769769
message = "`{Self}` cannot be unpinned"
770770
)]
771771
#[lang = "unpin"]

src/librustdoc/config.rs

+13-14
Original file line numberDiff line numberDiff line change
@@ -378,6 +378,17 @@ impl Options {
378378
}
379379
}
380380

381+
// check for `--output-format=json`
382+
if !matches!(matches.opt_str("output-format").as_deref(), None | Some("html"))
383+
&& !matches.opt_present("show-coverage")
384+
&& !nightly_options::is_unstable_enabled(matches)
385+
{
386+
rustc_session::early_error(
387+
error_format,
388+
"the -Z unstable-options flag must be passed to enable --output-format for documentation generation (see https://github.com/rust-lang/rust/issues/76578)",
389+
);
390+
}
391+
381392
let to_check = matches.opt_strs("check-theme");
382393
if !to_check.is_empty() {
383394
let paths = theme::load_css_paths(static_files::themes::LIGHT.as_bytes());
@@ -574,13 +585,7 @@ impl Options {
574585
let output_format = match matches.opt_str("output-format") {
575586
Some(s) => match OutputFormat::try_from(s.as_str()) {
576587
Ok(out_fmt) => {
577-
if out_fmt.is_json()
578-
&& !(show_coverage || nightly_options::match_is_nightly_build(matches))
579-
{
580-
diag.struct_err("json output format isn't supported for doc generation")
581-
.emit();
582-
return Err(1);
583-
} else if !out_fmt.is_json() && show_coverage {
588+
if !out_fmt.is_json() && show_coverage {
584589
diag.struct_err(
585590
"html output format isn't supported for the --show-coverage option",
586591
)
@@ -702,16 +707,10 @@ impl Options {
702707

703708
/// Prints deprecation warnings for deprecated options
704709
fn check_deprecated_options(matches: &getopts::Matches, diag: &rustc_errors::Handler) {
705-
let deprecated_flags = ["input-format", "output-format", "no-defaults", "passes"];
710+
let deprecated_flags = ["input-format", "no-defaults", "passes"];
706711

707712
for flag in deprecated_flags.iter() {
708713
if matches.opt_present(flag) {
709-
if *flag == "output-format"
710-
&& (matches.opt_present("show-coverage")
711-
|| nightly_options::match_is_nightly_build(matches))
712-
{
713-
continue;
714-
}
715714
let mut err = diag.struct_warn(&format!("the `{}` flag is deprecated", flag));
716715
err.note(
717716
"see issue #44136 <https://github.com/rust-lang/rust/issues/44136> \
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
-include ../../run-make-fulldeps/tools.mk
2+
3+
all:
4+
$(RUSTDOC) --output-format=json x.html 2>&1 | diff - output-format-json.stderr
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
This is a collection of tests that verify `--unstable-options` is required.
2+
It should eventually be removed in favor of UI tests once compiletest stops
3+
passing --unstable-options by default (#82639).
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
error: the -Z unstable-options flag must be passed to enable --output-format for documentation generation (see https://github.com/rust-lang/rust/issues/76578)
2+
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
// nothing to see here
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
// compile-flags: --output-format html
2+
// check-pass
3+
// This tests that `--output-format html` is accepted without `-Z unstable-options`,
4+
// since it has been stable since 1.0.

0 commit comments

Comments
 (0)