Skip to content

Commit c2d2bb3

Browse files
committedJun 25, 2024
Auto merge of #126834 - bjorn3:interface_refactor, r=michaelwoerister
Various refactorings to rustc_interface This should make it easier to move the driver interface away from queries in the future. Many custom drivers call queries like `queries.global_ctxt()` before they are supposed to be called, breaking some things like certain `--print` and `-Zunpretty` options, `-Zparse-only` and emitting the dep info at the wrong point in time. They are also not actually necessary at all. Passing around the query output manually would avoid recomputation too and would be just as easy. Removing driver queries would also reduce the amount of global mutable state of the compiler. I'm not removing driver queries in this PR to avoid breaking the aforementioned custom drivers.
2 parents bda221a + 8d1f5b3 commit c2d2bb3

File tree

8 files changed

+164
-184
lines changed

8 files changed

+164
-184
lines changed
 

‎compiler/rustc_driver_impl/src/lib.rs

+16-13
Original file line numberDiff line numberDiff line change
@@ -30,7 +30,7 @@ use rustc_errors::{
3030
};
3131
use rustc_feature::find_gated_cfg;
3232
use rustc_interface::util::{self, get_codegen_backend};
33-
use rustc_interface::{interface, Queries};
33+
use rustc_interface::{interface, passes, Queries};
3434
use rustc_lint::unerased_lint_store;
3535
use rustc_metadata::creader::MetadataLoader;
3636
use rustc_metadata::locator;
@@ -367,18 +367,17 @@ fn run_compiler(
367367
return early_exit();
368368
}
369369

370-
let early_dcx = EarlyDiagCtxt::new(sess.opts.error_format);
371-
372-
if print_crate_info(&early_dcx, codegen_backend, sess, has_input) == Compilation::Stop {
370+
if print_crate_info(codegen_backend, sess, has_input) == Compilation::Stop {
373371
return early_exit();
374372
}
375373

376374
if !has_input {
377-
early_dcx.early_fatal("no input filename given"); // this is fatal
375+
#[allow(rustc::diagnostic_outside_of_impl)]
376+
sess.dcx().fatal("no input filename given"); // this is fatal
378377
}
379378

380379
if !sess.opts.unstable_opts.ls.is_empty() {
381-
list_metadata(&early_dcx, sess, &*codegen_backend.metadata_loader());
380+
list_metadata(sess, &*codegen_backend.metadata_loader());
382381
return early_exit();
383382
}
384383

@@ -399,7 +398,9 @@ fn run_compiler(
399398
Ok(())
400399
})?;
401400

