Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit ee85f7f

Browse files
committedNov 15, 2023
Auto merge of #117814 - RalfJung:rustc-logger-without-set-var, r=TaKO8Ki
rustc_log: provide a way to init logging based on the values, not names, of the env vars Miri wants to affect how rustc does logging. So far this required setting environment variables before calling `rustc_driver::init_rustc_env_logger`. However, `set_var` is a function one should really [avoid calling](#90308), so this adds the necessary APIs to rustc such that Miri can just pass it the *values* of all the log-relevant environment variables, rather than having to change the global environment.
2 parents 698fcc8 + 86e5d36 commit ee85f7f

File tree

5 files changed

+82
-47
lines changed

5 files changed

+82
-47
lines changed
 

‎compiler/rustc_driver_impl/src/lib.rs

+5-5
Original file line numberDiff line numberDiff line change
@@ -1520,14 +1520,14 @@ fn report_ice(
15201520
/// This allows tools to enable rust logging without having to magically match rustc's
15211521
/// tracing crate version.
15221522
pub fn init_rustc_env_logger(handler: &EarlyErrorHandler) {
1523-
init_env_logger(handler, "RUSTC_LOG");
1523+
init_logger(handler, rustc_log::LoggerConfig::from_env("RUSTC_LOG"));
15241524
}
15251525

15261526
/// This allows tools to enable rust logging without having to magically match rustc's
1527-
/// tracing crate version. In contrast to `init_rustc_env_logger` it allows you to choose an env var
1528-
/// other than `RUSTC_LOG`.
1529-
pub fn init_env_logger(handler: &EarlyErrorHandler, env: &str) {
1530-
if let Err(error) = rustc_log::init_env_logger(env) {
1527+
/// tracing crate version. In contrast to `init_rustc_env_logger` it allows you to choose
1528+
/// the values directly rather than having to set an environment variable.
1529+
pub fn init_logger(handler: &EarlyErrorHandler, cfg: rustc_log::LoggerConfig) {
1530+
if let Err(error) = rustc_log::init_logger(cfg) {
15311531
handler.early_error(error.to_string());
15321532
}
15331533
}

‎compiler/rustc_log/src/lib.rs

+34-11
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@
1414
//!
1515
//! ```
1616
//! fn main() {
17-
//! rustc_log::init_env_logger("LOG").unwrap();
17+
//! rustc_log::init_logger(rustc_log::LoggerConfig::from_env("LOG")).unwrap();
1818
//!
1919
//! let edition = rustc_span::edition::Edition::Edition2021;
2020
//! rustc_span::create_session_globals_then(edition, || {
@@ -52,13 +52,36 @@ use tracing_subscriber::fmt::{
5252
};
5353
use tracing_subscriber::layer::SubscriberExt;
5454

55-
pub fn init_env_logger(env: &str) -> Result<(), Error> {
56-
let filter = match env::var(env) {
55+
/// The values of all the environment variables that matter for configuring a logger.
56+
/// Errors are explicitly preserved so that we can share error handling.
57+
pub struct LoggerConfig {
58+
pub filter: Result<String, VarError>,
59+
pub color_logs: Result<String, VarError>,
60+
pub verbose_entry_exit: Result<String, VarError>,
61+
pub verbose_thread_ids: Result<String, VarError>,
62+
pub backtrace: Result<String, VarError>,
63+
}
64+
65+
impl LoggerConfig {
66+
pub fn from_env(env: &str) -> Self {
67+
LoggerConfig {
68+
filter: env::var(env),
69+
color_logs: env::var(format!("{env}_COLOR")),
70+
verbose_entry_exit: env::var(format!("{env}_ENTRY_EXIT")),
71+
verbose_thread_ids: env::var(format!("{env}_THREAD_IDS")),
72+
backtrace: env::var(format!("{env}_BACKTRACE")),
73+
}
74+
}
75+
}
76+
77+
/// Initialize the logger with the given values for the filter, coloring, and other options env variables.
78+
pub fn init_logger(cfg: LoggerConfig) -> Result<(), Error> {
79+
let filter = match cfg.filter {
5780
Ok(env) => EnvFilter::new(env),
5881
_ => EnvFilter::default().add_directive(Directive::from(LevelFilter::WARN)),
5982
};
6083

61-
let color_logs = match env::var(String::from(env) + "_COLOR") {
84+
let color_logs = match cfg.color_logs {
6285
Ok(value) => match value.as_ref() {
6386
"always" => true,
6487
"never" => false,
@@ -69,14 +92,14 @@ pub fn init_env_logger(env: &str) -> Result<(), Error> {
6992
Err(VarError::NotUnicode(_value)) => return Err(Error::NonUnicodeColorValue),
7093
};
7194

72-
let verbose_entry_exit = match env::var_os(String::from(env) + "_ENTRY_EXIT") {
73-
None => false,
74-
Some(v) => &v != "0",
95+
let verbose_entry_exit = match cfg.verbose_entry_exit {
96+
Ok(v) => &v != "0",
97+
Err(_) => false,
7598
};
7699

77-
let verbose_thread_ids = match env::var_os(String::from(env) + "_THREAD_IDS") {
78-
None => false,
79-
Some(v) => &v == "1",
100+
let verbose_thread_ids = match cfg.verbose_thread_ids {
101+
Ok(v) => &v == "1",
102+
Err(_) => false,
80103
};
81104

82105
let layer = tracing_tree::HierarchicalLayer::default()
@@ -91,7 +114,7 @@ pub fn init_env_logger(env: &str) -> Result<(), Error> {
91114
.with_thread_names(verbose_thread_ids);
92115

93116
let subscriber = tracing_subscriber::Registry::default().with(filter).with(layer);
94-
match env::var(format!("{env}_BACKTRACE")) {
117+
match cfg.backtrace {
95118
Ok(str) => {
96119
let fmt_layer = tracing_subscriber::fmt::layer()
97120
.with_writer(io::stderr)

‎src/librustdoc/lib.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -53,6 +53,7 @@ extern crate rustc_interface;
5353
extern crate rustc_lexer;
5454
extern crate rustc_lint;
5555
extern crate rustc_lint_defs;
56+
extern crate rustc_log;
5657
extern crate rustc_macros;
5758
extern crate rustc_metadata;
5859
extern crate rustc_middle;
@@ -175,7 +176,7 @@ pub fn main() {
175176
// in the sysroot), and all of rustdoc's logging goes to its version (the one in Cargo.toml).
176177

177178
init_logging(&handler);
178-
rustc_driver::init_env_logger(&handler, "RUSTDOC_LOG");
179+
rustc_driver::init_logger(&handler, rustc_log::LoggerConfig::from_env("RUSTDOC_LOG"));
179180

180181
let exit_code = rustc_driver::catch_with_exit_code(|| match get_args(&handler) {
181182
Some(args) => main_args(&mut handler, &args, using_internal_features),

‎src/tools/error_index_generator/main.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
#![feature(rustc_private)]
22

33
extern crate rustc_driver;
4+
extern crate rustc_log;
45
extern crate rustc_session;
56

67
use std::env;
@@ -173,7 +174,7 @@ fn parse_args() -> (OutputFormat, PathBuf) {
173174
fn main() {
174175
let handler =
175176
rustc_session::EarlyErrorHandler::new(rustc_session::config::ErrorOutputType::default());
176-
rustc_driver::init_env_logger(&handler, "RUST_LOG");
177+
rustc_driver::init_logger(&handler, rustc_log::LoggerConfig::from_env("RUST_LOG"));
177178
let (format, dst) = parse_args();
178179
let result = main_with_result(format, &dst);
179180
if let Err(e) = result {

‎src/tools/miri/src/bin/miri.rs

+39-29
Original file line numberDiff line numberDiff line change
@@ -9,11 +9,12 @@ extern crate rustc_data_structures;
99
extern crate rustc_driver;
1010
extern crate rustc_hir;
1111
extern crate rustc_interface;
12+
extern crate rustc_log;
1213
extern crate rustc_metadata;
1314
extern crate rustc_middle;
1415
extern crate rustc_session;
1516

16-
use std::env;
17+
use std::env::{self, VarError};
1718
use std::num::NonZeroU64;
1819
use std::path::PathBuf;
1920
use std::str::FromStr;
@@ -183,45 +184,54 @@ macro_rules! show_error {
183184
($($tt:tt)*) => { show_error(&format_args!($($tt)*)) };
184185
}
185186

186-
fn init_early_loggers(handler: &EarlyErrorHandler) {
187-
// Note that our `extern crate log` is *not* the same as rustc's; as a result, we have to
188-
// initialize them both, and we always initialize `miri`'s first.
189-
let env = env_logger::Env::new().filter("MIRI_LOG").write_style("MIRI_LOG_STYLE");
190-
env_logger::init_from_env(env);
191-
// Enable verbose entry/exit logging by default if MIRI_LOG is set.
192-
if env::var_os("MIRI_LOG").is_some() && env::var_os("RUSTC_LOG_ENTRY_EXIT").is_none() {
193-
env::set_var("RUSTC_LOG_ENTRY_EXIT", "1");
194-
}
195-
// We only initialize `rustc` if the env var is set (so the user asked for it).
196-
// If it is not set, we avoid initializing now so that we can initialize
197-
// later with our custom settings, and *not* log anything for what happens before
198-
// `miri` gets started.
199-
if env::var_os("RUSTC_LOG").is_some() {
200-
rustc_driver::init_rustc_env_logger(handler);
201-
}
202-
}
187+
fn rustc_logger_config() -> rustc_log::LoggerConfig {
188+
// Start with the usual env vars.
189+
let mut cfg = rustc_log::LoggerConfig::from_env("RUSTC_LOG");
203190

204-
fn init_late_loggers(handler: &EarlyErrorHandler, tcx: TyCtxt<'_>) {
205-
// We initialize loggers right before we start evaluation. We overwrite the `RUSTC_LOG`
206-
// env var if it is not set, control it based on `MIRI_LOG`.
207-
// (FIXME: use `var_os`, but then we need to manually concatenate instead of `format!`.)
191+
// Overwrite if MIRI_LOG is set.
208192
if let Ok(var) = env::var("MIRI_LOG") {
209-
if env::var_os("RUSTC_LOG").is_none() {
193+
// MIRI_LOG serves as default for RUSTC_LOG, if that is not set.
194+
if matches!(cfg.filter, Err(VarError::NotPresent)) {
210195
// We try to be a bit clever here: if `MIRI_LOG` is just a single level
211196
// used for everything, we only apply it to the parts of rustc that are
212197
// CTFE-related. Otherwise, we use it verbatim for `RUSTC_LOG`.
213198
// This way, if you set `MIRI_LOG=trace`, you get only the right parts of
214199
// rustc traced, but you can also do `MIRI_LOG=miri=trace,rustc_const_eval::interpret=debug`.
215200
if log::Level::from_str(&var).is_ok() {
216-
env::set_var(
217-
"RUSTC_LOG",
218-
format!("rustc_middle::mir::interpret={var},rustc_const_eval::interpret={var}"),
219-
);
201+
cfg.filter = Ok(format!(
202+
"rustc_middle::mir::interpret={var},rustc_const_eval::interpret={var}"
203+
));
220204
} else {
221-
env::set_var("RUSTC_LOG", &var);
205+
cfg.filter = Ok(var);
222206
}
223-
rustc_driver::init_rustc_env_logger(handler);
224207
}
208+
// Enable verbose entry/exit logging by default if MIRI_LOG is set.
209+
if matches!(cfg.verbose_entry_exit, Err(VarError::NotPresent)) {
210+
cfg.verbose_entry_exit = Ok(format!("1"));
211+
}
212+
}
213+
214+
cfg
215+
}
216+
217+
fn init_early_loggers(handler: &EarlyErrorHandler) {
218+
// Note that our `extern crate log` is *not* the same as rustc's; as a result, we have to
219+
// initialize them both, and we always initialize `miri`'s first.
220+
let env = env_logger::Env::new().filter("MIRI_LOG").write_style("MIRI_LOG_STYLE");
221+
env_logger::init_from_env(env);
222+
// Now for rustc. We only initialize `rustc` if the env var is set (so the user asked for it).
223+
// If it is not set, we avoid initializing now so that we can initialize later with our custom
224+
// settings, and *not* log anything for what happens before `miri` gets started.
225+
if env::var_os("RUSTC_LOG").is_some() {
226+
rustc_driver::init_logger(handler, rustc_logger_config());
227+
}
228+
}
229+
230+
fn init_late_loggers(handler: &EarlyErrorHandler, tcx: TyCtxt<'_>) {
231+
// If `RUSTC_LOG` is not set, then `init_early_loggers` did not call
232+
// `rustc_driver::init_logger`, so we have to do this now.
233+
if env::var_os("RUSTC_LOG").is_none() {
234+
rustc_driver::init_logger(handler, rustc_logger_config());
225235
}
226236

227237
// If `MIRI_BACKTRACE` is set and `RUSTC_CTFE_BACKTRACE` is not, set `RUSTC_CTFE_BACKTRACE`.

0 commit comments

Comments
 (0)
Failed to load comments.