Skip to content

Commit 1cfd47f

Browse files
committed
Auto merge of #127278 - matthiaskrgr:rollup-fjexkdr, r=matthiaskrgr
Rollup of 8 pull requests Successful merges: - #126803 (Change `asm-comments` to `verbose-asm`, always emit user comments) - #127050 (Make mtime of reproducible tarballs dependent on git commit) - #127145 (Add `as_lang_item` to `LanguageItems`, new trait solver) - #127202 (Remove global error count checks from typeck) - #127233 (Some parser cleanups) - #127248 (Add parse fail test using safe trait/impl trait) - #127264 (Small `run-make-support` API improvements) - #127270 (bootstrap: pass correct struct size to winapi) r? `@ghost` `@rustbot` modify labels: rollup
2 parents 1086aff + b212cd0 commit 1cfd47f

File tree

44 files changed

+559
-274
lines changed

Some content is hidden

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

44 files changed

+559
-274
lines changed

compiler/rustc_ast/src/attr/mod.rs

+8-6
Original file line numberDiff line numberDiff line change
@@ -204,12 +204,14 @@ impl Attribute {
204204

205205
pub fn tokens(&self) -> TokenStream {
206206
match &self.kind {
207-
AttrKind::Normal(normal) => normal
208-
.tokens
209-
.as_ref()
210-
.unwrap_or_else(|| panic!("attribute is missing tokens: {self:?}"))
211-
.to_attr_token_stream()
212-
.to_tokenstream(),
207+
AttrKind::Normal(normal) => TokenStream::new(
208+
normal
209+
.tokens
210+
.as_ref()
211+
.unwrap_or_else(|| panic!("attribute is missing tokens: {self:?}"))
212+
.to_attr_token_stream()
213+
.to_token_trees(),
214+
),
213215
&AttrKind::DocComment(comment_kind, data) => TokenStream::token_alone(
214216
token::DocComment(comment_kind, self.style, data),
215217
self.span,

compiler/rustc_ast/src/tokenstream.rs

+18-31
Original file line numberDiff line numberDiff line change
@@ -23,7 +23,6 @@ use rustc_data_structures::sync::{self, Lrc};
2323
use rustc_macros::{Decodable, Encodable, HashStable_Generic};
2424
use rustc_serialize::{Decodable, Encodable};
2525
use rustc_span::{sym, Span, SpanDecoder, SpanEncoder, Symbol, DUMMY_SP};
26-
use smallvec::{smallvec, SmallVec};
2726

2827
use std::borrow::Cow;
2928
use std::{cmp, fmt, iter};
@@ -180,42 +179,33 @@ impl AttrTokenStream {
180179
AttrTokenStream(Lrc::new(tokens))
181180
}
182181

183-
/// Converts this `AttrTokenStream` to a plain `TokenStream`.
182+
/// Converts this `AttrTokenStream` to a plain `Vec<TokenTree>`.
184183
/// During conversion, `AttrTokenTree::Attributes` get 'flattened'
185184
/// back to a `TokenStream` of the form `outer_attr attr_target`.
186185
/// If there are inner attributes, they are inserted into the proper
187186
/// place in the attribute target tokens.
188-
pub fn to_tokenstream(&self) -> TokenStream {
189-
let trees: Vec<_> = self
190-
.0
191-
.iter()
192-
.flat_map(|tree| match &tree {
187+
pub fn to_token_trees(&self) -> Vec<TokenTree> {
188+
let mut res = Vec::with_capacity(self.0.len());
189+
for tree in self.0.iter() {
190+
match tree {
193191
AttrTokenTree::Token(inner, spacing) => {
194-
smallvec![TokenTree::Token(inner.clone(), *spacing)].into_iter()
192+
res.push(TokenTree::Token(inner.clone(), *spacing));
195193
}
196194
AttrTokenTree::Delimited(span, spacing, delim, stream) => {
197-
smallvec![TokenTree::Delimited(
195+
res.push(TokenTree::Delimited(
198196
*span,
199197
*spacing,
200198
*delim,
201-
stream.to_tokenstream()
202-
),]
203-
.into_iter()
199+
TokenStream::new(stream.to_token_trees()),
200+
))
204201
}
205202
AttrTokenTree::Attributes(data) => {
206203
let idx = data
207204
.attrs
208205
.partition_point(|attr| matches!(attr.style, crate::AttrStyle::Outer));
209206
let (outer_attrs, inner_attrs) = data.attrs.split_at(idx);
210207

211-
let mut target_tokens: Vec<_> = data
212-
.tokens
213-
.to_attr_token_stream()
214-
.to_tokenstream()
215-
.0
216-
.iter()
217-
.cloned()
218-
.collect();
208+
let mut target_tokens = data.tokens.to_attr_token_stream().to_token_trees();
219209
if !inner_attrs.is_empty() {
220210
let mut found = false;
221211
// Check the last two trees (to account for a trailing semi)
@@ -251,17 +241,14 @@ impl AttrTokenStream {
251241
"Failed to find trailing delimited group in: {target_tokens:?}"
252242
);
253243
}
254-
let mut flat: SmallVec<[_; 1]> =
255-
SmallVec::with_capacity(target_tokens.len() + outer_attrs.len());
256244
for attr in outer_attrs {
257-
flat.extend(attr.tokens().0.iter().cloned());
245+
res.extend(attr.tokens().0.iter().cloned());
258246
}
259-
flat.extend(target_tokens);
260-
flat.into_iter()
247+
res.extend(target_tokens);
261248
}
262-
})
263-
.collect();
264-
TokenStream::new(trees)
249+
}
250+
}
251+
res
265252
}
266253
}
267254

@@ -409,8 +396,8 @@ impl PartialEq<TokenStream> for TokenStream {
409396
}
410397

411398
impl TokenStream {
412-
pub fn new(streams: Vec<TokenTree>) -> TokenStream {
413-
TokenStream(Lrc::new(streams))
399+
pub fn new(tts: Vec<TokenTree>) -> TokenStream {
400+
TokenStream(Lrc::new(tts))
414401
}
415402

416403
pub fn is_empty(&self) -> bool {
@@ -461,7 +448,7 @@ impl TokenStream {
461448
AttributesData { attrs: attrs.iter().cloned().collect(), tokens: tokens.clone() };
462449
AttrTokenStream::new(vec![AttrTokenTree::Attributes(attr_data)])
463450
};
464-
attr_stream.to_tokenstream()
451+
TokenStream::new(attr_stream.to_token_trees())
465452
}
466453

467454
pub fn from_nonterminal_ast(nt: &Nonterminal) -> TokenStream {

compiler/rustc_builtin_macros/src/cfg_eval.rs

+8-10
Original file line numberDiff line numberDiff line change
@@ -38,16 +38,14 @@ pub(crate) fn cfg_eval(
3838
lint_node_id: NodeId,
3939
) -> Annotatable {
4040
let features = Some(features);
41-
CfgEval { cfg: &mut StripUnconfigured { sess, features, config_tokens: true, lint_node_id } }
41+
CfgEval(StripUnconfigured { sess, features, config_tokens: true, lint_node_id })
4242
.configure_annotatable(annotatable)
4343
// Since the item itself has already been configured by the `InvocationCollector`,
4444
// we know that fold result vector will contain exactly one element.
4545
.unwrap()
4646
}
4747

48-
struct CfgEval<'a, 'b> {
49-
cfg: &'a mut StripUnconfigured<'b>,
50-
}
48+
struct CfgEval<'a>(StripUnconfigured<'a>);
5149

5250
fn flat_map_annotatable(
5351
vis: &mut impl MutVisitor,
@@ -125,9 +123,9 @@ fn has_cfg_or_cfg_attr(annotatable: &Annotatable) -> bool {
125123
res.is_break()
126124
}
127125

128-
impl CfgEval<'_, '_> {
126+
impl CfgEval<'_> {
129127
fn configure<T: HasAttrs + HasTokens>(&mut self, node: T) -> Option<T> {
130-
self.cfg.configure(node)
128+
self.0.configure(node)
131129
}
132130

133131
fn configure_annotatable(&mut self, mut annotatable: Annotatable) -> Option<Annotatable> {
@@ -196,7 +194,7 @@ impl CfgEval<'_, '_> {
196194
// Re-parse the tokens, setting the `capture_cfg` flag to save extra information
197195
// to the captured `AttrTokenStream` (specifically, we capture
198196
// `AttrTokenTree::AttributesData` for all occurrences of `#[cfg]` and `#[cfg_attr]`)
199-
let mut parser = Parser::new(&self.cfg.sess.psess, orig_tokens, None);
197+
let mut parser = Parser::new(&self.0.sess.psess, orig_tokens, None);
200198
parser.capture_cfg = true;
201199
match parse_annotatable_with(&mut parser) {
202200
Ok(a) => annotatable = a,
@@ -212,16 +210,16 @@ impl CfgEval<'_, '_> {
212210
}
213211
}
214212

215-
impl MutVisitor for CfgEval<'_, '_> {
213+
impl MutVisitor for CfgEval<'_> {
216214
#[instrument(level = "trace", skip(self))]
217215
fn visit_expr(&mut self, expr: &mut P<ast::Expr>) {
218-
self.cfg.configure_expr(expr, false);
216+
self.0.configure_expr(expr, false);
219217
mut_visit::noop_visit_expr(expr, self);
220218
}
221219

222220
#[instrument(level = "trace", skip(self))]
223221
fn visit_method_receiver_expr(&mut self, expr: &mut P<ast::Expr>) {
224-
self.cfg.configure_expr(expr, true);
222+
self.0.configure_expr(expr, true);
225223
mut_visit::noop_visit_expr(expr, self);
226224
}
227225

compiler/rustc_codegen_llvm/src/back/owned_target_machine.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -32,7 +32,7 @@ impl OwnedTargetMachine {
3232
unique_section_names: bool,
3333
trap_unreachable: bool,
3434
singletree: bool,
35-
asm_comments: bool,
35+
verbose_asm: bool,
3636
emit_stack_size_section: bool,
3737
relax_elf_relocations: bool,
3838
use_init_array: bool,
@@ -64,7 +64,7 @@ impl OwnedTargetMachine {
6464
unique_section_names,
6565
trap_unreachable,
6666
singletree,
67-
asm_comments,
67+
verbose_asm,
6868
emit_stack_size_section,
6969
relax_elf_relocations,
7070
use_init_array,

compiler/rustc_codegen_llvm/src/back/write.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -214,7 +214,7 @@ pub fn target_machine_factory(
214214
sess.opts.unstable_opts.trap_unreachable.unwrap_or(sess.target.trap_unreachable);
215215
let emit_stack_size_section = sess.opts.unstable_opts.emit_stack_sizes;
216216

217-
let asm_comments = sess.opts.unstable_opts.asm_comments;
217+
let verbose_asm = sess.opts.unstable_opts.verbose_asm;
218218
let relax_elf_relocations =
219219
sess.opts.unstable_opts.relax_elf_relocations.unwrap_or(sess.target.relax_elf_relocations);
220220

@@ -289,7 +289,7 @@ pub fn target_machine_factory(
289289
funique_section_names,
290290
trap_unreachable,
291291
singlethread,
292-
asm_comments,
292+
verbose_asm,
293293
emit_stack_size_section,
294294
relax_elf_relocations,
295295
use_init_array,

compiler/rustc_codegen_llvm/src/llvm/ffi.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -2185,7 +2185,7 @@ extern "C" {
21852185
UniqueSectionNames: bool,
21862186
TrapUnreachable: bool,
21872187
Singlethread: bool,
2188-
AsmComments: bool,
2188+
VerboseAsm: bool,
21892189
EmitStackSizeSection: bool,
21902190
RelaxELFRelocations: bool,
21912191
UseInitArray: bool,

compiler/rustc_expand/src/mbe/diagnostics.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -120,21 +120,21 @@ struct CollectTrackerAndEmitter<'a, 'cx, 'matcher> {
120120

121121
struct BestFailure {
122122
token: Token,
123-
position_in_tokenstream: usize,
123+
position_in_tokenstream: u32,
124124
msg: &'static str,
125125
remaining_matcher: MatcherLoc,
126126
}
127127

128128
impl BestFailure {
129-
fn is_better_position(&self, position: usize) -> bool {
129+
fn is_better_position(&self, position: u32) -> bool {
130130
position > self.position_in_tokenstream
131131
}
132132
}
133133

134134
impl<'a, 'cx, 'matcher> Tracker<'matcher> for CollectTrackerAndEmitter<'a, 'cx, 'matcher> {
135-
type Failure = (Token, usize, &'static str);
135+
type Failure = (Token, u32, &'static str);
136136

137-
fn build_failure(tok: Token, position: usize, msg: &'static str) -> Self::Failure {
137+
fn build_failure(tok: Token, position: u32, msg: &'static str) -> Self::Failure {
138138
(tok, position, msg)
139139
}
140140

@@ -211,9 +211,9 @@ impl<'matcher> FailureForwarder<'matcher> {
211211
}
212212

213213
impl<'matcher> Tracker<'matcher> for FailureForwarder<'matcher> {
214-
type Failure = (Token, usize, &'static str);
214+
type Failure = (Token, u32, &'static str);
215215

216-
fn build_failure(tok: Token, position: usize, msg: &'static str) -> Self::Failure {
216+
fn build_failure(tok: Token, position: u32, msg: &'static str) -> Self::Failure {
217217
(tok, position, msg)
218218
}
219219

compiler/rustc_expand/src/mbe/macro_parser.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -452,7 +452,7 @@ impl TtParser {
452452
&mut self,
453453
matcher: &'matcher [MatcherLoc],
454454
token: &Token,
455-
approx_position: usize,
455+
approx_position: u32,
456456
track: &mut T,
457457
) -> Option<NamedParseResult<T::Failure>> {
458458
// Matcher positions that would be valid if the macro invocation was over now. Only

compiler/rustc_expand/src/mbe/macro_rules.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -153,7 +153,7 @@ pub(super) trait Tracker<'matcher> {
153153
/// Arm failed to match. If the token is `token::Eof`, it indicates an unexpected
154154
/// end of macro invocation. Otherwise, it indicates that no rules expected the given token.
155155
/// The usize is the approximate position of the token in the input token stream.
156-
fn build_failure(tok: Token, position: usize, msg: &'static str) -> Self::Failure;
156+
fn build_failure(tok: Token, position: u32, msg: &'static str) -> Self::Failure;
157157

158158
/// This is called before trying to match next MatcherLoc on the current token.
159159
fn before_match_loc(&mut self, _parser: &TtParser, _matcher: &'matcher MatcherLoc) {}
@@ -182,7 +182,7 @@ pub(super) struct NoopTracker;
182182
impl<'matcher> Tracker<'matcher> for NoopTracker {
183183
type Failure = ();
184184

185-
fn build_failure(_tok: Token, _position: usize, _msg: &'static str) -> Self::Failure {}
185+
fn build_failure(_tok: Token, _position: u32, _msg: &'static str) -> Self::Failure {}
186186

187187
fn description() -> &'static str {
188188
"none"

compiler/rustc_hir/src/lang_items.rs

+12-1
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,7 @@ use crate::def_id::DefId;
1111
use crate::{MethodKind, Target};
1212

1313
use rustc_ast as ast;
14+
use rustc_data_structures::fx::FxIndexMap;
1415
use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
1516
use rustc_macros::{Decodable, Encodable, HashStable_Generic};
1617
use rustc_span::symbol::{kw, sym, Symbol};
@@ -23,14 +24,19 @@ pub struct LanguageItems {
2324
/// Mappings from lang items to their possibly found [`DefId`]s.
2425
/// The index corresponds to the order in [`LangItem`].
2526
items: [Option<DefId>; std::mem::variant_count::<LangItem>()],
27+
reverse_items: FxIndexMap<DefId, LangItem>,
2628
/// Lang items that were not found during collection.
2729
pub missing: Vec<LangItem>,
2830
}
2931

3032
impl LanguageItems {
3133
/// Construct an empty collection of lang items and no missing ones.
3234
pub fn new() -> Self {
33-
Self { items: [None; std::mem::variant_count::<LangItem>()], missing: Vec::new() }
35+
Self {
36+
items: [None; std::mem::variant_count::<LangItem>()],
37+
reverse_items: FxIndexMap::default(),
38+
missing: Vec::new(),
39+
}
3440
}
3541

3642
pub fn get(&self, item: LangItem) -> Option<DefId> {
@@ -39,6 +45,11 @@ impl LanguageItems {
3945

4046
pub fn set(&mut self, item: LangItem, def_id: DefId) {
4147
self.items[item as usize] = Some(def_id);
48+
self.reverse_items.insert(def_id, item);
49+
}
50+
51+
pub fn from_def_id(&self, def_id: DefId) -> Option<LangItem> {
52+
self.reverse_items.get(&def_id).copied()
4253
}
4354

4455
pub fn iter(&self) -> impl Iterator<Item = (LangItem, DefId)> + '_ {

compiler/rustc_hir_typeck/src/expr.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -708,7 +708,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
708708
// else an error would have been flagged by the
709709
// `loops` pass for using break with an expression
710710
// where you are not supposed to.
711-
assert!(expr_opt.is_none() || self.dcx().has_errors().is_some());
711+
assert!(expr_opt.is_none() || self.tainted_by_errors().is_some());
712712
}
713713

714714
// If we encountered a `break`, then (no surprise) it may be possible to break from the

compiler/rustc_hir_typeck/src/expr_use_visitor.rs

+1-3
Original file line numberDiff line numberDiff line change
@@ -734,9 +734,7 @@ impl<'tcx, Cx: TypeInformationCtxt<'tcx>, D: Delegate<'tcx>> ExprUseVisitor<'tcx
734734
// struct; however, when EUV is run during typeck, it
735735
// may not. This will generate an error earlier in typeck,
736736
// so we can just ignore it.
737-
if self.cx.tcx().dcx().has_errors().is_none() {
738-
span_bug!(with_expr.span, "with expression doesn't evaluate to a struct");
739-
}
737+
span_bug!(with_expr.span, "with expression doesn't evaluate to a struct");
740738
}
741739
}
742740

compiler/rustc_hir_typeck/src/fn_ctxt/checks.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1652,7 +1652,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
16521652

16531653
self.warn_if_unreachable(stmt.hir_id, stmt.span, "statement");
16541654

1655-
// Hide the outer diverging and `has_errors` flags.
1655+
// Hide the outer diverging flags.
16561656
let old_diverges = self.diverges.replace(Diverges::Maybe);
16571657

16581658
match stmt.kind {

compiler/rustc_hir_typeck/src/method/confirm.rs

+6-3
Original file line numberDiff line numberDiff line change
@@ -510,9 +510,12 @@ impl<'a, 'tcx> ConfirmContext<'a, 'tcx> {
510510
.report_mismatched_types(&cause, method_self_ty, self_ty, terr)
511511
.emit();
512512
} else {
513-
error!("{self_ty} was a subtype of {method_self_ty} but now is not?");
514-
// This must already have errored elsewhere.
515-
self.dcx().has_errors().unwrap();
513+
// This has/will have errored in wfcheck, which we cannot depend on from here, as typeck on functions
514+
// may run before wfcheck if the function is used in const eval.
515+
self.dcx().span_delayed_bug(
516+
cause.span(),
517+
format!("{self_ty} was a subtype of {method_self_ty} but now is not?"),
518+
);
516519
}
517520
}
518521
}

0 commit comments

Comments
 (0)