402-
queries.write_dep_info()?;
401+
queries.global_ctxt()?.enter(|tcx| {
402+
passes::write_dep_info(tcx);
403+
});
403404
} else {
404405
let krate = queries.parse()?;
405406
pretty::print(
@@ -427,7 +428,9 @@ fn run_compiler(
427428
return early_exit();
428429
}
429430

430-
queries.write_dep_info()?;
431+
queries.global_ctxt()?.enter(|tcx| {
432+
passes::write_dep_info(tcx);
433+
});
431434

432435
if sess.opts.output_types.contains_key(&OutputType::DepInfo)
433436
&& sess.opts.output_types.len() == 1
@@ -670,7 +673,7 @@ fn process_rlink(sess: &Session, compiler: &interface::Compiler) {
670673
}
671674
}
672675

673-
fn list_metadata(early_dcx: &EarlyDiagCtxt, sess: &Session, metadata_loader: &dyn MetadataLoader) {
676+
fn list_metadata(sess: &Session, metadata_loader: &dyn MetadataLoader) {
674677
match sess.io.input {
675678
Input::File(ref ifile) => {
676679
let path = &(*ifile);
@@ -687,13 +690,13 @@ fn list_metadata(early_dcx: &EarlyDiagCtxt, sess: &Session, metadata_loader: &dy
687690
safe_println!("{}", String::from_utf8(v).unwrap());
688691
}
689692
Input::Str { .. } => {
690-
early_dcx.early_fatal("cannot list metadata for stdin");
693+
#[allow(rustc::diagnostic_outside_of_impl)]
694+
sess.dcx().fatal("cannot list metadata for stdin");
691695
}
692696
}
693697
}
694698

695699
fn print_crate_info(
696-
early_dcx: &EarlyDiagCtxt,
697700
codegen_backend: &dyn CodegenBackend,
698701
sess: &Session,
699702
parse_attrs: bool,
@@ -877,8 +880,8 @@ fn print_crate_info(
877880
.expect("unknown Apple target OS");
878881
println_info!("deployment_target={}", format!("{major}.{minor}"))
879882
} else {
880-
early_dcx
881-
.early_fatal("only Apple targets currently support deployment version info")
883+
#[allow(rustc::diagnostic_outside_of_impl)]
884+
sess.dcx().fatal("only Apple targets currently support deployment version info")
882885
}
883886
}
884887
}

‎compiler/rustc_interface/src/interface.rs

+9-12
Original file line numberDiff line numberDiff line change
@@ -495,9 +495,8 @@ pub fn run_compiler<R: Send>(config: Config, f: impl FnOnce(&Compiler) -> R + Se
495495
let res = {
496496
// If `f` panics, `finish_diagnostics` will run during
497497
// unwinding because of the `defer`.
498-
let mut guar = None;
499498
let sess_abort_guard = defer(|| {
500-
guar = compiler.sess.finish_diagnostics(&config.registry);
499+
compiler.sess.finish_diagnostics(&config.registry);
501500
});
502501

503502
let res = f(&compiler);
@@ -506,16 +505,14 @@ pub fn run_compiler<R: Send>(config: Config, f: impl FnOnce(&Compiler) -> R + Se
506505
// normally when `sess_abort_guard` is dropped.
507506
drop(sess_abort_guard);
508507

509-
// If `finish_diagnostics` emits errors (e.g. stashed
510-
// errors) we can't return an error directly, because the
511-
// return type of this function is `R`, not `Result<R, E>`.
512-
// But we need to communicate the errors' existence to the
513-
// caller, otherwise the caller might mistakenly think that
514-
// no errors occurred and return a zero exit code. So we
515-
// abort (panic) instead, similar to if `f` had panicked.
516-
if guar.is_some() {
517-
compiler.sess.dcx().abort_if_errors();
518-
}
508+
// If error diagnostics have been emitted, we can't return an
509+
// error directly, because the return type of this function
510+
// is `R`, not `Result<R, E>`. But we need to communicate the
511+
// errors' existence to the caller, otherwise the caller might
512+
// mistakenly think that no errors occurred and return a zero
513+
// exit code. So we abort (panic) instead, similar to if `f`
514+
// had panicked.
515+
compiler.sess.dcx().abort_if_errors();
519516

520517
res
521518
};

‎compiler/rustc_interface/src/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@
88
mod callbacks;
99
mod errors;
1010
pub mod interface;
11-
mod passes;
11+
pub mod passes;
1212
mod proc_macro_decls;
1313
mod queries;
1414
pub mod util;

‎compiler/rustc_interface/src/passes.rs

+117-28
Original file line numberDiff line numberDiff line change
@@ -7,16 +7,16 @@ use rustc_ast::{self as ast, visit};
77
use rustc_codegen_ssa::traits::CodegenBackend;
88
use rustc_data_structures::parallel;
99
use rustc_data_structures::steal::Steal;
10-
use rustc_data_structures::sync::{Lrc, OnceLock, WorkerLocal};
11-
use rustc_errors::PResult;
10+
use rustc_data_structures::sync::{AppendOnlyIndexVec, FreezeLock, Lrc, OnceLock, WorkerLocal};
1211
use rustc_expand::base::{ExtCtxt, LintStoreExpand};
1312
use rustc_feature::Features;
1413
use rustc_fs_util::try_canonicalize;
15-
use rustc_hir::def_id::{StableCrateId, LOCAL_CRATE};
14+
use rustc_hir::def_id::{StableCrateId, StableCrateIdMap, LOCAL_CRATE};
15+
use rustc_hir::definitions::Definitions;
16+
use rustc_incremental::setup_dep_graph;
1617
use rustc_lint::{unerased_lint_store, BufferedEarlyLint, EarlyCheckNode, LintStore};
1718
use rustc_metadata::creader::CStore;
1819
use rustc_middle::arena::Arena;
19-
use rustc_middle::dep_graph::DepGraph;
2020
use rustc_middle::ty::{self, GlobalCtxt, RegisteredTools, TyCtxt};
2121
use rustc_middle::util::Providers;
2222
use rustc_parse::{
@@ -28,6 +28,7 @@ use rustc_session::code_stats::VTableSizeInfo;
2828
use rustc_session::config::{CrateType, Input, OutFileName, OutputFilenames, OutputType};
2929
use rustc_session::cstore::Untracked;
3030
use rustc_session::output::filename_for_input;
31+
use rustc_session::output::{collect_crate_types, find_crate_name};
3132
use rustc_session::search_paths::PathKind;
3233
use rustc_session::{Limit, Session};
3334
use rustc_span::symbol::{sym, Symbol};
@@ -39,20 +40,22 @@ use std::any::Any;
3940
use std::ffi::OsString;
4041
use std::io::{self, BufWriter, Write};
4142
use std::path::{Path, PathBuf};
42-
use std::sync::LazyLock;
43+
use std::sync::{Arc, LazyLock};
4344
use std::{env, fs, iter};
4445
use tracing::{info, instrument};
4546

46-
pub fn parse<'a>(sess: &'a Session) -> PResult<'a, ast::Crate> {
47-
let krate = sess.time("parse_crate", || {
48-
let mut parser = unwrap_or_emit_fatal(match &sess.io.input {
49-
Input::File(file) => new_parser_from_file(&sess.psess, file, None),
50-
Input::Str { input, name } => {
51-
new_parser_from_source_str(&sess.psess, name.clone(), input.clone())
52-
}
53-
});
54-
parser.parse_crate_mod()
55-
})?;
47+
pub(crate) fn parse<'a>(sess: &'a Session) -> Result<ast::Crate> {
48+
let krate = sess
49+
.time("parse_crate", || {
50+
let mut parser = unwrap_or_emit_fatal(match &sess.io.input {
51+
Input::File(file) => new_parser_from_file(&sess.psess, file, None),
52+
Input::Str { input, name } => {
53+
new_parser_from_source_str(&sess.psess, name.clone(), input.clone())
54+
}
55+
});
56+
parser.parse_crate_mod()
57+
})
58+
.map_err(|parse_error| parse_error.emit())?;
5659

5760
if sess.opts.unstable_opts.input_stats {
5861
eprintln!("Lines of code: {}", sess.source_map().count_lines());
@@ -559,7 +562,7 @@ fn resolver_for_lowering_raw<'tcx>(
559562
(tcx.arena.alloc(Steal::new((untracked_resolver_for_lowering, Lrc::new(krate)))), resolutions)
560563
}
561564

562-
pub(crate) fn write_dep_info(tcx: TyCtxt<'_>) {
565+
pub fn write_dep_info(tcx: TyCtxt<'_>) {
563566
// Make sure name resolution and macro expansion is run for
564567
// the side-effect of providing a complete set of all
565568
// accessed files and env vars.
@@ -640,22 +643,48 @@ pub static DEFAULT_QUERY_PROVIDERS: LazyLock<Providers> = LazyLock::new(|| {
640643
*providers
641644
});
642645

643-
pub fn create_global_ctxt<'tcx>(
646+
pub(crate) fn create_global_ctxt<'tcx>(
644647
compiler: &'tcx Compiler,
645-
crate_types: Vec<CrateType>,
646-
stable_crate_id: StableCrateId,
647-
dep_graph: DepGraph,
648-
untracked: Untracked,
648+
mut krate: rustc_ast::Crate,
649649
gcx_cell: &'tcx OnceLock<GlobalCtxt<'tcx>>,
650650
arena: &'tcx WorkerLocal<Arena<'tcx>>,
651651
hir_arena: &'tcx WorkerLocal<rustc_hir::Arena<'tcx>>,
652-
) -> &'tcx GlobalCtxt<'tcx> {
652+
) -> Result<&'tcx GlobalCtxt<'tcx>> {
653+
let sess = &compiler.sess;
654+
655+
rustc_builtin_macros::cmdline_attrs::inject(
656+
&mut krate,
657+
&sess.psess,
658+
&sess.opts.unstable_opts.crate_attr,
659+
);
660+
661+
let pre_configured_attrs = rustc_expand::config::pre_configure_attrs(sess, &krate.attrs);
662+
663+
// parse `#[crate_name]` even if `--crate-name` was passed, to make sure it matches.
664+
let crate_name = find_crate_name(sess, &pre_configured_attrs);
665+
let crate_types = collect_crate_types(sess, &pre_configured_attrs);
666+
let stable_crate_id = StableCrateId::new(
667+
crate_name,
668+
crate_types.contains(&CrateType::Executable),
669+
sess.opts.cg.metadata.clone(),
670+
sess.cfg_version,
671+
);
672+
let outputs = util::build_output_filenames(&pre_configured_attrs, sess);
673+
let dep_graph = setup_dep_graph(sess)?;
674+
675+
let cstore =
676+
FreezeLock::new(Box::new(CStore::new(compiler.codegen_backend.metadata_loader())) as _);
677+
let definitions = FreezeLock::new(Definitions::new(stable_crate_id));
678+
679+
let stable_crate_ids = FreezeLock::new(StableCrateIdMap::default());
680+
let untracked =
681+
Untracked { cstore, source_span: AppendOnlyIndexVec::new(), definitions, stable_crate_ids };
682+
653683
// We're constructing the HIR here; we don't care what we will
654684
// read, since we haven't even constructed the *input* to
655685
// incr. comp. yet.
656686
dep_graph.assert_ignored();
657687

658-
let sess = &compiler.sess;
659688
let query_result_on_disk_cache = rustc_incremental::load_query_result_cache(sess);
660689

661690
let codegen_backend = &compiler.codegen_backend;
@@ -669,7 +698,7 @@ pub fn create_global_ctxt<'tcx>(
669698
let incremental = dep_graph.is_fully_enabled();
670699

671700
sess.time("setup_global_ctxt", || {
672-
gcx_cell.get_or_init(move || {
701+
let qcx = gcx_cell.get_or_init(move || {
673702
TyCtxt::create_global_ctxt(
674703
sess,
675704
crate_types,
@@ -688,7 +717,23 @@ pub fn create_global_ctxt<'tcx>(
688717
providers.hooks,
689718
compiler.current_gcx.clone(),
690719
)
691-
})
720+
});
721+
722+
qcx.enter(|tcx| {
723+
let feed = tcx.create_crate_num(stable_crate_id).unwrap();
724+
assert_eq!(feed.key(), LOCAL_CRATE);
725+
feed.crate_name(crate_name);
726+
727+
let feed = tcx.feed_unit_query();
728+
feed.features_query(tcx.arena.alloc(rustc_expand::config::features(
729+
sess,
730+
&pre_configured_attrs,
731+
crate_name,
732+
)));
733+
feed.crate_for_resolver(tcx.arena.alloc(Steal::new((krate, pre_configured_attrs))));
734+
feed.output_filenames(Arc::new(outputs));
735+
});
736+
Ok(qcx)
692737
})
693738
}
694739

@@ -924,12 +969,56 @@ fn analysis(tcx: TyCtxt<'_>, (): ()) -> Result<()> {
924969
Ok(())
925970
}
926971

972+
/// Check for the `#[rustc_error]` annotation, which forces an error in codegen. This is used
973+
/// to write UI tests that actually test that compilation succeeds without reporting
974+
/// an error.
975+
fn check_for_rustc_errors_attr(tcx: TyCtxt<'_>) {
976+
let Some((def_id, _)) = tcx.entry_fn(()) else { return };
977+
for attr in tcx.get_attrs(def_id, sym::rustc_error) {
978+
match attr.meta_item_list() {
979+
// Check if there is a `#[rustc_error(delayed_bug_from_inside_query)]`.
980+
Some(list)
981+
if list.iter().any(|list_item| {
982+
matches!(
983+
list_item.ident().map(|i| i.name),
984+
Some(sym::delayed_bug_from_inside_query)
985+
)
986+
}) =>
987+
{
988+
tcx.ensure().trigger_delayed_bug(def_id);
989+
}
990+
991+
// Bare `#[rustc_error]`.
992+
None => {
993+
tcx.dcx().emit_fatal(errors::RustcErrorFatal { span: tcx.def_span(def_id) });
994+
}
995+
996+
// Some other attribute.
997+
Some(_) => {
998+
tcx.dcx().emit_warn(errors::RustcErrorUnexpectedAnnotation {
999+
span: tcx.def_span(def_id),
1000+
});
1001+
}
1002+
}
1003+
}
1004+
}
1005+
9271006
/// Runs the codegen backend, after which the AST and analysis can
9281007
/// be discarded.
929-
pub fn start_codegen<'tcx>(
1008+
pub(crate) fn start_codegen<'tcx>(
9301009
codegen_backend: &dyn CodegenBackend,
9311010
tcx: TyCtxt<'tcx>,
932-
) -> Box<dyn Any> {
1011+
) -> Result<Box<dyn Any>> {
1012+
// Don't do code generation if there were any errors. Likewise if
1013+
// there were any delayed bugs, because codegen will likely cause
1014+
// more ICEs, obscuring the original problem.
1015+
if let Some(guar) = tcx.sess.dcx().has_errors_or_delayed_bugs() {
1016+
return Err(guar);
1017+
}
1018+
1019+
// Hook for UI tests.
1020+
check_for_rustc_errors_attr(tcx);
1021+
9331022
info!("Pre-codegen\n{:?}", tcx.debug_stats());
9341023

9351024
let (metadata, need_metadata_module) = rustc_metadata::fs::encode_and_write_metadata(tcx);
@@ -952,7 +1041,7 @@ pub fn start_codegen<'tcx>(
9521041
}
9531042
}
9541043

955-
codegen
1044+
Ok(codegen)
9561045
}
9571046

9581047
fn get_recursion_limit(krate_attrs: &[ast::Attribute], sess: &Session) -> Limit {

‎compiler/rustc_interface/src/queries.rs

+12-125
Original file line numberDiff line numberDiff line change
@@ -1,26 +1,20 @@
1-
use crate::errors::{FailedWritingFile, RustcErrorFatal, RustcErrorUnexpectedAnnotation};
1+
use crate::errors::FailedWritingFile;
22
use crate::interface::{Compiler, Result};
3-
use crate::{errors, passes, util};
3+
use crate::{errors, passes};
44

55
use rustc_ast as ast;
66
use rustc_codegen_ssa::traits::CodegenBackend;
77
use rustc_codegen_ssa::CodegenResults;
88
use rustc_data_structures::steal::Steal;
99
use rustc_data_structures::svh::Svh;
10-
use rustc_data_structures::sync::{AppendOnlyIndexVec, FreezeLock, OnceLock, WorkerLocal};
11-
use rustc_hir::def_id::{StableCrateId, StableCrateIdMap, LOCAL_CRATE};
12-
use rustc_hir::definitions::Definitions;
13-
use rustc_incremental::setup_dep_graph;
14-
use rustc_metadata::creader::CStore;
10+
use rustc_data_structures::sync::{OnceLock, WorkerLocal};
11+
use rustc_hir::def_id::LOCAL_CRATE;
1512
use rustc_middle::arena::Arena;
1613
use rustc_middle::dep_graph::DepGraph;
1714
use rustc_middle::ty::{GlobalCtxt, TyCtxt};
1815
use rustc_serialize::opaque::FileEncodeResult;
19-
use rustc_session::config::{self, CrateType, OutputFilenames, OutputType};
20-
use rustc_session::cstore::Untracked;
21-
use rustc_session::output::{collect_crate_types, find_crate_name};
16+
use rustc_session::config::{self, OutputFilenames, OutputType};
2217
use rustc_session::Session;
23-
use rustc_span::symbol::sym;
2418
use std::any::Any;
2519
use std::cell::{RefCell, RefMut};
2620
use std::sync::Arc;
@@ -106,133 +100,26 @@ impl<'tcx> Queries<'tcx> {
106100
}
107101

108102
pub fn parse(&self) -> Result<QueryResult<'_, ast::Crate>> {
109-
self.parse.compute(|| {
110-
passes::parse(&self.compiler.sess).map_err(|parse_error| parse_error.emit())
111-
})
103+
self.parse.compute(|| passes::parse(&self.compiler.sess))
112104
}
113105

114106
pub fn global_ctxt(&'tcx self) -> Result<QueryResult<'_, &'tcx GlobalCtxt<'tcx>>> {
115107
self.gcx.compute(|| {
116-
let sess = &self.compiler.sess;
117-
118-
let mut krate = self.parse()?.steal();
119-
120-
rustc_builtin_macros::cmdline_attrs::inject(
121-
&mut krate,
122-
&sess.psess,
123-
&sess.opts.unstable_opts.crate_attr,
124-
);
125-
126-
let pre_configured_attrs =
127-
rustc_expand::config::pre_configure_attrs(sess, &krate.attrs);
128-
129-
// parse `#[crate_name]` even if `--crate-name` was passed, to make sure it matches.
130-
let crate_name = find_crate_name(sess, &pre_configured_attrs);
131-
let crate_types = collect_crate_types(sess, &pre_configured_attrs);
132-
let stable_crate_id = StableCrateId::new(
133-
crate_name,
134-
crate_types.contains(&CrateType::Executable),
135-
sess.opts.cg.metadata.clone(),
136-
sess.cfg_version,
137-
);
138-
let outputs = util::build_output_filenames(&pre_configured_attrs, sess);
139-
let dep_graph = setup_dep_graph(sess)?;
140-
141-
let cstore = FreezeLock::new(Box::new(CStore::new(
142-
self.compiler.codegen_backend.metadata_loader(),
143-
)) as _);
144-
let definitions = FreezeLock::new(Definitions::new(stable_crate_id));
145-
146-
let stable_crate_ids = FreezeLock::new(StableCrateIdMap::default());
147-
let untracked = Untracked {
148-
cstore,
149-
source_span: AppendOnlyIndexVec::new(),
150-
definitions,
151-
stable_crate_ids,
152-
};
153-
154-
let qcx = passes::create_global_ctxt(
108+
let krate = self.parse()?.steal();
109+
110+
passes::create_global_ctxt(
155111
self.compiler,
156-
crate_types,
157-
stable_crate_id,
158-
dep_graph,
159-
untracked,
112+
krate,
160113
&self.gcx_cell,
161114
&self.arena,
162115
&self.hir_arena,
163-
);
164-
165-
qcx.enter(|tcx| {
166-
let feed = tcx.create_crate_num(stable_crate_id).unwrap();
167-
assert_eq!(feed.key(), LOCAL_CRATE);
168-
feed.crate_name(crate_name);
169-
170-
let feed = tcx.feed_unit_query();
171-
feed.features_query(tcx.arena.alloc(rustc_expand::config::features(
172-
sess,
173-
&pre_configured_attrs,
174-
crate_name,
175-
)));
176-
feed.crate_for_resolver(tcx.arena.alloc(Steal::new((krate, pre_configured_attrs))));
177-
feed.output_filenames(Arc::new(outputs));
178-
});
179-
Ok(qcx)
116+
)
180117
})
181118
}
182119

183-
pub fn write_dep_info(&'tcx self) -> Result<()> {
184-
self.global_ctxt()?.enter(|tcx| {
185-
passes::write_dep_info(tcx);
186-
});
187-
Ok(())
188-
}
189-
190-
/// Check for the `#[rustc_error]` annotation, which forces an error in codegen. This is used
191-
/// to write UI tests that actually test that compilation succeeds without reporting
192-
/// an error.
193-
fn check_for_rustc_errors_attr(tcx: TyCtxt<'_>) {
194-
let Some((def_id, _)) = tcx.entry_fn(()) else { return };
195-
for attr in tcx.get_attrs(def_id, sym::rustc_error) {
196-
match attr.meta_item_list() {
197-
// Check if there is a `#[rustc_error(delayed_bug_from_inside_query)]`.
198-
Some(list)
199-
if list.iter().any(|list_item| {
200-
matches!(
201-
list_item.ident().map(|i| i.name),
202-
Some(sym::delayed_bug_from_inside_query)
203-
)
204-
}) =>
205-
{
206-
tcx.ensure().trigger_delayed_bug(def_id);
207-
}
208-
209-
// Bare `#[rustc_error]`.
210-
None => {
211-
tcx.dcx().emit_fatal(RustcErrorFatal { span: tcx.def_span(def_id) });
212-
}
213-
214-
// Some other attribute.
215-
Some(_) => {
216-
tcx.dcx()
217-
.emit_warn(RustcErrorUnexpectedAnnotation { span: tcx.def_span(def_id) });
218-
}
219-
}
220-
}
221-
}
222-
223120
pub fn codegen_and_build_linker(&'tcx self) -> Result<Linker> {
224121
self.global_ctxt()?.enter(|tcx| {
225-
// Don't do code generation if there were any errors. Likewise if
226-
// there were any delayed bugs, because codegen will likely cause
227-
// more ICEs, obscuring the original problem.
228-
if let Some(guar) = self.compiler.sess.dcx().has_errors_or_delayed_bugs() {
229-
return Err(guar);
230-
}
231-
232-
// Hook for UI tests.
233-
Self::check_for_rustc_errors_attr(tcx);
234-
235-
let ongoing_codegen = passes::start_codegen(&*self.compiler.codegen_backend, tcx);
122+
let ongoing_codegen = passes::start_codegen(&*self.compiler.codegen_backend, tcx)?;
236123

237124
Ok(Linker {
238125
dep_graph: tcx.dep_graph.clone(),

‎tests/run-make/jobserver-error/cannot_open_fd.stderr

+2
Original file line numberDiff line numberDiff line change
@@ -4,3 +4,5 @@ warning: failed to connect to jobserver from environment variable `MAKEFLAGS="--
44

55
error: no input filename given
66

7+
error: aborting due to 1 previous error
8+

‎tests/run-make/no-input-file/rmake.rs

+5-5
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
use run_make_support::rustc;
22

33
fn main() {
4-
rustc()
5-
.print("crate-name")
6-
.run_fail()
7-
.assert_exit_code(1)
8-
.assert_stderr_equals("error: no input filename given");
4+
rustc().print("crate-name").run_fail().assert_exit_code(1).assert_stderr_equals(
5+
"error: no input filename given
6+
7+
error: aborting due to 1 previous error",
8+
);
99
}
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,4 @@
11
error: only Apple targets currently support deployment version info
22

3+
error: aborting due to 1 previous error
4+

0 commit comments

Comments
 (0)
Please sign in to comment.