Fix QSem and QSemN: Initial amount must be non-negative
[ghc-base.git] / Control / Concurrent / QSemN.hs
1 -----------------------------------------------------------------------------
2 -- |
3 -- Module      :  Control.Concurrent.QSemN
4 -- Copyright   :  (c) The University of Glasgow 2001
5 -- License     :  BSD-style (see the file libraries/base/LICENSE)
6 -- 
7 -- Maintainer  :  libraries@haskell.org
8 -- Stability   :  experimental
9 -- Portability :  non-portable (concurrency)
10 --
11 -- Quantity semaphores in which each thread may wait for an arbitrary
12 -- \"amount\".
13 --
14 -----------------------------------------------------------------------------
15
16 module Control.Concurrent.QSemN
17         (  -- * General Quantity Semaphores
18           QSemN,        -- abstract
19           newQSemN,     -- :: Int   -> IO QSemN
20           waitQSemN,    -- :: QSemN -> Int -> IO ()
21           signalQSemN   -- :: QSemN -> Int -> IO ()
22       ) where
23
24 import Prelude
25
26 import Control.Concurrent.MVar
27 import Data.Typeable
28
29 #include "Typeable.h"
30
31 -- |A 'QSemN' is a quantity semaphore, in which the available
32 -- \"quantity\" may be signalled or waited for in arbitrary amounts.
33 newtype QSemN = QSemN (MVar (Int,[(Int,MVar ())]))
34
35 INSTANCE_TYPEABLE0(QSemN,qSemNTc,"QSemN")
36
37 -- |Build a new 'QSemN' with a supplied initial quantity.
38 newQSemN :: Int -> IO QSemN
39 newQSemN initial =
40     if initial < 0
41     then fail "newQSemN: Initial quantity must be non-negative"
42     else do sem <- newMVar (initial, [])
43             return (QSemN sem)
44
45 -- |Wait for the specified quantity to become available
46 waitQSemN :: QSemN -> Int -> IO ()
47 waitQSemN (QSemN sem) sz = do
48   (avail,blocked) <- takeMVar sem   -- gain ex. access
49   if (avail - sz) >= 0 then
50        -- discharging 'sz' still leaves the semaphore
51        -- in an 'unblocked' state.
52      putMVar sem (avail-sz,blocked)
53    else do
54      block <- newEmptyMVar
55      putMVar sem (avail, blocked++[(sz,block)])
56      takeMVar block
57
58 -- |Signal that a given quantity is now available from the 'QSemN'.
59 signalQSemN :: QSemN -> Int  -> IO ()
60 signalQSemN (QSemN sem) n = do
61    (avail,blocked)   <- takeMVar sem
62    (avail',blocked') <- free (avail+n) blocked
63    putMVar sem (avail',blocked')
64  where
65    free avail []    = return (avail,[])
66    free avail ((req,block):blocked)
67      | avail >= req = do
68         putMVar block ()
69         free (avail-req) blocked
70      | otherwise    = do
71         (avail',blocked') <- free avail blocked
72         return (avail',(req,block):blocked')