-
Notifications
You must be signed in to change notification settings - Fork 11
/
Copy pathlogs.rs
88 lines (73 loc) · 1.8 KB
/
logs.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
use core::fmt;
use std::io;
#[derive(Debug)]
pub struct LogStream {
logs: Vec<String>,
current_bytesize: usize,
}
impl Default for LogStream {
fn default() -> Self {
let logs = Vec::new();
let current_bytesize = 0;
Self {
logs,
current_bytesize,
}
}
}
impl fmt::Display for LogStream {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
for message in &self.logs {
write!(f, "{message}")?;
}
Ok(())
}
}
impl io::Write for LogStream {
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
Ok(self.append(buf))
}
fn flush(&mut self) -> io::Result<()> {
Ok(())
}
}
impl LogStream {
/// Append a buffer to the log stream.
///
/// # Arguments
/// * `buf` - the buffer to append
pub fn append(&mut self, buf: &[u8]) -> usize {
let log = String::from_utf8_lossy(buf);
let log_length = log.len();
self.current_bytesize += log_length;
self.logs.push(log.into());
log_length
}
#[must_use]
pub fn last(&self) -> Option<&String> {
self.logs.last()
}
#[must_use]
pub fn last_message(&self) -> Option<&str> {
self.logs.last().map(String::as_str)
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_bounded_log() {
let mut bounded_log = LogStream::default();
let log = b"hello world";
bounded_log.append(log);
assert_eq!(Some("hello world"), bounded_log.last_message());
}
#[test]
fn test_display() {
let mut logs = LogStream::default();
assert_eq!(String::new(), logs.to_string());
logs.append(b"hello");
logs.append(b"world");
assert_eq!("helloworld", logs.to_string());
}
}