df2b7f704051958a1e8ddc63523108061c8cfb08
[rust-lightning] / lightning / src / util / logger.rs
1 // Pruned copy of crate rust log, without global logger
2 // https://github.com/rust-lang-nursery/log #7a60286
3 //
4 // This file is licensed under the Apache License, Version 2.0 <LICENSE-APACHE
5 // or http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
6 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your option.
7 // You may not use this file except in accordance with one or both of these
8 // licenses.
9
10 //! Log traits live here, which are called throughout the library to provide useful information for
11 //! debugging purposes.
12 //!
13 //! There is currently 2 ways to filter log messages. First one, by using compilation features, e.g "max_level_off".
14 //! The second one, client-side by implementing check against Record Level field.
15 //! Each module may have its own Logger or share one.
16
17 use core::cmp;
18 use core::fmt;
19
20 static LOG_LEVEL_NAMES: [&'static str; 6] = ["OFF", "ERROR", "WARN", "INFO", "DEBUG", "TRACE"];
21
22 /// An enum representing the available verbosity levels of the logger.
23 #[derive(Copy, Clone, PartialEq, Eq, Debug, Hash)]
24 pub enum Level {
25         ///Designates logger being silent
26         Off,
27         /// Designates very serious errors
28         Error,
29         /// Designates hazardous situations
30         Warn,
31         /// Designates useful information
32         Info,
33         /// Designates lower priority information
34         Debug,
35         /// Designates very low priority, often extremely verbose, information
36         Trace,
37 }
38
39 impl PartialOrd for Level {
40         #[inline]
41         fn partial_cmp(&self, other: &Level) -> Option<cmp::Ordering> {
42                 Some(self.cmp(other))
43         }
44
45         #[inline]
46         fn lt(&self, other: &Level) -> bool {
47                 (*self as usize) < *other as usize
48         }
49
50         #[inline]
51         fn le(&self, other: &Level) -> bool {
52                 *self as usize <= *other as usize
53         }
54
55         #[inline]
56         fn gt(&self, other: &Level) -> bool {
57                 *self as usize > *other as usize
58         }
59
60         #[inline]
61         fn ge(&self, other: &Level) -> bool {
62                 *self as usize >= *other as usize
63         }
64 }
65
66 impl Ord for Level {
67         #[inline]
68         fn cmp(&self, other: &Level) -> cmp::Ordering {
69                 (*self as usize).cmp(&(*other as usize))
70         }
71 }
72
73 impl fmt::Display for Level {
74         fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
75                 fmt.pad(LOG_LEVEL_NAMES[*self as usize])
76         }
77 }
78
79 impl Level {
80         /// Returns the most verbose logging level.
81         #[inline]
82         pub fn max() -> Level {
83                 Level::Trace
84         }
85 }
86
87 /// A Record, unit of logging output with Metadata to enable filtering
88 /// Module_path, file, line to inform on log's source
89 /// (C-not exported) - we convert to a const char* instead
90 #[derive(Clone,Debug)]
91 pub struct Record<'a> {
92         /// The verbosity level of the message.
93         pub level: Level,
94         /// The message body.
95         pub args: fmt::Arguments<'a>,
96         /// The module path of the message.
97         pub module_path: &'a str,
98         /// The source file containing the message.
99         pub file: &'a str,
100         /// The line containing the message.
101         pub line: u32,
102 }
103
104 impl<'a> Record<'a> {
105         /// Returns a new Record.
106         /// (C-not exported) as fmt can't be used in C
107         #[inline]
108         pub fn new(level: Level, args: fmt::Arguments<'a>, module_path: &'a str, file: &'a str, line: u32) -> Record<'a> {
109                 Record {
110                         level,
111                         args,
112                         module_path,
113                         file,
114                         line
115                 }
116         }
117 }
118
119 /// A trait encapsulating the operations required of a logger
120 pub trait Logger {
121         /// Logs the `Record`
122         fn log(&self, record: &Record);
123 }
124
125 #[cfg(test)]
126 mod tests {
127         use util::logger::{Logger, Level};
128         use util::test_utils::TestLogger;
129         use std::sync::Arc;
130
131         #[test]
132         fn test_level_show() {
133                 assert_eq!("INFO", Level::Info.to_string());
134                 assert_eq!("ERROR", Level::Error.to_string());
135                 assert_ne!("WARN", Level::Error.to_string());
136         }
137
138         struct WrapperLog {
139                 logger: Arc<Logger>
140         }
141
142         impl WrapperLog {
143                 fn new(logger: Arc<Logger>) -> WrapperLog {
144                         WrapperLog {
145                                 logger,
146                         }
147                 }
148
149                 fn call_macros(&self) {
150                         log_error!(self.logger, "This is an error");
151                         log_warn!(self.logger, "This is a warning");
152                         log_info!(self.logger, "This is an info");
153                         log_debug!(self.logger, "This is a debug");
154                         log_trace!(self.logger, "This is a trace");
155                 }
156         }
157
158         #[test]
159         fn test_logging_macros() {
160                 let mut logger = TestLogger::new();
161                 logger.enable(Level::Trace);
162                 let logger : Arc<Logger> = Arc::new(logger);
163                 let wrapper = WrapperLog::new(Arc::clone(&logger));
164                 wrapper.call_macros();
165         }
166 }