rust/tests/run-pass/concurrency/locks.rs

76 lines
1.8 KiB
Rust
Raw Normal View History

2020-04-19 16:22:55 -05:00
// ignore-windows: Concurrency on Windows is not supported yet.
2020-04-18 14:25:11 -05:00
use std::sync::{Arc, Mutex, RwLock};
2020-04-07 22:20:41 -05:00
use std::thread;
2020-04-18 14:25:11 -05:00
fn check_mutex() {
2020-04-07 22:20:41 -05:00
let data = Arc::new(Mutex::new(0));
let mut threads = Vec::new();
for _ in 0..3 {
let data = Arc::clone(&data);
let thread = thread::spawn(move || {
let mut data = data.lock().unwrap();
2020-04-19 16:22:55 -05:00
thread::yield_now();
2020-04-07 22:20:41 -05:00
*data += 1;
});
threads.push(thread);
}
for thread in threads {
thread.join().unwrap();
}
assert!(data.try_lock().is_ok());
let data = Arc::try_unwrap(data).unwrap().into_inner().unwrap();
assert_eq!(data, 3);
2020-04-16 14:21:01 -05:00
}
2020-04-18 14:25:11 -05:00
fn check_rwlock_write() {
let data = Arc::new(RwLock::new(0));
let mut threads = Vec::new();
for _ in 0..3 {
let data = Arc::clone(&data);
let thread = thread::spawn(move || {
let mut data = data.write().unwrap();
2020-04-19 16:22:55 -05:00
thread::yield_now();
2020-04-18 14:25:11 -05:00
*data += 1;
});
threads.push(thread);
}
for thread in threads {
thread.join().unwrap();
}
assert!(data.try_write().is_ok());
let data = Arc::try_unwrap(data).unwrap().into_inner().unwrap();
assert_eq!(data, 3);
}
fn check_rwlock_read_no_deadlock() {
let l1 = Arc::new(RwLock::new(0));
let l2 = Arc::new(RwLock::new(0));
let l1_copy = Arc::clone(&l1);
let l2_copy = Arc::clone(&l2);
let _guard1 = l1.read().unwrap();
let handle = thread::spawn(move || {
let _guard2 = l2_copy.read().unwrap();
thread::yield_now();
let _guard1 = l1_copy.read().unwrap();
});
thread::yield_now();
let _guard2 = l2.read().unwrap();
handle.join().unwrap();
}
fn main() {
check_mutex();
check_rwlock_write();
check_rwlock_read_no_deadlock();
}