Skip to content

Commit 5dab47d

Browse files
committed
Auto merge of rust-lang#90000 - matthiaskrgr:rollup-vj7wwur, r=matthiaskrgr
Rollup of 8 pull requests Successful merges: - rust-lang#89950 (bootstrap: tweak verbosity settings) - rust-lang#89965 (Fix ICE with `let...else` and `ref mut`) - rust-lang#89974 (Nicer error message if the user attempts to do let...else if) - rust-lang#89987 (Check implementing type for `#[doc(hidden)]`) - rust-lang#89989 (rustdoc: Add static size assertion for `clean::Type`) - rust-lang#89990 (rustc_span: `Ident::invalid` -> `Ident::empty`) - rust-lang#89993 (Remove dead code from `compiletest::json`) - rust-lang#89996 (Bump backtrace) Failed merges: r? `@ghost` `@rustbot` modify labels: rollup
2 parents 5e02151 + 2724b00 commit 5dab47d

File tree

34 files changed

+146
-54
lines changed

34 files changed

+146
-54
lines changed

compiler/rustc_ast/src/attr/mod.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -62,7 +62,7 @@ impl NestedMetaItem {
6262
self.meta_item().and_then(|meta_item| meta_item.ident())
6363
}
6464
pub fn name_or_empty(&self) -> Symbol {
65-
self.ident().unwrap_or_else(Ident::invalid).name
65+
self.ident().unwrap_or_else(Ident::empty).name
6666
}
6767

6868
/// Gets the string value if `self` is a `MetaItem` and the `MetaItem` is a
@@ -131,7 +131,7 @@ impl Attribute {
131131
}
132132
}
133133
pub fn name_or_empty(&self) -> Symbol {
134-
self.ident().unwrap_or_else(Ident::invalid).name
134+
self.ident().unwrap_or_else(Ident::empty).name
135135
}
136136

