use std::borrow::Borrow;
use std::cell::UnsafeCell;
use std::fmt;
use std::future::Future;
use std::marker::PhantomData;
use std::mem;
use std::ops::{Deref, DerefMut};
use std::pin::Pin;
use std::process;
use std::sync::atomic::{AtomicUsize, Ordering};
use std::sync::Arc;
use std::task::{Context, Poll};
#[cfg(not(any(target_arch = "wasm32", target_arch = "wasm64")))]
use std::time::{Duration, Instant};
use std::usize;
use event_listener::{Event, EventListener};
pub struct Mutex<T: ?Sized> {
state: AtomicUsize,
lock_ops: Event,
data: UnsafeCell<T>,
}
unsafe impl<T: Send + ?Sized> Send for Mutex<T> {}
unsafe impl<T: Send + ?Sized> Sync for Mutex<T> {}
impl<T> Mutex<T> {
pub const fn new(data: T) -> Mutex<T> {
Mutex {
state: AtomicUsize::new(0),
lock_ops: Event::new(),
data: UnsafeCell::new(data),
}
}
pub fn into_inner(self) -> T {
self.data.into_inner()
}
}
impl<T: ?Sized> Mutex<T> {
#[inline]
pub fn lock(&self) -> Lock<'_, T> {
Lock {
mutex: self,
acquire_slow: None,
}
}
#[inline]
pub fn try_lock(&self) -> Option<MutexGuard<'_, T>> {
if self
.state
.compare_exchange(0, 1, Ordering::Acquire, Ordering::Acquire)
.is_ok()
{
Some(MutexGuard(self))
} else {
None
}
}
pub fn get_mut(&mut self) -> &mut T {
unsafe { &mut *self.data.get() }
}
}
impl<T: ?Sized> Mutex<T> {
#[inline]
pub fn lock_arc(self: &Arc<Self>) -> LockArc<T> {
LockArc(LockArcInnards::Unpolled(self.clone()))
}
#[inline]
pub fn try_lock_arc(self: &Arc<Self>) -> Option<MutexGuardArc<T>> {
if self
.state
.compare_exchange(0, 1, Ordering::Acquire, Ordering::Acquire)
.is_ok()
{
Some(MutexGuardArc(self.clone()))
} else {
None
}
}
}
impl<T: fmt::Debug + ?Sized> fmt::Debug for Mutex<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
struct Locked;
impl fmt::Debug for Locked {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.write_str("<locked>")
}
}
match self.try_lock() {
None => f.debug_struct("Mutex").field("data", &Locked).finish(),
Some(guard) => f.debug_struct("Mutex").field("data", &&*guard).finish(),
}
}
}
impl<T> From<T> for Mutex<T> {
fn from(val: T) -> Mutex<T> {
Mutex::new(val)
}
}
impl<T: Default + ?Sized> Default for Mutex<T> {
fn default() -> Mutex<T> {
Mutex::new(Default::default())
}
}
pub struct Lock<'a, T: ?Sized> {
mutex: &'a Mutex<T>,
acquire_slow: Option<AcquireSlow<&'a Mutex<T>, T>>,
}
impl<'a, T: ?Sized> Unpin for Lock<'a, T> {}
impl<T: ?Sized> fmt::Debug for Lock<'_, T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.write_str("Lock { .. }")
}
}
impl<'a, T: ?Sized> Future for Lock<'a, T> {
type Output = MutexGuard<'a, T>;
#[inline]
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
loop {
match this.acquire_slow.as_mut() {
None => {
match this.mutex.try_lock() {
Some(guard) => return Poll::Ready(guard),
None => {
this.acquire_slow = Some(AcquireSlow::new(this.mutex));
}
}
}
Some(acquire_slow) => {
let value = ready!(Pin::new(acquire_slow).poll(cx));
return Poll::Ready(MutexGuard(value));
}
}
}
}
}
pub struct LockArc<T: ?Sized>(LockArcInnards<T>);
enum LockArcInnards<T: ?Sized> {
Unpolled(Arc<Mutex<T>>),
AcquireSlow(AcquireSlow<Arc<Mutex<T>>, T>),
Empty,
}
impl<T: ?Sized> Unpin for LockArc<T> {}
impl<T: ?Sized> fmt::Debug for LockArc<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.write_str("LockArc { .. }")
}
}
impl<T: ?Sized> Future for LockArc<T> {
type Output = MutexGuardArc<T>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
loop {
match mem::replace(&mut this.0, LockArcInnards::Empty) {
LockArcInnards::Unpolled(mutex) => {
match mutex.try_lock_arc() {
Some(guard) => return Poll::Ready(guard),
None => {
*this = LockArc(LockArcInnards::AcquireSlow(AcquireSlow::new(
mutex.clone(),
)));
}
}
}
LockArcInnards::AcquireSlow(mut acquire_slow) => {
let value = match Pin::new(&mut acquire_slow).poll(cx) {
Poll::Pending => {
*this = LockArc(LockArcInnards::AcquireSlow(acquire_slow));
return Poll::Pending;
}
Poll::Ready(value) => value,
};
return Poll::Ready(MutexGuardArc(value));
}
LockArcInnards::Empty => panic!("future polled after completion"),
}
}
}
}
struct AcquireSlow<B: Borrow<Mutex<T>>, T: ?Sized> {
mutex: Option<B>,
listener: Option<EventListener>,
#[cfg(not(any(target_arch = "wasm32", target_os = "wasm64")))]
start: Option<Instant>,
starved: bool,
_marker: PhantomData<T>,
}
impl<B: Borrow<Mutex<T>> + Unpin, T: ?Sized> Unpin for AcquireSlow<B, T> {}
impl<T: ?Sized, B: Borrow<Mutex<T>>> AcquireSlow<B, T> {
#[cold]
fn new(mutex: B) -> Self {
AcquireSlow {
mutex: Some(mutex),
listener: None,
#[cfg(not(any(target_arch = "wasm32", target_os = "wasm64")))]
start: None,
starved: false,
_marker: PhantomData,
}
}
fn take_mutex(&mut self) -> Option<B> {
let mutex = self.mutex.take();
if self.starved {
if let Some(mutex) = mutex.as_ref() {
mutex.borrow().state.fetch_sub(2, Ordering::Release);
}
}
mutex
}
}
impl<T: ?Sized, B: Unpin + Borrow<Mutex<T>>> Future for AcquireSlow<B, T> {
type Output = B;
#[cold]
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = &mut *self;
#[cfg(not(any(target_arch = "wasm32", target_arch = "wasm64")))]
let start = *this.start.get_or_insert_with(Instant::now);
let mutex = this
.mutex
.as_ref()
.expect("future polled after completion")
.borrow();
if !this.starved {
loop {
match &mut this.listener {
listener @ None => {
*listener = Some(mutex.lock_ops.listen());
match mutex
.state
.compare_exchange(0, 1, Ordering::Acquire, Ordering::Acquire)
.unwrap_or_else(|x| x)
{
0 => return Poll::Ready(this.take_mutex().unwrap()),
1 => {}
_ => break,
}
}
Some(ref mut listener) => {
ready!(Pin::new(listener).poll(cx));
this.listener = None;
match mutex
.state
.compare_exchange(0, 1, Ordering::Acquire, Ordering::Acquire)
.unwrap_or_else(|x| x)
{
0 => return Poll::Ready(this.take_mutex().unwrap()),
1 => {}
_ => {
mutex.lock_ops.notify(1);
break;
}
}
#[cfg(not(any(target_arch = "wasm32", target_arch = "wasm64")))]
if start.elapsed() > Duration::from_micros(500) {
break;
}
}
}
}
if mutex.state.fetch_add(2, Ordering::Release) > usize::MAX / 2 {
process::abort();
}
this.starved = true;
}
loop {
match &mut this.listener {
listener @ None => {
*listener = Some(mutex.lock_ops.listen());
match mutex
.state
.compare_exchange(2, 2 | 1, Ordering::Acquire, Ordering::Acquire)
.unwrap_or_else(|x| x)
{
2 => return Poll::Ready(this.take_mutex().unwrap()),
s if s % 2 == 1 => {}
_ => {
mutex.lock_ops.notify(1);
}
}
}
Some(ref mut listener) => {
ready!(Pin::new(listener).poll(cx));
this.listener = None;
if mutex.state.fetch_or(1, Ordering::Acquire) % 2 == 0 {
return Poll::Ready(this.take_mutex().unwrap());
}
}
}
}
}
}
impl<T: ?Sized, B: Borrow<Mutex<T>>> Drop for AcquireSlow<B, T> {
fn drop(&mut self) {
self.take_mutex();
}
}
#[clippy::has_significant_drop]
pub struct MutexGuard<'a, T: ?Sized>(&'a Mutex<T>);
unsafe impl<T: Send + ?Sized> Send for MutexGuard<'_, T> {}
unsafe impl<T: Sync + ?Sized> Sync for MutexGuard<'_, T> {}
impl<'a, T: ?Sized> MutexGuard<'a, T> {
pub fn source(guard: &MutexGuard<'a, T>) -> &'a Mutex<T> {
guard.0
}
}
impl<T: ?Sized> Drop for MutexGuard<'_, T> {
fn drop(&mut self) {
self.0.state.fetch_sub(1, Ordering::Release);
self.0.lock_ops.notify(1);
}
}
impl<T: fmt::Debug + ?Sized> fmt::Debug for MutexGuard<'_, T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Debug::fmt(&**self, f)
}
}
impl<T: fmt::Display + ?Sized> fmt::Display for MutexGuard<'_, T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
(**self).fmt(f)
}
}
impl<T: ?Sized> Deref for MutexGuard<'_, T> {
type Target = T;
fn deref(&self) -> &T {
unsafe { &*self.0.data.get() }
}
}
impl<T: ?Sized> DerefMut for MutexGuard<'_, T> {
fn deref_mut(&mut self) -> &mut T {
unsafe { &mut *self.0.data.get() }
}
}
#[clippy::has_significant_drop]
pub struct MutexGuardArc<T: ?Sized>(Arc<Mutex<T>>);
unsafe impl<T: Send + ?Sized> Send for MutexGuardArc<T> {}
unsafe impl<T: Sync + ?Sized> Sync for MutexGuardArc<T> {}
impl<T: ?Sized> MutexGuardArc<T> {
pub fn source(guard: &MutexGuardArc<T>) -> &Arc<Mutex<T>> {
&guard.0
}
}
impl<T: ?Sized> Drop for MutexGuardArc<T> {
fn drop(&mut self) {
self.0.state.fetch_sub(1, Ordering::Release);
self.0.lock_ops.notify(1);
}
}
impl<T: fmt::Debug + ?Sized> fmt::Debug for MutexGuardArc<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Debug::fmt(&**self, f)
}
}
impl<T: fmt::Display + ?Sized> fmt::Display for MutexGuardArc<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
(**self).fmt(f)
}
}
impl<T: ?Sized> Deref for MutexGuardArc<T> {
type Target = T;
fn deref(&self) -> &T {
unsafe { &*self.0.data.get() }
}
}
impl<T: ?Sized> DerefMut for MutexGuardArc<T> {
fn deref_mut(&mut self) -> &mut T {
unsafe { &mut *self.0.data.get() }
}
}
struct CallOnDrop<F: Fn()>(F);
impl<F: Fn()> Drop for CallOnDrop<F> {
fn drop(&mut self) {
(self.0)();
}
}