2016-09-30 08:25:07 +00:00
|
|
|
//! Rocket's logging infrastructure.
|
|
|
|
|
2020-09-03 05:41:31 +00:00
|
|
|
use std::fmt;
|
2016-10-03 10:39:56 +00:00
|
|
|
use std::str::FromStr;
|
2021-04-24 02:13:30 +00:00
|
|
|
use std::sync::atomic::{AtomicBool, Ordering};
|
2016-10-03 10:39:56 +00:00
|
|
|
|
2020-09-03 05:41:31 +00:00
|
|
|
use serde::{de, Serialize, Serializer, Deserialize, Deserializer};
|
2021-04-24 02:13:30 +00:00
|
|
|
use yansi::Paint;
|
|
|
|
|
|
|
|
/// Reexport the `log` crate as `private`.
|
|
|
|
pub use log as private;
|
|
|
|
|
|
|
|
// Expose logging macros (hidden) for use by core/contrib codegen.
|
|
|
|
macro_rules! define_log_macro {
|
|
|
|
($name:ident: $kind:ident, $target:expr, $d:tt) => (
|
|
|
|
#[doc(hidden)]
|
|
|
|
#[macro_export]
|
|
|
|
macro_rules! $name {
|
|
|
|
($d ($t:tt)*) => ($crate::log::private::$kind!(target: $target, $d ($t)*))
|
|
|
|
}
|
|
|
|
);
|
|
|
|
($kind:ident, $indented:ident) => (
|
|
|
|
define_log_macro!($kind: $kind, module_path!(), $);
|
|
|
|
define_log_macro!($indented: $kind, "_", $);
|
|
|
|
|
|
|
|
pub use $indented;
|
|
|
|
)
|
|
|
|
}
|
|
|
|
|
|
|
|
define_log_macro!(error, error_);
|
|
|
|
define_log_macro!(warn, warn_);
|
|
|
|
define_log_macro!(info, info_);
|
|
|
|
define_log_macro!(debug, debug_);
|
|
|
|
define_log_macro!(trace, trace_);
|
|
|
|
define_log_macro!(launch_info: warn, "rocket::launch", $);
|
|
|
|
define_log_macro!(launch_info_: warn, "rocket::launch_", $);
|
2016-08-24 08:34:00 +00:00
|
|
|
|
2020-09-03 05:41:31 +00:00
|
|
|
#[derive(Debug)]
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
struct RocketLogger;
|
2018-10-22 02:46:37 +00:00
|
|
|
|
2020-09-03 05:41:31 +00:00
|
|
|
/// Defines the maximum level of log messages to show.
|
2016-10-03 10:39:56 +00:00
|
|
|
#[derive(PartialEq, Eq, Debug, Clone, Copy)]
|
2020-09-03 05:41:31 +00:00
|
|
|
pub enum LogLevel {
|
|
|
|
/// Only shows errors and warnings: `"critical"`.
|
2016-08-24 08:34:00 +00:00
|
|
|
Critical,
|
2020-09-03 05:41:31 +00:00
|
|
|
/// Shows everything except debug and trace information: `"normal"`.
|
2016-08-24 08:34:00 +00:00
|
|
|
Normal,
|
2020-09-03 05:41:31 +00:00
|
|
|
/// Shows everything: `"debug"`.
|
2016-08-24 08:34:00 +00:00
|
|
|
Debug,
|
2020-09-03 05:41:31 +00:00
|
|
|
/// Shows nothing: "`"off"`".
|
2018-07-03 20:47:17 +00:00
|
|
|
Off,
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
|
|
|
|
2021-04-24 02:13:30 +00:00
|
|
|
pub trait PaintExt {
|
|
|
|
fn emoji(item: &str) -> Paint<&str>;
|
2020-09-03 05:41:31 +00:00
|
|
|
}
|
2017-01-14 00:45:46 +00:00
|
|
|
|
2021-04-24 02:13:30 +00:00
|
|
|
// Whether a record is a special `launch_info!` record.
|
|
|
|
fn is_launch_record(record: &log::Metadata<'_>) -> bool {
|
|
|
|
record.target().contains("rocket::launch")
|
2017-01-14 00:45:46 +00:00
|
|
|
}
|
|
|
|
|
2018-01-29 21:16:04 +00:00
|
|
|
impl log::Log for RocketLogger {
|
2017-04-13 08:13:25 +00:00
|
|
|
#[inline(always)]
|
2019-06-13 01:48:02 +00:00
|
|
|
fn enabled(&self, record: &log::Metadata<'_>) -> bool {
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
match log::max_level().to_level() {
|
2021-04-24 02:13:30 +00:00
|
|
|
Some(max) => record.level() <= max || is_launch_record(record),
|
2018-07-03 20:47:17 +00:00
|
|
|
None => false
|
|
|
|
}
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
|
|
|
|
2019-06-13 01:48:02 +00:00
|
|
|
fn log(&self, record: &log::Record<'_>) {
|
2018-01-29 21:16:04 +00:00
|
|
|
// Print nothing if this level isn't enabled and this isn't launch info.
|
2016-08-24 08:34:00 +00:00
|
|
|
if !self.enabled(record.metadata()) {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
// Don't print Hyper, Rustls or r2d2 messages unless debug is enabled.
|
|
|
|
let max = log::max_level();
|
2021-04-08 02:44:02 +00:00
|
|
|
let from = |path| record.module_path().map_or(false, |m| m.starts_with(path));
|
|
|
|
let debug_only = from("hyper") || from("rustls") || from("r2d2");
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
if LogLevel::Debug.to_level_filter() > max && debug_only {
|
2016-10-09 11:29:02 +00:00
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
2018-01-29 21:16:04 +00:00
|
|
|
// In Rocket, we abuse targets with suffix "_" to indicate indentation.
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
let indented = record.target().ends_with('_');
|
|
|
|
if indented {
|
|
|
|
print!(" {} ", Paint::default(">>").bold());
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
|
|
|
|
2021-04-24 02:13:30 +00:00
|
|
|
// Downgrade a physical launch `warn` to logical `info`.
|
|
|
|
let level = is_launch_record(record.metadata())
|
|
|
|
.then(|| log::Level::Info)
|
|
|
|
.unwrap_or_else(|| record.level());
|
|
|
|
|
|
|
|
match level {
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
log::Level::Error if !indented => {
|
2016-08-24 08:34:00 +00:00
|
|
|
println!("{} {}",
|
2017-06-20 01:29:26 +00:00
|
|
|
Paint::red("Error:").bold(),
|
2018-11-19 10:11:38 +00:00
|
|
|
Paint::red(record.args()).wrap())
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
log::Level::Warn if !indented => {
|
2016-08-24 08:34:00 +00:00
|
|
|
println!("{} {}",
|
2017-06-20 01:29:26 +00:00
|
|
|
Paint::yellow("Warning:").bold(),
|
2018-11-19 10:11:38 +00:00
|
|
|
Paint::yellow(record.args()).wrap())
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
log::Level::Info => println!("{}", Paint::blue(record.args()).wrap()),
|
|
|
|
log::Level::Trace => println!("{}", Paint::magenta(record.args()).wrap()),
|
|
|
|
log::Level::Warn => println!("{}", Paint::yellow(record.args()).wrap()),
|
|
|
|
log::Level::Error => println!("{}", Paint::red(record.args()).wrap()),
|
2018-01-29 21:16:04 +00:00
|
|
|
log::Level::Debug => {
|
2017-06-20 01:29:26 +00:00
|
|
|
print!("\n{} ", Paint::blue("-->").bold());
|
2018-01-29 21:16:04 +00:00
|
|
|
if let Some(file) = record.file() {
|
|
|
|
print!("{}", Paint::blue(file));
|
|
|
|
}
|
|
|
|
|
|
|
|
if let Some(line) = record.line() {
|
|
|
|
println!(":{}", Paint::blue(line));
|
|
|
|
}
|
|
|
|
|
Introduce statically-enforced 'Rocket' phasing.
The core 'Rocket' type is parameterized: 'Rocket<P: Phase>', where
'Phase' is a newly introduced, sealed marker trait. The trait is
implemented by three new marker types representing the three launch
phases: 'Build', 'Ignite', and 'Orbit'. Progression through these three
phases, in order, is enforced, as are the invariants guaranteed by each
phase. In particular, an instance of 'Rocket' is guaranteed to be in its
final configuration after the 'Build' phase and represent a running
local or public server in the 'Orbit' phase. The 'Ignite' phase serves
as an intermediate, enabling inspection of a finalized but stationary
instance. Transition between phases validates the invariants required
by the transition.
All APIs have been adjusted appropriately, requiring either an instance
of 'Rocket' in a particular phase ('Rocket<Build>', 'Rocket<Ignite>', or
'Rocket<Orbit>') or operating generically on a 'Rocket<P>'.
Documentation is also updated and substantially improved to mention
required and guaranteed invariants.
Additionally, this commit makes the following relevant changes:
* 'Rocket::ignite()' is now a public interface.
* 'Rocket::{build,custom}' methods can no longer panic.
* 'Launch' fairings are now 'ignite' fairings.
* 'Liftoff' fairings are always run, even in local mode.
* All 'ignite' fairings run concurrently at ignition.
* Launch logging occurs on launch, not any point prior.
* Launch log messages have improved formatting.
* A new launch error kind, 'Config', was added.
* A 'fairing::Result' type alias was introduced.
* 'Shutdown::shutdown()' is now 'Shutdown::notify()'.
Some internal changes were also introduced:
* Fairing 'Info' name for 'Templates' is now 'Templating'.
* Shutdown is implemented using 'tokio::sync::Notify'.
* 'Client::debug()' is used nearly universally in tests.
Resolves #1154.
Resolves #1136.
2021-04-14 02:26:45 +00:00
|
|
|
println!("\t{}", record.args());
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2018-01-29 21:16:04 +00:00
|
|
|
|
|
|
|
fn flush(&self) {
|
|
|
|
// NOOP: We don't buffer any records.
|
|
|
|
}
|
2016-08-24 08:34:00 +00:00
|
|
|
}
|
|
|
|
|
2021-06-03 00:25:07 +00:00
|
|
|
pub(crate) fn init_default() -> bool {
|
|
|
|
crate::log::init(&crate::Config::debug_default())
|
|
|
|
}
|
|
|
|
|
Test 'secret_key' validation, now on pre-launch.
Prior to this commit, it was not possible to test Rocket crates in
production mode without setting a global secret key or bypassing secret
key checking - the testing script did the latter. The consequence is
that it became impossible to test secret key related failures because
the tests passed regardless.
This commit undoes this. As a consequence, all tests are now aware of
the difference between debug and release configurations, the latter of
which validates 'secret_key' by default. New 'Client::debug()' and
'Client::debug_with()' simplify creating an instance of 'Client' with
configuration in debug mode to avoid undesired test failures.
The summary of changes in this commit are:
* Config 'secret_key' success and failure are now tested.
* 'secret_key' validation was moved to pre-launch from 'Config:from()'.
* 'Config::from()' only extracts the config.
* Added 'Config::try_from()' for non-panicking extraction.
* 'Config' now knows the profile it was extracted from.
* The 'Config' provider sets a profile of 'Config.profile'.
* 'Rocket', 'Client', 'Fairings', implement 'Debug'.
* 'fairing::Info' implements 'Copy', 'Clone'.
* 'Fairings' keeps track of, logs attach fairings.
* 'Rocket::reconfigure()' was added to allow modifying a config.
Internally, the testing script was refactored to properly test the
codebase with the new changes. In particular, it no longer sets a rustc
'cfg' to avoid secret-key checking.
Resolves #1543.
Fixes #1564.
2021-03-09 08:07:43 +00:00
|
|
|
pub(crate) fn init(config: &crate::Config) -> bool {
|
2021-04-24 02:13:30 +00:00
|
|
|
static HAS_ROCKET_LOGGER: AtomicBool = AtomicBool::new(false);
|
|
|
|
|
|
|
|
let r = log::set_boxed_logger(Box::new(RocketLogger));
|
|
|
|
if r.is_ok() {
|
|
|
|
HAS_ROCKET_LOGGER.store(true, Ordering::Release);
|
|
|
|
}
|
|
|
|
|
|
|
|
// If another has been set, don't touch anything.
|
|
|
|
if !HAS_ROCKET_LOGGER.load(Ordering::Acquire) {
|
|
|
|
return false;
|
|
|
|
}
|
|
|
|
|
2019-06-13 01:48:02 +00:00
|
|
|
if !atty::is(atty::Stream::Stdout)
|
2018-10-22 02:46:37 +00:00
|
|
|
|| (cfg!(windows) && !Paint::enable_windows_ascii())
|
Test 'secret_key' validation, now on pre-launch.
Prior to this commit, it was not possible to test Rocket crates in
production mode without setting a global secret key or bypassing secret
key checking - the testing script did the latter. The consequence is
that it became impossible to test secret key related failures because
the tests passed regardless.
This commit undoes this. As a consequence, all tests are now aware of
the difference between debug and release configurations, the latter of
which validates 'secret_key' by default. New 'Client::debug()' and
'Client::debug_with()' simplify creating an instance of 'Client' with
configuration in debug mode to avoid undesired test failures.
The summary of changes in this commit are:
* Config 'secret_key' success and failure are now tested.
* 'secret_key' validation was moved to pre-launch from 'Config:from()'.
* 'Config::from()' only extracts the config.
* Added 'Config::try_from()' for non-panicking extraction.
* 'Config' now knows the profile it was extracted from.
* The 'Config' provider sets a profile of 'Config.profile'.
* 'Rocket', 'Client', 'Fairings', implement 'Debug'.
* 'fairing::Info' implements 'Copy', 'Clone'.
* 'Fairings' keeps track of, logs attach fairings.
* 'Rocket::reconfigure()' was added to allow modifying a config.
Internally, the testing script was refactored to properly test the
codebase with the new changes. In particular, it no longer sets a rustc
'cfg' to avoid secret-key checking.
Resolves #1543.
Fixes #1564.
2021-03-09 08:07:43 +00:00
|
|
|
|| !config.cli_colors
|
2018-10-22 02:46:37 +00:00
|
|
|
{
|
2017-06-20 01:29:26 +00:00
|
|
|
Paint::disable();
|
|
|
|
}
|
|
|
|
|
2021-04-24 02:13:30 +00:00
|
|
|
log::set_max_level(config.log_level.to_level_filter());
|
|
|
|
true
|
|
|
|
}
|
|
|
|
|
|
|
|
impl LogLevel {
|
|
|
|
fn as_str(&self) -> &str {
|
|
|
|
match self {
|
|
|
|
LogLevel::Critical => "critical",
|
|
|
|
LogLevel::Normal => "normal",
|
|
|
|
LogLevel::Debug => "debug",
|
|
|
|
LogLevel::Off => "off",
|
2017-05-19 10:29:08 +00:00
|
|
|
}
|
2019-06-30 16:45:17 +00:00
|
|
|
}
|
2018-07-03 20:47:17 +00:00
|
|
|
|
2021-04-24 02:13:30 +00:00
|
|
|
fn to_level_filter(self) -> log::LevelFilter {
|
|
|
|
match self {
|
|
|
|
LogLevel::Critical => log::LevelFilter::Warn,
|
|
|
|
LogLevel::Normal => log::LevelFilter::Info,
|
|
|
|
LogLevel::Debug => log::LevelFilter::Trace,
|
|
|
|
LogLevel::Off => log::LevelFilter::Off
|
|
|
|
}
|
|
|
|
}
|
2018-01-29 21:16:04 +00:00
|
|
|
}
|
|
|
|
|
2021-04-24 02:13:30 +00:00
|
|
|
impl FromStr for LogLevel {
|
|
|
|
type Err = &'static str;
|
|
|
|
|
|
|
|
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
|
|
|
let level = match &*s.to_ascii_lowercase() {
|
|
|
|
"critical" => LogLevel::Critical,
|
|
|
|
"normal" => LogLevel::Normal,
|
|
|
|
"debug" => LogLevel::Debug,
|
|
|
|
"off" => LogLevel::Off,
|
|
|
|
_ => return Err("a log level (off, debug, normal, critical)")
|
|
|
|
};
|
|
|
|
|
|
|
|
Ok(level)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl fmt::Display for LogLevel {
|
|
|
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
|
|
|
write!(f, "{}", self.as_str())
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Serialize for LogLevel {
|
|
|
|
fn serialize<S: Serializer>(&self, ser: S) -> Result<S::Ok, S::Error> {
|
|
|
|
ser.serialize_str(self.as_str())
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<'de> Deserialize<'de> for LogLevel {
|
|
|
|
fn deserialize<D: Deserializer<'de>>(de: D) -> Result<Self, D::Error> {
|
|
|
|
let string = String::deserialize(de)?;
|
|
|
|
LogLevel::from_str(&string).map_err(|_| de::Error::invalid_value(
|
|
|
|
de::Unexpected::Str(&string),
|
|
|
|
&figment::error::OneOf( &["critical", "normal", "debug", "off"])
|
|
|
|
))
|
|
|
|
}
|
2020-04-14 12:28:36 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
impl PaintExt for Paint<&str> {
|
|
|
|
/// Paint::masked(), but hidden on Windows due to broken output. See #1122.
|
2020-09-03 05:41:31 +00:00
|
|
|
fn emoji(_item: &str) -> Paint<&str> {
|
|
|
|
#[cfg(windows)] { Paint::masked("") }
|
|
|
|
#[cfg(not(windows))] { Paint::masked(_item) }
|
2020-04-14 12:28:36 +00:00
|
|
|
}
|
|
|
|
}
|