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 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370
/*
* Copyright 2021 Al Liu (https://github.com/al8n). Licensed under MIT OR Apache-2.0.
*
*
*
* Copyright 2021 AwaitGroup authors (https://github.com/ibraheemdev/awaitgroup). Licensed under MIT.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#![doc = include_str!("../README.md")]
#![deny(missing_docs)]
#![cfg_attr(docsrs, feature(doc_cfg))]
#![cfg_attr(docsrs, allow(unused_attributes))]
/// [`AsyncWaitGroup`] for `futures`.
#[cfg(feature = "future")]
#[cfg_attr(docsrs, doc(cfg(feature = "future")))]
pub mod future;
// #[cfg(feature = "future")]
// pub use future::*;
/// [`AsyncWaitGroup`] for `tokio` runtime.
#[cfg(feature = "tokio")]
#[cfg_attr(docsrs, doc(cfg(feature = "tokio")))]
pub mod tokio;
trait Mu {
type Guard<'a>
where
Self: 'a;
fn lock_me(&self) -> Self::Guard<'_>;
}
#[cfg(feature = "parking_lot")]
impl<T: ?Sized> Mu for parking_lot::Mutex<T> {
type Guard<'a> = parking_lot::MutexGuard<'a, T> where Self: 'a;
fn lock_me(&self) -> Self::Guard<'_> {
self.lock()
}
}
#[cfg(not(feature = "parking_lot"))]
impl<T: ?Sized> Mu for std::sync::Mutex<T> {
type Guard<'a> = std::sync::MutexGuard<'a, T> where Self: 'a;
fn lock_me(&self) -> Self::Guard<'_> {
self.lock().unwrap()
}
}
#[cfg(feature = "parking_lot")]
use parking_lot::{Condvar, Mutex};
#[cfg(not(feature = "triomphe"))]
use std::sync::Arc;
#[cfg(not(feature = "parking_lot"))]
use std::sync::{Condvar, Mutex};
#[cfg(feature = "triomphe")]
use triomphe::Arc;
struct Inner {
cvar: Condvar,
count: Mutex<usize>,
}
/// A WaitGroup waits for a collection of threads to finish.
/// The main thread calls [`add`] to set the number of
/// thread to wait for. Then each of the goroutines
/// runs and calls Done when finished. At the same time,
/// Wait can be used to block until all goroutines have finished.
///
/// A WaitGroup must not be copied after first use.
///
/// # Example
///
/// ```rust
/// use wg::WaitGroup;
/// use std::sync::Arc;
/// use std::sync::atomic::{AtomicUsize, Ordering};
/// use std::time::Duration;
/// use std::thread::{spawn, sleep};
///
/// let wg = WaitGroup::new();
/// let ctr = Arc::new(AtomicUsize::new(0));
///
/// for _ in 0..5 {
/// let ctrx = ctr.clone();
/// let t_wg = wg.add(1);
/// spawn(move || {
/// // mock some time consuming task
/// sleep(Duration::from_millis(50));
/// ctrx.fetch_add(1, Ordering::Relaxed);
///
/// // mock task is finished
/// t_wg.done();
/// });
/// }
///
/// wg.wait();
/// assert_eq!(ctr.load(Ordering::Relaxed), 5);
/// ```
///
/// [`wait`]: struct.WaitGroup.html#method.wait
/// [`add`]: struct.WaitGroup.html#method.add
pub struct WaitGroup {
inner: Arc<Inner>,
}
impl Default for WaitGroup {
fn default() -> Self {
Self {
inner: Arc::new(Inner {
cvar: Condvar::new(),
count: Mutex::new(0),
}),
}
}
}
impl From<usize> for WaitGroup {
fn from(count: usize) -> Self {
Self {
inner: Arc::new(Inner {
cvar: Condvar::new(),
count: Mutex::new(count),
}),
}
}
}
impl Clone for WaitGroup {
fn clone(&self) -> Self {
Self {
inner: self.inner.clone(),
}
}
}
impl std::fmt::Debug for WaitGroup {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let count = self.inner.count.lock_me();
f.debug_struct("WaitGroup").field("count", &*count).finish()
}
}
impl WaitGroup {
/// Creates a new wait group and returns the single reference to it.
///
/// # Examples
///
/// ```
/// use wg::WaitGroup;
///
/// let wg = WaitGroup::new();
/// ```
pub fn new() -> Self {
Self::default()
}
/// Adds delta to the WaitGroup counter.
/// If the counter becomes zero, all threads blocked on [`wait`] are released.
///
/// Note that calls with a delta that occur when the counter is zero
/// must happen before a Wait.
/// Typically this means the calls to add should execute before the statement
/// creating the thread or other event to be waited for.
/// If a `WaitGroup` is reused to [`wait`] for several independent sets of events,
/// new `add` calls must happen after all previous [`wait`] calls have returned.
///
/// # Example
/// ```rust
/// use wg::WaitGroup;
///
/// let wg = WaitGroup::new();
///
/// wg.add(3);
/// (0..3).for_each(|_| {
/// let t_wg = wg.clone();
/// std::thread::spawn(move || {
/// // do some time consuming work
/// t_wg.done();
/// });
/// });
///
/// wg.wait();
/// ```
///
/// [`wait`]: struct.AsyncWaitGroup.html#method.wait
pub fn add(&self, num: usize) -> Self {
let mut ctr = self.inner.count.lock_me();
*ctr += num;
Self {
inner: self.inner.clone(),
}
}
/// done decrements the WaitGroup counter by one.
///
/// # Example
///
/// ```rust
/// use wg::WaitGroup;
/// use std::thread;
///
/// let wg = WaitGroup::new();
/// wg.add(1);
/// let t_wg = wg.clone();
/// thread::spawn(move || {
/// // do some time consuming task
/// t_wg.done()
/// });
///
/// ```
pub fn done(&self) {
let mut val = self.inner.count.lock_me();
*val = if val.eq(&1) {
self.inner.cvar.notify_all();
0
} else if val.eq(&0) {
0
} else {
*val - 1
};
}
/// waitings return how many jobs are waiting.
pub fn waitings(&self) -> usize {
*self.inner.count.lock_me()
}
/// wait blocks until the WaitGroup counter is zero.
///
/// # Example
///
/// ```rust
/// use wg::WaitGroup;
/// use std::thread;
///
/// let wg = WaitGroup::new();
/// wg.add(1);
/// let t_wg = wg.clone();
/// thread::spawn(move || {
/// // do some time consuming task
/// t_wg.done()
/// });
///
/// // wait other thread completes
/// wg.wait();
/// ```
pub fn wait(&self) {
let mut ctr = self.inner.count.lock_me();
if ctr.eq(&0) {
return;
}
while *ctr > 0 {
#[cfg(feature = "parking_lot")]
{
self.inner.cvar.wait(&mut ctr);
}
#[cfg(not(feature = "parking_lot"))]
{
ctr = self.inner.cvar.wait(ctr).unwrap();
}
}
}
}
#[cfg(test)]
mod test {
use super::*;
use std::sync::atomic::{AtomicUsize, Ordering};
use std::sync::Arc;
use std::time::Duration;
#[test]
fn test_sync_wait_group_reuse() {
let wg = WaitGroup::new();
let ctr = Arc::new(AtomicUsize::new(0));
for _ in 0..6 {
let wg = wg.add(1);
let ctrx = ctr.clone();
std::thread::spawn(move || {
std::thread::sleep(Duration::from_millis(5));
ctrx.fetch_add(1, Ordering::Relaxed);
wg.done();
});
}
wg.wait();
assert_eq!(ctr.load(Ordering::Relaxed), 6);
let worker = wg.add(1);
let ctrx = ctr.clone();
std::thread::spawn(move || {
std::thread::sleep(Duration::from_millis(5));
ctrx.fetch_add(1, Ordering::Relaxed);
worker.done();
});
wg.wait();
assert_eq!(ctr.load(Ordering::Relaxed), 7);
}
#[test]
fn test_sync_wait_group_nested() {
let wg = WaitGroup::new();
let ctr = Arc::new(AtomicUsize::new(0));
for _ in 0..5 {
let worker = wg.add(1);
let ctrx = ctr.clone();
std::thread::spawn(move || {
let nested_worker = worker.add(1);
let ctrxx = ctrx.clone();
std::thread::spawn(move || {
ctrxx.fetch_add(1, Ordering::Relaxed);
nested_worker.done();
});
ctrx.fetch_add(1, Ordering::Relaxed);
worker.done();
});
}
wg.wait();
assert_eq!(ctr.load(Ordering::Relaxed), 10);
}
#[test]
fn test_sync_wait_group_from() {
std::thread::scope(|s| {
let wg = WaitGroup::from(5);
for _ in 0..5 {
let t = wg.clone();
s.spawn(move || {
t.done();
});
}
wg.wait();
});
}
#[test]
fn test_clone_and_fmt() {
let swg = WaitGroup::new();
let swg1 = swg.clone();
swg1.add(3);
assert_eq!(format!("{:?}", swg), format!("{:?}", swg1));
}
#[test]
fn test_waitings() {
let wg = WaitGroup::new();
wg.add(1);
wg.add(1);
assert_eq!(wg.waitings(), 2);
}
}