137137
pub fn value_str(&self) -> Option<Symbol> {
@@ -166,7 +166,7 @@ impl MetaItem {
166166
if self.path.segments.len() == 1 { Some(self.path.segments[0].ident) } else { None }
167167
}
168168
pub fn name_or_empty(&self) -> Symbol {
169-
self.ident().unwrap_or_else(Ident::invalid).name
169+
self.ident().unwrap_or_else(Ident::empty).name
170170
}
171171

172172
// Example:

compiler/rustc_ast/src/mut_visit.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1060,7 +1060,7 @@ pub fn noop_visit_crate<T: MutVisitor>(krate: &mut Crate, vis: &mut T) {
10601060
let item_vis =
10611061
Visibility { kind: VisibilityKind::Public, span: span.shrink_to_lo(), tokens: None };
10621062
let item = P(Item {
1063-
ident: Ident::invalid(),
1063+
ident: Ident::empty(),
10641064
attrs,
10651065
id: DUMMY_NODE_ID,
10661066
vis: item_vis,

compiler/rustc_ast_lowering/src/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1435,7 +1435,7 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
14351435
trace!("registering opaque type with id {:#?}", opaque_ty_id);
14361436
let opaque_ty_item = hir::Item {
14371437
def_id: opaque_ty_id,
1438-
ident: Ident::invalid(),
1438+
ident: Ident::empty(),
14391439
kind: opaque_ty_item_kind,
14401440
vis: respan(self.lower_span(span.shrink_to_lo()), hir::VisibilityKind::Inherited),
14411441
span: self.lower_span(opaque_ty_span),

compiler/rustc_borrowck/src/diagnostics/mutability_errors.rs

+8-8
Original file line numberDiff line numberDiff line change
@@ -45,12 +45,12 @@ impl<'a, 'tcx> MirBorrowckCtxt<'a, 'tcx> {
4545
let item_msg;
4646
let reason;
4747
let mut opt_source = None;
48-
let access_place_desc = self.describe_place(access_place.as_ref());
48+
let access_place_desc = self.describe_any_place(access_place.as_ref());
4949
debug!("report_mutability_error: access_place_desc={:?}", access_place_desc);
5050

5151
match the_place_err {
5252
PlaceRef { local, projection: [] } => {
53-
item_msg = format!("`{}`", access_place_desc.unwrap());
53+
item_msg = access_place_desc;
5454
if access_place.as_local().is_some() {
5555
reason = ", as it is not declared as mutable".to_string();
5656
} else {
@@ -83,7 +83,7 @@ impl<'a, 'tcx> MirBorrowckCtxt<'a, 'tcx> {
8383
// If we deref an immutable ref then the suggestion here doesn't help.
8484
return;
8585
} else {
86-
item_msg = format!("`{}`", access_place_desc.unwrap());
86+
item_msg = access_place_desc;
8787
if self.is_upvar_field_projection(access_place.as_ref()).is_some() {
8888
reason = ", as it is not declared as mutable".to_string();
8989
} else {
@@ -96,17 +96,17 @@ impl<'a, 'tcx> MirBorrowckCtxt<'a, 'tcx> {
9696
PlaceRef { local, projection: [ProjectionElem::Deref] }
9797
if self.body.local_decls[local].is_ref_for_guard() =>
9898
{
99-
item_msg = format!("`{}`", access_place_desc.unwrap());
99+
item_msg = access_place_desc;
100100
reason = ", as it is immutable for the pattern guard".to_string();
101101
}
102102
PlaceRef { local, projection: [ProjectionElem::Deref] }
103103
if self.body.local_decls[local].is_ref_to_static() =>
104104
{
105105
if access_place.projection.len() == 1 {
106-
item_msg = format!("immutable static item `{}`", access_place_desc.unwrap());
106+
item_msg = format!("immutable static item {}", access_place_desc);
107107
reason = String::new();
108108
} else {
109-
item_msg = format!("`{}`", access_place_desc.unwrap());
109+
item_msg = access_place_desc;
110110
let local_info = &self.body.local_decls[local].local_info;
111111
if let Some(box LocalInfo::StaticRef { def_id, .. }) = *local_info {
112112
let static_name = &self.infcx.tcx.item_name(def_id);
@@ -121,7 +121,7 @@ impl<'a, 'tcx> MirBorrowckCtxt<'a, 'tcx> {
121121
&& proj_base.is_empty()
122122
&& !self.upvars.is_empty()
123123
{
124-
item_msg = format!("`{}`", access_place_desc.unwrap());
124+
item_msg = access_place_desc;
125125
debug_assert!(
126126
self.body.local_decls[ty::CAPTURE_STRUCT_LOCAL].ty.is_region_ptr()
127127
);
@@ -147,7 +147,7 @@ impl<'a, 'tcx> MirBorrowckCtxt<'a, 'tcx> {
147147
});
148148
let pointer_type = source.describe_for_immutable_place(self.infcx.tcx);
149149
opt_source = Some(source);
150-
if let Some(desc) = access_place_desc {
150+
if let Some(desc) = self.describe_place(access_place.as_ref()) {
151151
item_msg = format!("`{}`", desc);
152152
reason = match error_access {
153153
AccessKind::Mutate => format!(", which is behind {}", pointer_type),

compiler/rustc_builtin_macros/src/asm.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -812,7 +812,7 @@ pub fn expand_global_asm<'cx>(
812812
Ok(args) => {
813813
if let Some(inline_asm) = expand_preparsed_asm(ecx, args) {
814814
MacEager::items(smallvec![P(ast::Item {
815-
ident: Ident::invalid(),
815+
ident: Ident::empty(),
816816
attrs: Vec::new(),
817817
id: ast::DUMMY_NODE_ID,
818818
kind: ast::ItemKind::GlobalAsm(inline_asm),

compiler/rustc_builtin_macros/src/derive.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -85,7 +85,7 @@ impl MultiItemModifier for Expander {
8585
fn dummy_annotatable() -> Annotatable {
8686
Annotatable::GenericParam(ast::GenericParam {
8787
id: ast::DUMMY_NODE_ID,
88-
ident: Ident::invalid(),
88+
ident: Ident::empty(),
8989
attrs: Default::default(),
9090
bounds: Default::default(),
9191
is_placeholder: false,

compiler/rustc_builtin_macros/src/deriving/generic/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -724,7 +724,7 @@ impl<'a> TraitDef<'a> {
724724

725725
cx.item(
726726
self.span,
727-
Ident::invalid(),
727+
Ident::empty(),
728728
a,
729729
ast::ItemKind::Impl(Box::new(ast::ImplKind {
730730
unsafety,

compiler/rustc_builtin_macros/src/deriving/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -178,7 +178,7 @@ fn inject_impl_of_structural_trait(
178178

179179
let newitem = cx.item(
180180
span,
181-
Ident::invalid(),
181+
Ident::empty(),
182182
attrs,
183183
ItemKind::Impl(Box::new(ImplKind {
184184
unsafety: ast::Unsafe::No,

compiler/rustc_builtin_macros/src/standard_library_imports.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -77,7 +77,7 @@ pub fn inject(
7777

7878
let use_item = cx.item(
7979
span,
80-
Ident::invalid(),
80+
Ident::empty(),
8181
vec![cx.attribute(cx.meta_word(span, sym::prelude_import))],
8282
ast::ItemKind::Use(ast::UseTree {
8383
prefix: cx.path(span, import_path),

compiler/rustc_expand/src/expand.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -383,7 +383,7 @@ impl<'a, 'b> MacroExpander<'a, 'b> {
383383
Unsafe::No,
384384
ModKind::Loaded(krate.items, Inline::Yes, krate.span)
385385
),
386-
ident: Ident::invalid(),
386+
ident: Ident::empty(),
387387
id: ast::DUMMY_NODE_ID,
388388
vis: ast::Visibility {
389389
span: krate.span.shrink_to_lo(),
@@ -1426,7 +1426,7 @@ impl<'a, 'b> MutVisitor for InvocationCollector<'a, 'b> {
14261426
_ => unreachable!(),
14271427
})
14281428
}
1429-
ast::ItemKind::Mod(_, ref mut mod_kind) if ident != Ident::invalid() => {
1429+
ast::ItemKind::Mod(_, ref mut mod_kind) if ident != Ident::empty() => {
14301430
let (file_path, dir_path, dir_ownership) = match mod_kind {
14311431
ModKind::Loaded(_, inline, _) => {
14321432
// Inline `mod foo { ... }`, but we still need to push directories.
@@ -1508,7 +1508,7 @@ impl<'a, 'b> MutVisitor for InvocationCollector<'a, 'b> {
15081508
_ => {
15091509
item.attrs = attrs;
15101510
// The crate root is special - don't assign an ID to it.
1511-
if !(matches!(item.kind, ast::ItemKind::Mod(..)) && ident == Ident::invalid()) {
1511+
if !(matches!(item.kind, ast::ItemKind::Mod(..)) && ident == Ident::empty()) {
15121512
assign_id!(self, &mut item.id, || noop_flat_map_item(item, self))
15131513
} else {
15141514
noop_flat_map_item(item, self)

compiler/rustc_expand/src/mbe/quoted.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -204,7 +204,7 @@ fn parse_tree(
204204
pprust::token_to_string(&token),
205205
);
206206
sess.span_diagnostic.span_err(token.span, &msg);
207-
TokenTree::MetaVar(token.span, Ident::invalid())
207+
TokenTree::MetaVar(token.span, Ident::empty())
208208
}
209209

210210
// There are no more tokens. Just return the `$` we already have.

compiler/rustc_expand/src/placeholders.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -23,7 +23,7 @@ pub fn placeholder(
2323
}
2424
}
2525

26-
let ident = Ident::invalid();
26+
let ident = Ident::empty();
2727
let attrs = Vec::new();
2828
let vis = vis.unwrap_or(ast::Visibility {
2929
span: DUMMY_SP,

compiler/rustc_hir/src/hir.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -121,7 +121,7 @@ impl LifetimeName {
121121
match *self {
122122
LifetimeName::ImplicitObjectLifetimeDefault
123123
| LifetimeName::Implicit
124-
| LifetimeName::Error => Ident::invalid(),
124+
| LifetimeName::Error => Ident::empty(),
125125
LifetimeName::Underscore => Ident::with_dummy_span(kw::UnderscoreLifetime),
126126
LifetimeName::Static => Ident::with_dummy_span(kw::StaticLifetime),
127127
LifetimeName::Param(param_name) => param_name.ident(),
@@ -233,7 +233,7 @@ impl<'hir> PathSegment<'hir> {
233233
}
234234

235235
pub fn invalid() -> Self {
236-
Self::from_ident(Ident::invalid())
236+
Self::from_ident(Ident::empty())
237237
}
238238

239239
pub fn args(&self) -> &GenericArgs<'hir> {
@@ -310,7 +310,7 @@ impl GenericArg<'_> {
310310
}
311311

312312
pub fn is_synthetic(&self) -> bool {
313-
matches!(self, GenericArg::Lifetime(lifetime) if lifetime.name.ident() == Ident::invalid())
313+
matches!(self, GenericArg::Lifetime(lifetime) if lifetime.name.ident() == Ident::empty())
314314
}
315315

316316
pub fn descr(&self) -> &'static str {

compiler/rustc_lint/src/builtin.rs

+18
Original file line numberDiff line numberDiff line change
@@ -657,6 +657,24 @@ impl<'tcx> LateLintPass<'tcx> for MissingDoc {
657657
return;
658658
}
659659

660+
// If the method is an impl for an item with docs_hidden, don't doc.
661+
if method_context(cx, impl_item.hir_id()) == MethodLateContext::PlainImpl {
662+
let parent = cx.tcx.hir().get_parent_did(impl_item.hir_id());
663+
let impl_ty = cx.tcx.type_of(parent);
664+
let outerdef = match impl_ty.kind() {
665+
ty::Adt(def, _) => Some(def.did),
666+
ty::Foreign(def_id) => Some(*def_id),
667+
_ => None,
668+
};
669+
let is_hidden = match outerdef {
670+
Some(id) => cx.tcx.is_doc_hidden(id),
671+
None => false,
672+
};
673+
if is_hidden {
674+
return;
675+
}
676+
}
677+
660678
let (article, desc) = cx.tcx.article_and_description(impl_item.def_id.to_def_id());
661679
self.check_missing_docs_attrs(cx, impl_item.def_id, impl_item.span, article, desc);
662680
}

compiler/rustc_middle/src/hir/map/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -443,7 +443,7 @@ impl<'hir> Map<'hir> {
443443
pub fn body_param_names(&self, id: BodyId) -> impl Iterator<Item = Ident> + 'hir {
444444
self.body(id).params.iter().map(|arg| match arg.pat.kind {
445445
PatKind::Binding(_, _, ident, _) => ident,
446-
_ => Ident::new(kw::Empty, rustc_span::DUMMY_SP),
446+
_ => Ident::empty(),
447447
})
448448
}
449449

compiler/rustc_parse/src/parser/item.rs

+4-4
Original file line numberDiff line numberDiff line change
@@ -216,7 +216,7 @@ impl<'a> Parser<'a> {
216216
return Err(e);
217217
}
218218

219-
(Ident::invalid(), ItemKind::Use(tree))
219+
(Ident::empty(), ItemKind::Use(tree))
220220
} else if self.check_fn_front_matter(def_final) {
221221
// FUNCTION ITEM
222222
let (ident, sig, generics, body) = self.parse_fn(attrs, req_name, lo)?;
@@ -287,7 +287,7 @@ impl<'a> Parser<'a> {
287287
return Ok(None);
288288
} else if macros_allowed && self.check_path() {
289289
// MACRO INVOCATION ITEM
290-
(Ident::invalid(), ItemKind::MacCall(self.parse_item_macro(vis)?))
290+
(Ident::empty(), ItemKind::MacCall(self.parse_item_macro(vis)?))
291291
} else {
292292
return Ok(None);
293293
};
@@ -586,7 +586,7 @@ impl<'a> Parser<'a> {
586586
}
587587
};
588588

589-
Ok((Ident::invalid(), item_kind))
589+
Ok((Ident::empty(), item_kind))
590590
}
591591

592592
fn parse_item_list<T>(
@@ -933,7 +933,7 @@ impl<'a> Parser<'a> {
933933
let abi = self.parse_abi(); // ABI?
934934
let items = self.parse_item_list(attrs, |p| p.parse_foreign_item(ForceCollect::No))?;
935935
let module = ast::ForeignMod { unsafety, abi, items };
936-
Ok((Ident::invalid(), ItemKind::ForeignMod(module)))
936+
Ok((Ident::empty(), ItemKind::ForeignMod(module)))
937937
}
938938

939939
/// Parses a foreign item (one in an `extern { ... }` block).

compiler/rustc_parse/src/parser/stmt.rs

+16-5
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,7 @@ use rustc_ast::{
1616
};
1717
use rustc_ast::{Block, BlockCheckMode, Expr, ExprKind, Local, Stmt};
1818
use rustc_ast::{StmtKind, DUMMY_NODE_ID};
19-
use rustc_errors::{Applicability, PResult};
19+
use rustc_errors::{Applicability, DiagnosticBuilder, PResult};
2020
use rustc_span::source_map::{BytePos, Span};
2121
use rustc_span::symbol::{kw, sym};
2222

@@ -300,6 +300,12 @@ impl<'a> Parser<'a> {
300300
None => LocalKind::Decl,
301301
Some(init) => {
302302
if self.eat_keyword(kw::Else) {
303+
if self.token.is_keyword(kw::If) {
304+
// `let...else if`. Emit the same error that `parse_block()` would,
305+
// but explicitly point out that this pattern is not allowed.
306+
let msg = "conditional `else if` is not supported for `let...else`";
307+
return Err(self.error_block_no_opening_brace_msg(msg));
308+
}
303309
let els = self.parse_block()?;
304310
self.check_let_else_init_bool_expr(&init);
305311
self.check_let_else_init_trailing_brace(&init);
@@ -392,10 +398,9 @@ impl<'a> Parser<'a> {
392398
Ok(block)
393399
}
394400

395-
fn error_block_no_opening_brace<T>(&mut self) -> PResult<'a, T> {
401+
fn error_block_no_opening_brace_msg(&mut self, msg: &str) -> DiagnosticBuilder<'a> {
396402
let sp = self.token.span;
397-
let tok = super::token_descr(&self.token);
398-
let mut e = self.struct_span_err(sp, &format!("expected `{{`, found {}", tok));
403+
let mut e = self.struct_span_err(sp, msg);
399404
let do_not_suggest_help = self.token.is_keyword(kw::In) || self.token == token::Colon;
400405

401406
// Check to see if the user has written something like
@@ -435,7 +440,13 @@ impl<'a> Parser<'a> {
435440
_ => {}
436441
}
437442
e.span_label(sp, "expected `{`");
438-
Err(e)
443+
e
444+
}
445+
446+
fn error_block_no_opening_brace<T>(&mut self) -> PResult<'a, T> {
447+
let tok = super::token_descr(&self.token);
448+
let msg = format!("expected `{{`, found {}", tok);
449+
Err(self.error_block_no_opening_brace_msg(&msg))
439450
}
440451

441452
/// Parses a block. Inner attributes are allowed.

compiler/rustc_resolve/src/diagnostics.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1327,7 +1327,7 @@ impl<'a, 'b> ImportResolver<'a, 'b> {
13271327
if fst.ident.span.rust_2018() && !fst.ident.is_path_segment_keyword() =>
13281328
{
13291329
// Insert a placeholder that's later replaced by `self`/`super`/etc.
1330-
path.insert(0, Segment::from_ident(Ident::invalid()));
1330+
path.insert(0, Segment::from_ident(Ident::empty()));
13311331
}
13321332
_ => return None,
13331333
}

compiler/rustc_resolve/src/imports.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -978,7 +978,7 @@ impl<'a, 'b> ImportResolver<'a, 'b> {
978978
// HACK(eddyb) `lint_if_path_starts_with_module` needs at least
979979
// 2 segments, so the `resolve_path` above won't trigger it.
980980
let mut full_path = import.module_path.clone();
981-
full_path.push(Segment::from_ident(Ident::invalid()));
981+
full_path.push(Segment::from_ident(Ident::empty()));
982982
self.r.lint_if_path_starts_with_module(
983983
import.crate_lint(),
984984
&full_path,

compiler/rustc_span/src/symbol.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1453,7 +1453,7 @@ impl Ident {
14531453
}
14541454

14551455
#[inline]
1456-
pub fn invalid() -> Ident {
1456+
pub fn empty() -> Ident {
14571457
Ident::with_dummy_span(kw::Empty)
14581458
}
14591459

src/bootstrap/bin/rustc.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -146,7 +146,7 @@ fn main() {
146146
}
147147

148148
let is_test = args.iter().any(|a| a == "--test");
149-
if verbose > 1 {
149+
if verbose > 2 {
150150
let rust_env_vars =
151151
env::vars().filter(|(k, _)| k.starts_with("RUST") || k.starts_with("CARGO"));
152152
let prefix = if is_test { "[RUSTC-SHIM] rustc --test" } else { "[RUSTC-SHIM] rustc" };

src/bootstrap/bootstrap.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -980,7 +980,7 @@ def build_bootstrap(self):
980980
self.cargo()))
981981
args = [self.cargo(), "build", "--manifest-path",
982982
os.path.join(self.rust_root, "src/bootstrap/Cargo.toml")]
983-
for _ in range(1, self.verbose):
983+
for _ in range(0, self.verbose):
984984
args.append("--verbose")
985985
if self.use_locked_deps:
986986
args.append("--locked")

0 commit comments

Comments
 (0)