use std::cmp;
use std::fmt;
static LOG_LEVEL_NAMES: [&'static str; 6] = ["OFF", "ERROR", "WARN", "INFO", "DEBUG", "TRACE"];
#[derive(Copy, Clone, PartialEq, Eq, Debug, Hash)]
pub enum Level {
Off,
Error,
Warn,
Info,
Debug,
Trace,
}
impl PartialOrd for Level {
#[inline]
fn partial_cmp(&self, other: &Level) -> Option<cmp::Ordering> {
Some(self.cmp(other))
}
#[inline]
fn lt(&self, other: &Level) -> bool {
(*self as usize) < *other as usize
}
#[inline]
fn le(&self, other: &Level) -> bool {
*self as usize <= *other as usize
}
#[inline]
fn gt(&self, other: &Level) -> bool {
*self as usize > *other as usize
}
#[inline]
fn ge(&self, other: &Level) -> bool {
*self as usize >= *other as usize
}
}
impl Ord for Level {
#[inline]
fn cmp(&self, other: &Level) -> cmp::Ordering {
(*self as usize).cmp(&(*other as usize))
}
}
impl fmt::Display for Level {
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
fmt.pad(LOG_LEVEL_NAMES[*self as usize])
}
}
impl Level {
#[inline]
pub fn max() -> Level {
Level::Trace
}
}
#[derive(Clone,Debug)]
pub struct Record<'a> {
pub level: Level,
pub args: fmt::Arguments<'a>,
pub module_path: &'a str,
pub file: &'a str,
pub line: u32,
}
impl<'a> Record<'a> {
#[inline]
pub fn new(level: Level, args: fmt::Arguments<'a>, module_path: &'a str, file: &'a str, line: u32) -> Record<'a> {
Record {
level,
args,
module_path,
file,
line
}
}
}
pub trait Logger: Sync + Send {
fn log(&self, record: &Record);
}
#[cfg(test)]
mod tests {
use util::logger::{Logger, Level};
use util::test_utils::TestLogger;
use std::sync::Arc;
#[test]
fn test_level_show() {
assert_eq!("INFO", Level::Info.to_string());
assert_eq!("ERROR", Level::Error.to_string());
assert_ne!("WARN", Level::Error.to_string());
}
struct WrapperLog {
logger: Arc<Logger>
}
impl WrapperLog {
fn new(logger: Arc<Logger>) -> WrapperLog {
WrapperLog {
logger,
}
}
fn call_macros(&self) {
log_error!(self.logger, "This is an error");
log_warn!(self.logger, "This is a warning");
log_info!(self.logger, "This is an info");
log_debug!(self.logger, "This is a debug");
log_trace!(self.logger, "This is a trace");
}
}
#[test]
fn test_logging_macros() {
let mut logger = TestLogger::new();
logger.enable(Level::Trace);
let logger : Arc<Logger> = Arc::new(logger);
let wrapper = WrapperLog::new(Arc::clone(&logger));
wrapper.call_macros();
}
}