rustc_interface/
interface.rs

1use std::path::PathBuf;
2use std::result;
3use std::sync::Arc;
4
5use 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::registry::Registry;
11use rustc_errors::{DiagCtxtHandle, ErrorGuaranteed};
12use rustc_lint::LintStore;
13use rustc_middle::ty;
14use rustc_middle::ty::CurrentGcx;
15use rustc_middle::util::Providers;
16use rustc_parse::lexer::StripTokens;
17use rustc_parse::new_parser_from_source_str;
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 tracing::trace;
27
28use crate::util;
29
30pub type Result<T> = result::Result<T, ErrorGuaranteed>;
31
32/// Represents a compiler session. Note that every `Compiler` contains a
33/// `Session`, but `Compiler` also contains some things that cannot be in
34/// `Session`, due to `Session` being in a crate that has many fewer
35/// dependencies than this crate.
36///
37/// Can be used to run `rustc_interface` queries.
38/// Created by passing [`Config`] to [`run_compiler`].
39pub struct Compiler {
40    pub sess: Session,
41    pub codegen_backend: Box<dyn CodegenBackend>,
42    pub(crate) override_queries: Option<fn(&Session, &mut Providers)>,
43
44    /// A reference to the current `GlobalCtxt` which we pass on to `GlobalCtxt`.
45    pub(crate) current_gcx: CurrentGcx,
46
47    /// A jobserver reference which we pass on to `GlobalCtxt`.
48    pub(crate) jobserver_proxy: Arc<Proxy>,
49}
50
51/// Converts strings provided as `--cfg [cfgspec]` into a `Cfg`.
52pub(crate) fn parse_cfg(dcx: DiagCtxtHandle<'_>, cfgs: Vec<String>) -> Cfg {
53    cfgs.into_iter()
54        .map(|s| {
55            let psess = ParseSess::with_fatal_emitter(
56                vec![crate::DEFAULT_LOCALE_RESOURCE, rustc_parse::DEFAULT_LOCALE_RESOURCE],
57                format!("this error occurred on the command line: `--cfg={s}`"),
58            );
59            let filename = FileName::cfg_spec_source_code(&s);
60
61            macro_rules! error {
62                ($reason: expr) => {
63                    #[allow(rustc::untranslatable_diagnostic)]
64                    #[allow(rustc::diagnostic_outside_of_impl)]
65                    dcx.fatal(format!(
66                        concat!("invalid `--cfg` argument: `{}` (", $reason, ")"),
67                        s
68                    ));
69                };
70            }
71
72            match new_parser_from_source_str(&psess, filename, s.to_string(), StripTokens::Nothing)
73            {
74                Ok(mut parser) => match parser.parse_meta_item(AllowLeadingUnsafe::No) {
75                    Ok(meta_item) if parser.token == token::Eof => {
76                        if meta_item.path.segments.len() != 1 {
77                            error!("argument key must be an identifier");
78                        }
79                        match &meta_item.kind {
80                            MetaItemKind::List(..) => {}
81                            MetaItemKind::NameValue(lit) if !lit.kind.is_str() => {
82                                error!("argument value must be a string");
83                            }
84                            MetaItemKind::NameValue(..) | MetaItemKind::Word => {
85                                let ident = meta_item.ident().expect("multi-segment cfg key");
86                                return (ident.name, meta_item.value_str());
87                            }
88                        }
89                    }
90                    Ok(..) => {}
91                    Err(err) => err.cancel(),
92                },
93                Err(errs) => errs.into_iter().for_each(|err| err.cancel()),
94            }
95
96            // If the user tried to use a key="value" flag, but is missing the quotes, provide
97            // a hint about how to resolve this.
98            if s.contains('=') && !s.contains("=\"") && !s.ends_with('"') {
99                error!(concat!(
100                    r#"expected `key` or `key="value"`, ensure escaping is appropriate"#,
101                    r#" for your shell, try 'key="value"' or key=\"value\""#
102                ));
103            } else {
104                error!(r#"expected `key` or `key="value"`"#);
105            }
106        })
107        .collect::<Cfg>()
108}
109
110/// Converts strings provided as `--check-cfg [specs]` into a `CheckCfg`.
111pub(crate) fn parse_check_cfg(dcx: DiagCtxtHandle<'_>, specs: Vec<String>) -> CheckCfg {
112    // If any --check-cfg is passed then exhaustive_values and exhaustive_names
113    // are enabled by default.
114    let exhaustive_names = !specs.is_empty();
115    let exhaustive_values = !specs.is_empty();
116    let mut check_cfg = CheckCfg { exhaustive_names, exhaustive_values, ..CheckCfg::default() };
117
118    for s in specs {
119        let psess = ParseSess::with_fatal_emitter(
120            vec![crate::DEFAULT_LOCALE_RESOURCE, rustc_parse::DEFAULT_LOCALE_RESOURCE],
121            format!("this error occurred on the command line: `--check-cfg={s}`"),
122        );
123        let filename = FileName::cfg_spec_source_code(&s);
124
125        const VISIT: &str =
126            "visit <https://doc.rust-lang.org/nightly/rustc/check-cfg.html> for more details";
127
128        macro_rules! error {
129            ($reason:expr) => {
130                #[allow(rustc::untranslatable_diagnostic)]
131                #[allow(rustc::diagnostic_outside_of_impl)]
132                {
133                    let mut diag =
134                        dcx.struct_fatal(format!("invalid `--check-cfg` argument: `{s}`"));
135                    diag.note($reason);
136                    diag.note(VISIT);
137                    diag.emit()
138                }
139            };
140            (in $arg:expr, $reason:expr) => {
141                #[allow(rustc::untranslatable_diagnostic)]
142                #[allow(rustc::diagnostic_outside_of_impl)]
143                {
144                    let mut diag =
145                        dcx.struct_fatal(format!("invalid `--check-cfg` argument: `{s}`"));
146
147                    let pparg = rustc_ast_pretty::pprust::meta_list_item_to_string($arg);
148                    if let Some(lit) = $arg.lit() {
149                        let (lit_kind_article, lit_kind_descr) = {
150                            let lit_kind = lit.as_token_lit().kind;
151                            (lit_kind.article(), lit_kind.descr())
152                        };
153                        diag.note(format!(
154                            "`{pparg}` is {lit_kind_article} {lit_kind_descr} literal"
155                        ));
156                    } else {
157                        diag.note(format!("`{pparg}` is invalid"));
158                    }
159
160                    diag.note($reason);
161                    diag.note(VISIT);
162                    diag.emit()
163                }
164            };
165        }
166
167        let expected_error = || -> ! {
168            error!("expected `cfg(name, values(\"value1\", \"value2\", ... \"valueN\"))`")
169        };
170
171        let mut parser =
172            match new_parser_from_source_str(&psess, filename, s.to_string(), StripTokens::Nothing)
173            {
174                Ok(parser) => parser,
175                Err(errs) => {
176                    errs.into_iter().for_each(|err| err.cancel());
177                    expected_error();
178                }
179            };
180
181        let meta_item = match parser.parse_meta_item(AllowLeadingUnsafe::No) {
182            Ok(meta_item) if parser.token == token::Eof => meta_item,
183            Ok(..) => expected_error(),
184            Err(err) => {
185                err.cancel();
186                expected_error();
187            }
188        };
189
190        let Some(args) = meta_item.meta_item_list() else {
191            expected_error();
192        };
193
194        if !meta_item.has_name(sym::cfg) {
195            expected_error();
196        }
197
198        let mut names = Vec::new();
199        let mut values: FxHashSet<_> = Default::default();
200
201        let mut any_specified = false;
202        let mut values_specified = false;
203        let mut values_any_specified = false;
204
205        for arg in args {
206            if arg.is_word()
207                && let Some(ident) = arg.ident()
208            {
209                if values_specified {
210                    error!("`cfg()` names cannot be after values");
211                }
212                names.push(ident);
213            } else if let Some(boolean) = arg.boolean_literal() {
214                if values_specified {
215                    error!("`cfg()` names cannot be after values");
216                }
217                names.push(rustc_span::Ident::new(
218                    if boolean { rustc_span::kw::True } else { rustc_span::kw::False },
219                    arg.span(),
220                ));
221            } else if arg.has_name(sym::any)
222                && let Some(args) = arg.meta_item_list()
223            {
224                if any_specified {
225                    error!("`any()` cannot be specified multiple times");
226                }
227                any_specified = true;
228                if !args.is_empty() {
229                    error!(in arg, "`any()` takes no argument");
230                }
231            } else if arg.has_name(sym::values)
232                && let Some(args) = arg.meta_item_list()
233            {
234                if names.is_empty() {
235                    error!("`values()` cannot be specified before the names");
236                } else if values_specified {
237                    error!("`values()` cannot be specified multiple times");
238                }
239                values_specified = true;
240
241                for arg in args {
242                    if let Some(LitKind::Str(s, _)) = arg.lit().map(|lit| &lit.kind) {
243                        values.insert(Some(*s));
244                    } else if arg.has_name(sym::any)
245                        && let Some(args) = arg.meta_item_list()
246                    {
247                        if values_any_specified {
248                            error!(in arg, "`any()` in `values()` cannot be specified multiple times");
249                        }
250                        values_any_specified = true;
251                        if !args.is_empty() {
252                            error!(in arg, "`any()` in `values()` takes no argument");
253                        }
254                    } else if arg.has_name(sym::none)
255                        && let Some(args) = arg.meta_item_list()
256                    {
257                        values.insert(None);
258                        if !args.is_empty() {
259                            error!(in arg, "`none()` in `values()` takes no argument");
260                        }
261                    } else {
262                        error!(in arg, "`values()` arguments must be string literals, `none()` or `any()`");
263                    }
264                }
265            } else {
266                error!(in arg, "`cfg()` arguments must be simple identifiers, `any()` or `values(...)`");
267            }
268        }
269
270        if !values_specified && !any_specified {
271            // `cfg(name)` is equivalent to `cfg(name, values(none()))` so add
272            // an implicit `none()`
273            values.insert(None);
274        } else if !values.is_empty() && values_any_specified {
275            error!(
276                "`values()` arguments cannot specify string literals and `any()` at the same time"
277            );
278        }
279
280        if any_specified {
281            if names.is_empty() && values.is_empty() && !values_specified && !values_any_specified {
282                check_cfg.exhaustive_names = false;
283            } else {
284                error!("`cfg(any())` can only be provided in isolation");
285            }
286        } else {
287            for name in names {
288                check_cfg
289                    .expecteds
290                    .entry(name.name)
291                    .and_modify(|v| match v {
292                        ExpectedValues::Some(v) if !values_any_specified =>
293                        {
294                            #[allow(rustc::potential_query_instability)]
295                            v.extend(values.clone())
296                        }
297                        ExpectedValues::Some(_) => *v = ExpectedValues::Any,
298                        ExpectedValues::Any => {}
299                    })
300                    .or_insert_with(|| {
301                        if values_any_specified {
302                            ExpectedValues::Any
303                        } else {
304                            ExpectedValues::Some(values.clone())
305                        }
306                    });
307            }
308        }
309    }
310
311    check_cfg
312}
313
314/// The compiler configuration
315pub struct Config {
316    /// Command line options
317    pub opts: config::Options,
318
319    /// Unparsed cfg! configuration in addition to the default ones.
320    pub crate_cfg: Vec<String>,
321    pub crate_check_cfg: Vec<String>,
322
323    pub input: Input,
324    pub output_dir: Option<PathBuf>,
325    pub output_file: Option<OutFileName>,
326    pub ice_file: Option<PathBuf>,
327    /// Load files from sources other than the file system.
328    ///
329    /// Has no uses within this repository, but may be used in the future by
330    /// bjorn3 for "hooking rust-analyzer's VFS into rustc at some point for
331    /// running rustc without having to save". (See #102759.)
332    pub file_loader: Option<Box<dyn FileLoader + Send + Sync>>,
333    /// The list of fluent resources, used for lints declared with
334    /// [`Diagnostic`](rustc_errors::Diagnostic) and [`LintDiagnostic`](rustc_errors::LintDiagnostic).
335    pub locale_resources: Vec<&'static str>,
336
337    pub lint_caps: FxHashMap<lint::LintId, lint::Level>,
338
339    /// This is a callback from the driver that is called when [`ParseSess`] is created.
340    pub psess_created: Option<Box<dyn FnOnce(&mut ParseSess) + Send>>,
341
342    /// This is a callback to hash otherwise untracked state used by the caller, if the
343    /// hash changes between runs the incremental cache will be cleared.
344    ///
345    /// e.g. used by Clippy to hash its config file
346    pub hash_untracked_state: Option<Box<dyn FnOnce(&Session, &mut StableHasher) + Send>>,
347
348    /// This is a callback from the driver that is called when we're registering lints;
349    /// it is called during lint loading when we have the LintStore in a non-shared state.
350    ///
351    /// Note that if you find a Some here you probably want to call that function in the new
352    /// function being registered.
353    pub register_lints: Option<Box<dyn Fn(&Session, &mut LintStore) + Send + Sync>>,
354
355    /// This is a callback from the driver that is called just after we have populated
356    /// the list of queries.
357    pub override_queries: Option<fn(&Session, &mut Providers)>,
358
359    /// An extra set of symbols to add to the symbol interner, the symbol indices
360    /// will start at [`PREDEFINED_SYMBOLS_COUNT`](rustc_span::symbol::PREDEFINED_SYMBOLS_COUNT)
361    pub extra_symbols: Vec<&'static str>,
362
363    /// This is a callback from the driver that is called to create a codegen backend.
364    ///
365    /// Has no uses within this repository, but is used by bjorn3 for "the
366    /// hotswapping branch of cg_clif" for "setting the codegen backend from a
367    /// custom driver where the custom codegen backend has arbitrary data."
368    /// (See #102759.)
369    pub make_codegen_backend:
370        Option<Box<dyn FnOnce(&config::Options) -> Box<dyn CodegenBackend> + Send>>,
371
372    /// Registry of diagnostics codes.
373    pub registry: Registry,
374
375    /// The inner atomic value is set to true when a feature marked as `internal` is
376    /// enabled. Makes it so that "please report a bug" is hidden, as ICEs with
377    /// internal features are wontfix, and they are usually the cause of the ICEs.
378    pub using_internal_features: &'static std::sync::atomic::AtomicBool,
379}
380
381/// Initialize jobserver before getting `jobserver::client` and `build_session`.
382pub(crate) fn initialize_checked_jobserver(early_dcx: &EarlyDiagCtxt) {
383    jobserver::initialize_checked(|err| {
384        #[allow(rustc::untranslatable_diagnostic)]
385        #[allow(rustc::diagnostic_outside_of_impl)]
386        early_dcx
387            .early_struct_warn(err)
388            .with_note("the build environment is likely misconfigured")
389            .emit()
390    });
391}
392
393// JUSTIFICATION: before session exists, only config
394#[allow(rustc::bad_opt_access)]
395pub fn run_compiler<R: Send>(config: Config, f: impl FnOnce(&Compiler) -> R + Send) -> R {
396    trace!("run_compiler");
397
398    // Set parallel mode before thread pool creation, which will create `Lock`s.
399    rustc_data_structures::sync::set_dyn_thread_safe_mode(config.opts.unstable_opts.threads > 1);
400
401    // Check jobserver before run_in_thread_pool_with_globals, which call jobserver::acquire_thread
402    let early_dcx = EarlyDiagCtxt::new(config.opts.error_format);
403    initialize_checked_jobserver(&early_dcx);
404
405    crate::callbacks::setup_callbacks();
406
407    let target = config::build_target_config(
408        &early_dcx,
409        &config.opts.target_triple,
410        config.opts.sysroot.path(),
411    );
412    let file_loader = config.file_loader.unwrap_or_else(|| Box::new(RealFileLoader));
413    let path_mapping = config.opts.file_path_mapping();
414    let hash_kind = config.opts.unstable_opts.src_hash_algorithm(&target);
415    let checksum_hash_kind = config.opts.unstable_opts.checksum_hash_algorithm();
416
417    util::run_in_thread_pool_with_globals(
418        &early_dcx,
419        config.opts.edition,
420        config.opts.unstable_opts.threads,
421        &config.extra_symbols,
422        SourceMapInputs { 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.
426            let early_dcx = EarlyDiagCtxt::new(config.opts.error_format);
427
428            let codegen_backend = match config.make_codegen_backend {
429                None => util::get_codegen_backend(
430                    &early_dcx,
431                    &config.opts.sysroot,
432                    config.opts.unstable_opts.codegen_backend.as_deref(),
433                    &target,
434                ),
435                Some(make_codegen_backend) => {
436                    // N.B. `make_codegen_backend` takes precedence over
437                    // `target.default_codegen_backend`, which is ignored in this case.
438                    make_codegen_backend(&config.opts)
439                }
440            };
441
442            let temps_dir = config.opts.unstable_opts.temps_dir.as_deref().map(PathBuf::from);
443
444            let bundle = match rustc_errors::fluent_bundle(
445                &config.opts.sysroot.all_paths().collect::<Vec<_>>(),
446                config.opts.unstable_opts.translate_lang.clone(),
447                config.opts.unstable_opts.translate_additional_ftl.as_deref(),
448                config.opts.unstable_opts.translate_directionality_markers,
449            ) {
450                Ok(bundle) => bundle,
451                Err(e) => {
452                    // We can't translate anything if we failed to load translations
453                    #[allow(rustc::untranslatable_diagnostic)]
454                    early_dcx.early_fatal(format!("failed to load fluent bundle: {e}"))
455                }
456            };
457
458            let mut locale_resources = config.locale_resources;
459            locale_resources.push(codegen_backend.locale_resource());
460
461            let mut sess = rustc_session::build_session(
462                config.opts,
463                CompilerIO {
464                    input: config.input,
465                    output_dir: config.output_dir,
466                    output_file: config.output_file,
467                    temps_dir,
468                },
469                bundle,
470                config.registry,
471                locale_resources,
472                config.lint_caps,
473                target,
474                util::rustc_version_str().unwrap_or("unknown"),
475                config.ice_file,
476                config.using_internal_features,
477            );
478
479            codegen_backend.init(&sess);
480
481            let cfg = parse_cfg(sess.dcx(), config.crate_cfg);
482            let mut cfg = config::build_configuration(&sess, cfg);
483            util::add_configuration(&mut cfg, &mut sess, &*codegen_backend);
484            sess.psess.config = cfg;
485
486            let mut check_cfg = parse_check_cfg(sess.dcx(), config.crate_check_cfg);
487            check_cfg.fill_well_known(&sess.target);
488            sess.psess.check_config = check_cfg;
489
490            if let Some(psess_created) = config.psess_created {
491                psess_created(&mut sess.psess);
492            }
493
494            if let Some(hash_untracked_state) = config.hash_untracked_state {
495                let mut hasher = StableHasher::new();
496                hash_untracked_state(&sess, &mut hasher);
497                sess.opts.untracked_state_hash = hasher.finish()
498            }
499
500            // Even though the session holds the lint store, we can't build the
501            // lint store until after the session exists. And we wait until now
502            // so that `register_lints` sees the fully initialized session.
503            let mut lint_store = rustc_lint::new_lint_store(sess.enable_internal_lints());
504            if let Some(register_lints) = config.register_lints.as_deref() {
505                register_lints(&sess, &mut lint_store);
506            }
507            sess.lint_store = Some(Arc::new(lint_store));
508
509            util::check_abi_required_features(&sess);
510
511            let compiler = Compiler {
512                sess,
513                codegen_backend,
514                override_queries: config.override_queries,
515                current_gcx,
516                jobserver_proxy,
517            };
518
519            // There are two paths out of `f`.
520            // - Normal exit.
521            // - Panic, e.g. triggered by `abort_if_errors` or a fatal error.
522            //
523            // We must run `finish_diagnostics` in both cases.
524            let res = std::panic::catch_unwind(std::panic::AssertUnwindSafe(|| f(&compiler)));
525
526            compiler.sess.finish_diagnostics();
527
528            // If error diagnostics have been emitted, we can't return an
529            // error directly, because the return type of this function
530            // is `R`, not `Result<R, E>`. But we need to communicate the
531            // errors' existence to the caller, otherwise the caller might
532            // mistakenly think that no errors occurred and return a zero
533            // exit code. So we abort (panic) instead, similar to if `f`
534            // had panicked.
535            if res.is_ok() {
536                compiler.sess.dcx().abort_if_errors();
537            }
538
539            // Also make sure to flush delayed bugs as if we panicked, the
540            // bugs would be flushed by the Drop impl of DiagCtxt while
541            // unwinding, which would result in an abort with
542            // "panic in a destructor during cleanup".
543            compiler.sess.dcx().flush_delayed();
544
545            let res = match res {
546                Ok(res) => res,
547                // Resume unwinding if a panic happened.
548                Err(err) => std::panic::resume_unwind(err),
549            };
550
551            let prof = compiler.sess.prof.clone();
552            prof.generic_activity("drop_compiler").run(move || drop(compiler));
553
554            res
555        },
556    )
557}
558
559pub fn try_print_query_stack(
560    dcx: DiagCtxtHandle<'_>,
561    limit_frames: Option<usize>,
562    file: Option<std::fs::File>,
563) {
564    eprintln!("query stack during panic:");
565
566    // Be careful relying on global state here: this code is called from
567    // a panic hook, which means that the global `DiagCtxt` may be in a weird
568    // state if it was responsible for triggering the panic.
569    let all_frames = ty::tls::with_context_opt(|icx| {
570        if let Some(icx) = icx {
571            ty::print::with_no_queries!(print_query_stack(
572                QueryCtxt::new(icx.tcx),
573                icx.query,
574                dcx,
575                limit_frames,
576                file,
577            ))
578        } else {
579            0
580        }
581    });
582
583    if let Some(limit_frames) = limit_frames
584        && all_frames > limit_frames
585    {
586        eprintln!(
587            "... and {} other queries... use `env RUST_BACKTRACE=1` to see the full query stack",
588            all_frames - limit_frames
589        );
590    } else {
591        eprintln!("end of query stack");
592    }
593}