mirror of
https://github.com/c-cube/moonpool.git
synced 2025-12-06 03:05:30 -05:00
54 lines
1.1 KiB
OCaml
54 lines
1.1 KiB
OCaml
type 'a t = {
|
|
mutex: Mutex.t;
|
|
cond: Condition.t;
|
|
q: 'a Queue.t;
|
|
mutable closed: bool;
|
|
}
|
|
|
|
exception Closed
|
|
|
|
let create () : _ t =
|
|
{
|
|
mutex = Mutex.create ();
|
|
cond = Condition.create ();
|
|
q = Queue.create ();
|
|
closed = false;
|
|
}
|
|
|
|
let close (self : _ t) =
|
|
Mutex.lock self.mutex;
|
|
if not self.closed then (
|
|
self.closed <- true;
|
|
Condition.broadcast self.cond (* awake waiters so they fail *)
|
|
);
|
|
Mutex.unlock self.mutex
|
|
|
|
let push (self : _ t) x : unit =
|
|
Mutex.lock self.mutex;
|
|
if self.closed then (
|
|
Mutex.unlock self.mutex;
|
|
raise Closed
|
|
) else (
|
|
Queue.push x self.q;
|
|
Condition.signal self.cond;
|
|
Mutex.unlock self.mutex
|
|
)
|
|
|
|
let pop (self : 'a t) : 'a =
|
|
Mutex.lock self.mutex;
|
|
let rec loop () =
|
|
if Queue.is_empty self.q then (
|
|
(* check closed *)
|
|
if self.closed then (
|
|
Mutex.unlock self.mutex;
|
|
raise Closed
|
|
);
|
|
Condition.wait self.cond self.mutex;
|
|
(loop [@tailcall]) ()
|
|
) else (
|
|
let x = Queue.pop self.q in
|
|
Mutex.unlock self.mutex;
|
|
x
|
|
)
|
|
in
|
|
loop ()
|