#[cfg(any(test, feature = "test-support"))] pub mod test; use futures::Future; use lazy_static::lazy_static; use std::{ cmp::Ordering, ffi::OsStr, ops::AddAssign, pin::Pin, task::{Context, Poll}, }; lazy_static! { pub static ref DOT_GIT: &'static OsStr = OsStr::new(".git"); pub static ref GITIGNORE: &'static OsStr = OsStr::new(".gitignore"); } pub fn truncate(s: &str, max_chars: usize) -> &str { match s.char_indices().nth(max_chars) { None => s, Some((idx, _)) => &s[..idx], } } pub fn truncate_and_trailoff(s: &str, max_chars: usize) -> String { debug_assert!(max_chars >= 5); if s.len() > max_chars { format!("{}…", truncate(&s, max_chars.saturating_sub(3))) } else { s.to_string() } } pub fn post_inc + AddAssign + Copy>(value: &mut T) -> T { let prev = *value; *value += T::from(1); prev } /// Extend a sorted vector with a sorted sequence of items, maintaining the vector's sort order and /// enforcing a maximum length. Sort the items according to the given callback. Before calling this, /// both `vec` and `new_items` should already be sorted according to the `cmp` comparator. pub fn extend_sorted(vec: &mut Vec, new_items: I, limit: usize, mut cmp: F) where I: IntoIterator, F: FnMut(&T, &T) -> Ordering, { let mut start_index = 0; for new_item in new_items { if let Err(i) = vec[start_index..].binary_search_by(|m| cmp(m, &new_item)) { let index = start_index + i; if vec.len() < limit { vec.insert(index, new_item); } else if index < vec.len() { vec.pop(); vec.insert(index, new_item); } start_index = index; } } } pub trait ResultExt { type Ok; fn log_err(self) -> Option; fn warn_on_err(self) -> Option; } impl ResultExt for Result where E: std::fmt::Debug, { type Ok = T; fn log_err(self) -> Option { match self { Ok(value) => Some(value), Err(error) => { log::error!("{:?}", error); None } } } fn warn_on_err(self) -> Option { match self { Ok(value) => Some(value), Err(error) => { log::warn!("{:?}", error); None } } } } pub trait TryFutureExt { fn log_err(self) -> LogErrorFuture where Self: Sized; fn warn_on_err(self) -> LogErrorFuture where Self: Sized; } impl TryFutureExt for F where F: Future>, { fn log_err(self) -> LogErrorFuture where Self: Sized, { LogErrorFuture(self, log::Level::Error) } fn warn_on_err(self) -> LogErrorFuture where Self: Sized, { LogErrorFuture(self, log::Level::Warn) } } pub struct LogErrorFuture(F, log::Level); impl Future for LogErrorFuture where F: Future>, { type Output = Option; fn poll(self: std::pin::Pin<&mut Self>, cx: &mut Context<'_>) -> Poll { let level = self.1; let inner = unsafe { Pin::new_unchecked(&mut self.get_unchecked_mut().0) }; match inner.poll(cx) { Poll::Ready(output) => Poll::Ready(match output { Ok(output) => Some(output), Err(error) => { log::log!(level, "{:?}", error); None } }), Poll::Pending => Poll::Pending, } } } struct Defer(Option); impl Drop for Defer { fn drop(&mut self) { if let Some(f) = self.0.take() { f() } } } pub fn defer(f: F) -> impl Drop { Defer(Some(f)) } #[cfg(test)] mod tests { use super::*; #[test] fn test_extend_sorted() { let mut vec = vec![]; extend_sorted(&mut vec, vec![21, 17, 13, 8, 1, 0], 5, |a, b| b.cmp(a)); assert_eq!(vec, &[21, 17, 13, 8, 1]); extend_sorted(&mut vec, vec![101, 19, 17, 8, 2], 8, |a, b| b.cmp(a)); assert_eq!(vec, &[101, 21, 19, 17, 13, 8, 2, 1]); extend_sorted(&mut vec, vec![1000, 19, 17, 9, 5], 8, |a, b| b.cmp(a)); assert_eq!(vec, &[1000, 101, 21, 19, 17, 13, 9, 8]); } }