1use std::path::PathBuf;
2use std::result;
3use std::sync::Arc;
45use rustc_ast::{LitKind, MetaItemKind, token};
6use rustc_codegen_ssa::traits::CodegenBackend;
7use rustc_data_structures::fx::{FxHashMap, FxHashSet};
8use rustc_data_structures::jobserver::{self, Proxy};
9use rustc_data_structures::stable_hasher::StableHasher;
10use rustc_errors::{DiagCtxtHandle, ErrorGuaranteed};
11use rustc_lint::LintStore;
12use rustc_middle::ty;
13use rustc_middle::ty::CurrentGcx;
14use rustc_middle::util::Providers;
15use rustc_parse::lexer::StripTokens;
16use rustc_parse::new_parser_from_source_str;
17use rustc_parse::parser::Recovery;
18use rustc_parse::parser::attr::AllowLeadingUnsafe;
19use rustc_query_impl::QueryCtxt;
20use rustc_query_system::query::print_query_stack;
21use rustc_session::config::{self, Cfg, CheckCfg, ExpectedValues, Input, OutFileName};
22use rustc_session::parse::ParseSess;
23use rustc_session::{CompilerIO, EarlyDiagCtxt, Session, lint};
24use rustc_span::source_map::{FileLoader, RealFileLoader, SourceMapInputs};
25use rustc_span::{FileName, sym};
26use rustc_target::spec::Target;
27use tracing::trace;
2829use crate::util;
3031pub type Result<T> = result::Result<T, ErrorGuaranteed>;
3233/// Represents a compiler session. Note that every `Compiler` contains a
34/// `Session`, but `Compiler` also contains some things that cannot be in
35/// `Session`, due to `Session` being in a crate that has many fewer
36/// dependencies than this crate.
37///
38/// Can be used to run `rustc_interface` queries.
39/// Created by passing [`Config`] to [`run_compiler`].
40pub struct Compiler {
41pub sess: Session,
42pub codegen_backend: Box<dyn CodegenBackend>,
43pub(crate) override_queries: Option<fn(&Session, &mut Providers)>,
4445/// A reference to the current `GlobalCtxt` which we pass on to `GlobalCtxt`.
46pub(crate) current_gcx: CurrentGcx,
4748/// A jobserver reference which we pass on to `GlobalCtxt`.
49pub(crate) jobserver_proxy: Arc<Proxy>,
50}
5152/// Converts strings provided as `--cfg [cfgspec]` into a `Cfg`.
53pub(crate) fn parse_cfg(dcx: DiagCtxtHandle<'_>, cfgs: Vec<String>) -> Cfg {
54cfgs.into_iter()
55 .map(|s| {
56let psess = ParseSess::emitter_with_note(
57<[_]>::into_vec(::alloc::boxed::box_new([rustc_parse::DEFAULT_LOCALE_RESOURCE]))vec![rustc_parse::DEFAULT_LOCALE_RESOURCE],
58::alloc::__export::must_use({
::alloc::fmt::format(format_args!("this occurred on the command line: `--cfg={0}`",
s))
})format!("this occurred on the command line: `--cfg={s}`"),
59 );
60let filename = FileName::cfg_spec_source_code(&s);
6162macro_rules! error {
63 ($reason: expr) => {
64 dcx.fatal(format!("invalid `--cfg` argument: `{s}` ({})", $reason));
65 };
66 }
6768match new_parser_from_source_str(&psess, filename, s.to_string(), StripTokens::Nothing)
69 {
70Ok(mut parser) => {
71parser = parser.recovery(Recovery::Forbidden);
72match parser.parse_meta_item(AllowLeadingUnsafe::No) {
73Ok(meta_item)
74if parser.token == token::Eof75 && parser.dcx().has_errors().is_none() =>
76 {
77if meta_item.path.segments.len() != 1 {
78dcx.fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--cfg` argument: `{1}` ({0})",
"argument key must be an identifier", s))
}));error!("argument key must be an identifier");
79 }
80match &meta_item.kind {
81 MetaItemKind::List(..) => {}
82 MetaItemKind::NameValue(lit) if !lit.kind.is_str() => {
83dcx.fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--cfg` argument: `{1}` ({0})",
"argument value must be a string", s))
}));error!("argument value must be a string");
84 }
85 MetaItemKind::NameValue(..) | MetaItemKind::Word => {
86let ident = meta_item.ident().expect("multi-segment cfg key");
8788if ident.is_path_segment_keyword() {
89dcx.fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--cfg` argument: `{1}` ({0})",
"malformed `cfg` input, expected a valid identifier", s))
}));error!(
90"malformed `cfg` input, expected a valid identifier"
91);
92 }
9394return (ident.name, meta_item.value_str());
95 }
96 }
97 }
98Ok(..) => {}
99Err(err) => err.cancel(),
100 }
101 }
102Err(errs) => errs.into_iter().for_each(|err| err.cancel()),
103 };
104105// If the user tried to use a key="value" flag, but is missing the quotes, provide
106 // a hint about how to resolve this.
107if s.contains('=') && !s.contains("=\"") && !s.ends_with('"') {
108dcx.fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--cfg` argument: `{1}` ({0})",
"expected `key` or `key=\"value\"`, ensure escaping is appropriate for your shell, try \'key=\"value\"\' or key=\\\"value\\\"",
s))
}));error!(concat!(
109r#"expected `key` or `key="value"`, ensure escaping is appropriate"#,
110r#" for your shell, try 'key="value"' or key=\"value\""#
111));
112 } else {
113dcx.fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--cfg` argument: `{1}` ({0})",
r#"expected `key` or `key="value"`"#, s))
}));error!(r#"expected `key` or `key="value"`"#);
114 }
115 })
116 .collect::<Cfg>()
117}
118119/// Converts strings provided as `--check-cfg [specs]` into a `CheckCfg`.
120pub(crate) fn parse_check_cfg(dcx: DiagCtxtHandle<'_>, specs: Vec<String>) -> CheckCfg {
121// If any --check-cfg is passed then exhaustive_values and exhaustive_names
122 // are enabled by default.
123let exhaustive_names = !specs.is_empty();
124let exhaustive_values = !specs.is_empty();
125let mut check_cfg = CheckCfg { exhaustive_names, exhaustive_values, ..CheckCfg::default() };
126127for s in specs {
128let psess = ParseSess::emitter_with_note(
129<[_]>::into_vec(::alloc::boxed::box_new([rustc_parse::DEFAULT_LOCALE_RESOURCE]))vec![rustc_parse::DEFAULT_LOCALE_RESOURCE],
130::alloc::__export::must_use({
::alloc::fmt::format(format_args!("this occurred on the command line: `--check-cfg={0}`",
s))
})format!("this occurred on the command line: `--check-cfg={s}`"),
131 );
132let filename = FileName::cfg_spec_source_code(&s);
133134const VISIT: &str =
135"visit <https://doc.rust-lang.org/nightly/rustc/check-cfg.html> for more details";
136137macro_rules! error {
138 ($reason:expr) => {{
139let mut diag = dcx.struct_fatal(format!("invalid `--check-cfg` argument: `{s}`"));
140 diag.note($reason);
141 diag.note(VISIT);
142 diag.emit()
143 }};
144 (in $arg:expr, $reason:expr) => {{
145let mut diag = dcx.struct_fatal(format!("invalid `--check-cfg` argument: `{s}`"));
146147let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string($arg);
148if let Some(lit) = $arg.lit() {
149let (lit_kind_article, lit_kind_descr) = {
150let lit_kind = lit.as_token_lit().kind;
151 (lit_kind.article(), lit_kind.descr())
152 };
153 diag.note(format!("`{pparg}` is {lit_kind_article} {lit_kind_descr} literal"));
154 } else {
155 diag.note(format!("`{pparg}` is invalid"));
156 }
157158 diag.note($reason);
159 diag.note(VISIT);
160 diag.emit()
161 }};
162 }
163164let expected_error = || -> ! {
165{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("expected `cfg(name, values(\"value1\", \"value2\", ... \"valueN\"))`");
diag.note(VISIT);
diag.emit()
}error!("expected `cfg(name, values(\"value1\", \"value2\", ... \"valueN\"))`")166 };
167168let mut parser =
169match new_parser_from_source_str(&psess, filename, s.to_string(), StripTokens::Nothing)
170 {
171Ok(parser) => parser.recovery(Recovery::Forbidden),
172Err(errs) => {
173 errs.into_iter().for_each(|err| err.cancel());
174 expected_error();
175 }
176 };
177178let meta_item = match parser.parse_meta_item(AllowLeadingUnsafe::No) {
179Ok(meta_item) if parser.token == token::Eof && parser.dcx().has_errors().is_none() => {
180 meta_item
181 }
182Ok(..) => expected_error(),
183Err(err) => {
184 err.cancel();
185 expected_error();
186 }
187 };
188189let Some(args) = meta_item.meta_item_list() else {
190 expected_error();
191 };
192193if !meta_item.has_name(sym::cfg) {
194 expected_error();
195 }
196197let mut names = Vec::new();
198let mut values: FxHashSet<_> = Default::default();
199200let mut any_specified = false;
201let mut values_specified = false;
202let mut values_any_specified = false;
203204for arg in args {
205if arg.is_word()
206 && let Some(ident) = arg.ident()
207 {
208if values_specified {
209{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`cfg()` names cannot be after values");
diag.note(VISIT);
diag.emit()
};error!("`cfg()` names cannot be after values");
210 }
211212if ident.is_path_segment_keyword() {
213{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("malformed `cfg` input, expected a valid identifier");
diag.note(VISIT);
diag.emit()
};error!("malformed `cfg` input, expected a valid identifier");
214 }
215216 names.push(ident);
217 } else if let Some(boolean) = arg.boolean_literal() {
218if values_specified {
219{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`cfg()` names cannot be after values");
diag.note(VISIT);
diag.emit()
};error!("`cfg()` names cannot be after values");
220 }
221 names.push(rustc_span::Ident::new(
222if boolean { rustc_span::kw::True } else { rustc_span::kw::False },
223 arg.span(),
224 ));
225 } else if arg.has_name(sym::any)
226 && let Some(args) = arg.meta_item_list()
227 {
228if any_specified {
229{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`any()` cannot be specified multiple times");
diag.note(VISIT);
diag.emit()
};error!("`any()` cannot be specified multiple times");
230 }
231 any_specified = true;
232if !args.is_empty() {
233{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string(arg);
if let Some(lit) = arg.lit() {
let (lit_kind_article, lit_kind_descr) =
{
let lit_kind = lit.as_token_lit().kind;
(lit_kind.article(), lit_kind.descr())
};
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is {1} {2} literal",
pparg, lit_kind_article, lit_kind_descr))
}));
} else {
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is invalid",
pparg))
}));
}
diag.note("`any()` takes no argument");
diag.note(VISIT);
diag.emit()
};error!(in arg, "`any()` takes no argument");
234 }
235 } else if arg.has_name(sym::values)
236 && let Some(args) = arg.meta_item_list()
237 {
238if names.is_empty() {
239{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`values()` cannot be specified before the names");
diag.note(VISIT);
diag.emit()
};error!("`values()` cannot be specified before the names");
240 } else if values_specified {
241{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`values()` cannot be specified multiple times");
diag.note(VISIT);
diag.emit()
};error!("`values()` cannot be specified multiple times");
242 }
243 values_specified = true;
244245for arg in args {
246if let Some(LitKind::Str(s, _)) = arg.lit().map(|lit| &lit.kind) {
247 values.insert(Some(*s));
248 } else if arg.has_name(sym::any)
249 && let Some(args) = arg.meta_item_list()
250 {
251if values_any_specified {
252{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string(arg);
if let Some(lit) = arg.lit() {
let (lit_kind_article, lit_kind_descr) =
{
let lit_kind = lit.as_token_lit().kind;
(lit_kind.article(), lit_kind.descr())
};
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is {1} {2} literal",
pparg, lit_kind_article, lit_kind_descr))
}));
} else {
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is invalid",
pparg))
}));
}
diag.note("`any()` in `values()` cannot be specified multiple times");
diag.note(VISIT);
diag.emit()
};error!(in arg, "`any()` in `values()` cannot be specified multiple times");
253 }
254 values_any_specified = true;
255if !args.is_empty() {
256{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string(arg);
if let Some(lit) = arg.lit() {
let (lit_kind_article, lit_kind_descr) =
{
let lit_kind = lit.as_token_lit().kind;
(lit_kind.article(), lit_kind.descr())
};
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is {1} {2} literal",
pparg, lit_kind_article, lit_kind_descr))
}));
} else {
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is invalid",
pparg))
}));
}
diag.note("`any()` in `values()` takes no argument");
diag.note(VISIT);
diag.emit()
};error!(in arg, "`any()` in `values()` takes no argument");
257 }
258 } else if arg.has_name(sym::none)
259 && let Some(args) = arg.meta_item_list()
260 {
261 values.insert(None);
262if !args.is_empty() {
263{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string(arg);
if let Some(lit) = arg.lit() {
let (lit_kind_article, lit_kind_descr) =
{
let lit_kind = lit.as_token_lit().kind;
(lit_kind.article(), lit_kind.descr())
};
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is {1} {2} literal",
pparg, lit_kind_article, lit_kind_descr))
}));
} else {
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is invalid",
pparg))
}));
}
diag.note("`none()` in `values()` takes no argument");
diag.note(VISIT);
diag.emit()
};error!(in arg, "`none()` in `values()` takes no argument");
264 }
265 } else {
266{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string(arg);
if let Some(lit) = arg.lit() {
let (lit_kind_article, lit_kind_descr) =
{
let lit_kind = lit.as_token_lit().kind;
(lit_kind.article(), lit_kind.descr())
};
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is {1} {2} literal",
pparg, lit_kind_article, lit_kind_descr))
}));
} else {
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is invalid",
pparg))
}));
}
diag.note("`values()` arguments must be string literals, `none()` or `any()`");
diag.note(VISIT);
diag.emit()
};error!(in arg, "`values()` arguments must be string literals, `none()` or `any()`");
267 }
268 }
269 } else {
270{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string(arg);
if let Some(lit) = arg.lit() {
let (lit_kind_article, lit_kind_descr) =
{
let lit_kind = lit.as_token_lit().kind;
(lit_kind.article(), lit_kind.descr())
};
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is {1} {2} literal",
pparg, lit_kind_article, lit_kind_descr))
}));
} else {
diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` is invalid",
pparg))
}));
}
diag.note("`cfg()` arguments must be simple identifiers, `any()` or `values(...)`");
diag.note(VISIT);
diag.emit()
};error!(in arg, "`cfg()` arguments must be simple identifiers, `any()` or `values(...)`");
271 }
272 }
273274if !values_specified && !any_specified {
275// `cfg(name)` is equivalent to `cfg(name, values(none()))` so add
276 // an implicit `none()`
277values.insert(None);
278 } else if !values.is_empty() && values_any_specified {
279{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`values()` arguments cannot specify string literals and `any()` at the same time");
diag.note(VISIT);
diag.emit()
};error!(
280"`values()` arguments cannot specify string literals and `any()` at the same time"
281);
282 }
283284if any_specified {
285if names.is_empty() && values.is_empty() && !values_specified && !values_any_specified {
286 check_cfg.exhaustive_names = false;
287 } else {
288{
let mut diag =
dcx.struct_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("invalid `--check-cfg` argument: `{0}`",
s))
}));
diag.note("`cfg(any())` can only be provided in isolation");
diag.note(VISIT);
diag.emit()
};error!("`cfg(any())` can only be provided in isolation");
289 }
290 } else {
291for name in names {
292 check_cfg
293 .expecteds
294 .entry(name.name)
295 .and_modify(|v| match v {
296 ExpectedValues::Some(v) if !values_any_specified =>
297 {
298#[allow(rustc::potential_query_instability)]
299v.extend(values.clone())
300 }
301 ExpectedValues::Some(_) => *v = ExpectedValues::Any,
302 ExpectedValues::Any => {}
303 })
304 .or_insert_with(|| {
305if values_any_specified {
306 ExpectedValues::Any
307 } else {
308 ExpectedValues::Some(values.clone())
309 }
310 });
311 }
312 }
313 }
314315check_cfg316}
317318/// The compiler configuration
319pub struct Config {
320/// Command line options
321pub opts: config::Options,
322323/// Unparsed cfg! configuration in addition to the default ones.
324pub crate_cfg: Vec<String>,
325pub crate_check_cfg: Vec<String>,
326327pub input: Input,
328pub output_dir: Option<PathBuf>,
329pub output_file: Option<OutFileName>,
330pub ice_file: Option<PathBuf>,
331/// Load files from sources other than the file system.
332 ///
333 /// Has no uses within this repository, but may be used in the future by
334 /// bjorn3 for "hooking rust-analyzer's VFS into rustc at some point for
335 /// running rustc without having to save". (See #102759.)
336pub file_loader: Option<Box<dyn FileLoader + Send + Sync>>,
337/// The list of fluent resources, used for lints declared with
338 /// [`Diagnostic`](rustc_errors::Diagnostic) and [`LintDiagnostic`](rustc_errors::LintDiagnostic).
339pub locale_resources: Vec<&'static str>,
340341pub lint_caps: FxHashMap<lint::LintId, lint::Level>,
342343/// This is a callback from the driver that is called when [`ParseSess`] is created.
344pub psess_created: Option<Box<dyn FnOnce(&mut ParseSess) + Send>>,
345346/// This is a callback to hash otherwise untracked state used by the caller, if the
347 /// hash changes between runs the incremental cache will be cleared.
348 ///
349 /// e.g. used by Clippy to hash its config file
350pub hash_untracked_state: Option<Box<dyn FnOnce(&Session, &mut StableHasher) + Send>>,
351352/// This is a callback from the driver that is called when we're registering lints;
353 /// it is called during lint loading when we have the LintStore in a non-shared state.
354 ///
355 /// Note that if you find a Some here you probably want to call that function in the new
356 /// function being registered.
357pub register_lints: Option<Box<dyn Fn(&Session, &mut LintStore) + Send + Sync>>,
358359/// This is a callback from the driver that is called just after we have populated
360 /// the list of queries.
361pub override_queries: Option<fn(&Session, &mut Providers)>,
362363/// An extra set of symbols to add to the symbol interner, the symbol indices
364 /// will start at [`PREDEFINED_SYMBOLS_COUNT`](rustc_span::symbol::PREDEFINED_SYMBOLS_COUNT)
365pub extra_symbols: Vec<&'static str>,
366367/// This is a callback from the driver that is called to create a codegen backend.
368 ///
369 /// Has no uses within this repository, but is used by bjorn3 for "the
370 /// hotswapping branch of cg_clif" for "setting the codegen backend from a
371 /// custom driver where the custom codegen backend has arbitrary data."
372 /// (See #102759.)
373pub make_codegen_backend:
374Option<Box<dyn FnOnce(&config::Options, &Target) -> Box<dyn CodegenBackend> + Send>>,
375376/// The inner atomic value is set to true when a feature marked as `internal` is
377 /// enabled. Makes it so that "please report a bug" is hidden, as ICEs with
378 /// internal features are wontfix, and they are usually the cause of the ICEs.
379pub using_internal_features: &'static std::sync::atomic::AtomicBool,
380}
381382/// Initialize jobserver before getting `jobserver::client` and `build_session`.
383pub(crate) fn initialize_checked_jobserver(early_dcx: &EarlyDiagCtxt) {
384 jobserver::initialize_checked(|err| {
385early_dcx386 .early_struct_warn(err)
387 .with_note("the build environment is likely misconfigured")
388 .emit()
389 });
390}
391392// JUSTIFICATION: before session exists, only config
393#[allow(rustc::bad_opt_access)]
394pub fn run_compiler<R: Send>(config: Config, f: impl FnOnce(&Compiler) -> R + Send) -> R {
395{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_interface/src/interface.rs:395",
"rustc_interface::interface", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_interface/src/interface.rs"),
::tracing_core::__macro_support::Option::Some(395u32),
::tracing_core::__macro_support::Option::Some("rustc_interface::interface"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("run_compiler")
as &dyn Value))])
});
} else { ; }
};trace!("run_compiler");
396397// Set parallel mode before thread pool creation, which will create `Lock`s.
398rustc_data_structures::sync::set_dyn_thread_safe_mode(config.opts.unstable_opts.threads > 1);
399400// Check jobserver before run_in_thread_pool_with_globals, which call jobserver::acquire_thread
401let early_dcx = EarlyDiagCtxt::new(config.opts.error_format);
402initialize_checked_jobserver(&early_dcx);
403404crate::callbacks::setup_callbacks();
405406let target = config::build_target_config(
407&early_dcx,
408&config.opts.target_triple,
409config.opts.sysroot.path(),
410config.opts.unstable_opts.unstable_options,
411 );
412let file_loader = config.file_loader.unwrap_or_else(|| Box::new(RealFileLoader));
413let path_mapping = config.opts.file_path_mapping();
414let hash_kind = config.opts.unstable_opts.src_hash_algorithm(&target);
415let checksum_hash_kind = config.opts.unstable_opts.checksum_hash_algorithm();
416417 util::run_in_thread_pool_with_globals(
418&early_dcx,
419config.opts.edition,
420config.opts.unstable_opts.threads,
421&config.extra_symbols,
422SourceMapInputs { file_loader, path_mapping, hash_kind, checksum_hash_kind },
423 |current_gcx, jobserver_proxy| {
424// The previous `early_dcx` can't be reused here because it doesn't
425 // impl `Send`. Creating a new one is fine.
426let early_dcx = EarlyDiagCtxt::new(config.opts.error_format);
427428let codegen_backend = match config.make_codegen_backend {
429None => util::get_codegen_backend(
430&early_dcx,
431&config.opts.sysroot,
432config.opts.unstable_opts.codegen_backend.as_deref(),
433&target,
434 ),
435Some(make_codegen_backend) => {
436// N.B. `make_codegen_backend` takes precedence over
437 // `target.default_codegen_backend`, which is ignored in this case.
438make_codegen_backend(&config.opts, &target)
439 }
440 };
441442let temps_dir = config.opts.unstable_opts.temps_dir.as_deref().map(PathBuf::from);
443444let bundle = match rustc_errors::fluent_bundle(
445&config.opts.sysroot.all_paths().collect::<Vec<_>>(),
446config.opts.unstable_opts.translate_lang.clone(),
447config.opts.unstable_opts.translate_additional_ftl.as_deref(),
448config.opts.unstable_opts.translate_directionality_markers,
449 ) {
450Ok(bundle) => bundle,
451Err(e) => early_dcx.early_fatal(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("failed to load fluent bundle: {0}",
e))
})format!("failed to load fluent bundle: {e}")),
452 };
453454let mut sess = rustc_session::build_session(
455config.opts,
456CompilerIO {
457 input: config.input,
458 output_dir: config.output_dir,
459 output_file: config.output_file,
460temps_dir,
461 },
462bundle,
463config.locale_resources,
464config.lint_caps,
465target,
466 util::rustc_version_str().unwrap_or("unknown"),
467config.ice_file,
468config.using_internal_features,
469 );
470471codegen_backend.init(&sess);
472sess.replaced_intrinsics = FxHashSet::from_iter(codegen_backend.replaced_intrinsics());
473474let cfg = parse_cfg(sess.dcx(), config.crate_cfg);
475let mut cfg = config::build_configuration(&sess, cfg);
476 util::add_configuration(&mut cfg, &mut sess, &*codegen_backend);
477sess.psess.config = cfg;
478479let mut check_cfg = parse_check_cfg(sess.dcx(), config.crate_check_cfg);
480check_cfg.fill_well_known(&sess.target);
481sess.psess.check_config = check_cfg;
482483if let Some(psess_created) = config.psess_created {
484psess_created(&mut sess.psess);
485 }
486487if let Some(hash_untracked_state) = config.hash_untracked_state {
488let mut hasher = StableHasher::new();
489hash_untracked_state(&sess, &mut hasher);
490sess.opts.untracked_state_hash = hasher.finish()
491 }
492493// Even though the session holds the lint store, we can't build the
494 // lint store until after the session exists. And we wait until now
495 // so that `register_lints` sees the fully initialized session.
496let mut lint_store = rustc_lint::new_lint_store(sess.enable_internal_lints());
497if let Some(register_lints) = config.register_lints.as_deref() {
498register_lints(&sess, &mut lint_store);
499 }
500sess.lint_store = Some(Arc::new(lint_store));
501502 util::check_abi_required_features(&sess);
503504let compiler = Compiler {
505sess,
506codegen_backend,
507 override_queries: config.override_queries,
508current_gcx,
509jobserver_proxy,
510 };
511512// There are two paths out of `f`.
513 // - Normal exit.
514 // - Panic, e.g. triggered by `abort_if_errors` or a fatal error.
515 //
516 // We must run `finish_diagnostics` in both cases.
517let res = std::panic::catch_unwind(std::panic::AssertUnwindSafe(|| f(&compiler)));
518519compiler.sess.finish_diagnostics();
520521// If error diagnostics have been emitted, we can't return an
522 // error directly, because the return type of this function
523 // is `R`, not `Result<R, E>`. But we need to communicate the
524 // errors' existence to the caller, otherwise the caller might
525 // mistakenly think that no errors occurred and return a zero
526 // exit code. So we abort (panic) instead, similar to if `f`
527 // had panicked.
528if res.is_ok() {
529compiler.sess.dcx().abort_if_errors();
530 }
531532// Also make sure to flush delayed bugs as if we panicked, the
533 // bugs would be flushed by the Drop impl of DiagCtxt while
534 // unwinding, which would result in an abort with
535 // "panic in a destructor during cleanup".
536compiler.sess.dcx().flush_delayed();
537538let res = match res {
539Ok(res) => res,
540// Resume unwinding if a panic happened.
541Err(err) => std::panic::resume_unwind(err),
542 };
543544let prof = compiler.sess.prof.clone();
545prof.generic_activity("drop_compiler").run(move || drop(compiler));
546547res548 },
549 )
550}
551552pub fn try_print_query_stack(
553 dcx: DiagCtxtHandle<'_>,
554 limit_frames: Option<usize>,
555 file: Option<std::fs::File>,
556) {
557{ ::std::io::_eprint(format_args!("query stack during panic:\n")); };eprintln!("query stack during panic:");
558559// Be careful relying on global state here: this code is called from
560 // a panic hook, which means that the global `DiagCtxt` may be in a weird
561 // state if it was responsible for triggering the panic.
562let all_frames = ty::tls::with_context_opt(|icx| {
563if let Some(icx) = icx {
564{
{
let _guard = ReducedQueriesGuard::new();
{
let _guard = ForcedImplGuard::new();
{
let _guard = NoTrimmedGuard::new();
{
let _guard = NoVisibleGuard::new();
print_query_stack(QueryCtxt::new(icx.tcx), icx.query, dcx,
limit_frames, file)
}
}
}
}
}ty::print::with_no_queries!(print_query_stack(
565 QueryCtxt::new(icx.tcx),
566 icx.query,
567 dcx,
568 limit_frames,
569 file,
570 ))571 } else {
5720
573}
574 });
575576if let Some(limit_frames) = limit_frames577 && all_frames > limit_frames578 {
579{
::std::io::_eprint(format_args!("... and {0} other queries... use `env RUST_BACKTRACE=1` to see the full query stack\n",
all_frames - limit_frames));
};eprintln!(
580"... and {} other queries... use `env RUST_BACKTRACE=1` to see the full query stack",
581 all_frames - limit_frames
582 );
583 } else {
584{ ::std::io::_eprint(format_args!("end of query stack\n")); };eprintln!("end of query stack");
585 }
586}