cursive/src/logger.rs

65 lines
1.7 KiB
Rust
Raw Normal View History

2019-02-22 20:38:16 +00:00
//! Logging utilities
use std::collections::VecDeque;
use std::sync::Mutex;
/// Saves all log records in a global deque.
///
/// Uses a `DebugView` to access it.
struct CursiveLogger;
static LOGGER: CursiveLogger = CursiveLogger;
2019-02-22 21:55:07 +00:00
/// A log record.
pub struct Record {
/// Log level used for this record
pub level: log::Level,
/// Time this message was logged
pub time: chrono::DateTime<chrono::Utc>,
/// Message content
pub message: String,
}
2019-02-22 20:38:16 +00:00
lazy_static! {
/// Circular buffer for logs. Use it to implement `DebugView`.
2019-02-22 21:55:07 +00:00
pub static ref LOGS: Mutex<VecDeque<Record>> =
2019-02-22 20:38:16 +00:00
Mutex::new(VecDeque::new());
}
impl log::Log for CursiveLogger {
fn enabled(&self, _metadata: &log::Metadata) -> bool {
true
}
fn log(&self, record: &log::Record) {
let mut logs = LOGS.lock().unwrap();
// TODO: customize the format? Use colors? Save more info?
if logs.len() == logs.capacity() {
logs.pop_front();
}
2019-02-22 21:55:07 +00:00
logs.push_back(Record {
level: record.level(),
message: format!("{}", record.args()),
time: chrono::Utc::now(),
});
2019-02-22 20:38:16 +00:00
}
fn flush(&self) {}
}
/// Initialize the Cursive logger.
///
/// Make sure this is the only logger your are using.
///
2019-02-22 23:30:22 +00:00
/// Use a [`::views::DebugView`] to see the logs, or use [`::Cursive::toggle_debug_console()`].
2019-02-22 20:38:16 +00:00
pub fn init() {
// TODO: Configure the deque size?
LOGS.lock().unwrap().reserve(1_000);
// This will panic if `set_logger` was already called.
log::set_logger(&LOGGER).unwrap();
// TODO: read the level from env variable? From argument?
log::set_max_level(log::LevelFilter::Trace);
}