mtlog_progress/lib.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 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165
//! # mtlog-progress
//! A progress bar implementation working gracefully with mtlog's logger.
//!
//! ## Usage with std threads
//! ```toml
//! // Cargo.toml
//! ...
//! [dependencies]
//! mtlog-progress = "0.1.0"
//! mtlog = "0.1.4"
//! ```
//!
//! ```rust
//! use mtlog::logger_config;
//! use mtlog_progress::LogProgressBar;
//!
//! logger_config()
//! .init_global();
//!
//! let h = std::thread::spawn(|| {
//! let pb = LogProgressBar::new(100, "My Progress Bar");
//! for i in 0..100 {
//! pb.inc(1);
//! if i == 50 {
//! log::info!("Halfway there!");
//! }
//! }
//! pb.finish();
//! });
//! log::info!("This log goes below the progress bar");
//! h.join().unwrap(); // the progress bar continue to work at it's line position
//!
//! ```
//! ## Usage with tokio tasks
//!
//! ## Usage
//! ```toml
//! // Cargo.toml
//! ...
//! [dependencies]
//! mtlog-progress = "0.1.0"
//! mtlog-tokio = "0.1.0"
//! tokio = { version = "1.40.0", features = ["full"] }
//! ```
//!
//! ```rust
//! use mtlog_tokio::logger_config;
//! use mtlog_progress::LogProgressBar;
//!
//! #[tokio::main]
//! async fn main() {
//! logger_config()
//! .scope_global(async move {
//! let h = tokio::spawn(async move {
//! logger_config()
//! .scope_local(async move {
//! let pb = LogProgressBar::new(100, "My Progress Bar");
//! for i in 0..100 {
//! pb.inc(1);
//! if i == 50 {
//! log::info!("Halfway there!");
//! }
//! }
//! pb.finish();
//! }).await;
//! });
//! log::info!("This log goes below the progress bar");
//! h.await.unwrap(); // the progress bar continue to work at it's line position
//! }).await;
//! }
//! ```
use std::sync::{Arc, Mutex};
use colored::Colorize;
use uuid::Uuid;
#[derive(Clone)]
pub struct LogProgressBar {
n_iter: Arc<usize>,
name: Arc<str>,
current_iter: Arc<Mutex<usize>>,
id: Arc<Uuid>,
finished: Arc<Mutex<bool>>
}
impl LogProgressBar {
pub fn new(n_iter: usize, name: &str) -> Self {
let pb = Self {
n_iter: Arc::new(n_iter),
name: name.into(),
current_iter: Arc::new(Mutex::new(0usize)),
id: Arc::new(Uuid::new_v4()),
finished: Arc::new(Mutex::new(false))
};
pb.send();
pb
}
pub fn send(&self) {
if *self.finished.lock().unwrap() {
log::info!("___PROGRESS___{}___FINISHED",self.id)
} else {
log::info!("___PROGRESS___{}___{}",self.id,self.format())
}
}
pub fn set_progress(&self, n: usize) {
*self.current_iter.lock().unwrap() = n;
self.send();
}
pub fn inc(&self, n: usize) {
*self.current_iter.lock().unwrap() += n;
self.send();
}
fn format(&self) -> String {
let current_iter = *self.current_iter.lock().unwrap();
let percentage = (current_iter as f64 / *self.n_iter as f64 * 100.0) as usize;
let bar_length = 20; // Length of the progress bar
let filled_length = (bar_length * current_iter / *self.n_iter).min(bar_length);
let bar = "#".repeat(filled_length) + &".".repeat(bar_length - filled_length);
let n_iter_str = self.n_iter.to_string();
format!(
"Progress {name}: [{bar}] {current:>len$}/{n_iter_str} {percentage:>3}%",
name=self.name.cyan(),
bar=bar.cyan(),
current=current_iter,
len=n_iter_str.len(),
)
}
pub fn finish(&self) {
if *self.finished.lock().unwrap() {
return
}
*self.finished.lock().unwrap() = true;
*self.current_iter.lock().unwrap() = *self.n_iter;
self.send();
}
}
impl Drop for LogProgressBar {
fn drop(&mut self) {
*self.finished.lock().unwrap() = true;
self.send();
}
}
#[test]
fn test_progress_bar() {
use mtlog::logger_config;
logger_config()
.init_global();
let pb = LogProgressBar::new(100, "Test");
for _ in 0..50 {
pb.inc(1);
}
pb.finish();
std::thread::sleep(std::time::Duration::from_millis(1));
}