ViewVC Help
View File | Revision Log | Show Annotations | Download File
/cvs/Coro/Coro/Semaphore.pm
Revision: 1.11
Committed: Wed Jul 25 19:28:00 2001 UTC (22 years, 11 months ago) by root
Branch: MAIN
Changes since 1.10: +15 -2 lines
Log Message:
*** empty log message ***

File Contents

# Content
1 =head1 NAME
2
3 Coro::Semaphore - non-binary semaphores
4
5 =head1 SYNOPSIS
6
7 use Coro::Semaphore;
8
9 $sig = new Coro::Semaphore [initial value];
10
11 $sig->down; # wait for signal
12
13 # ... some other "thread"
14
15 $sig->up;
16
17 =head1 DESCRIPTION
18
19 This module implements counted semaphores. You can initialize a mutex
20 with any level of parallel users, that is, you can intialize a sempahore
21 that can be C<down>ed more than once until it blocks. There is no owner
22 associated with semaphores, so one coroutine can C<down> it while another
23 can C<up> it.
24
25 Counting semaphores are typically used to coordinate access to
26 resources, with the semaphore count initialized to the number of free
27 resources. Coroutines then increment the count when resources are added
28 and decrement the count when resources are removed.
29
30 =over 4
31
32 =cut
33
34 package Coro::Semaphore;
35
36 use Coro ();
37
38 $VERSION = 0.12;
39
40 =item new [inital count, default one]
41
42 Creates a new sempahore object with the given initial lock count. The
43 default lock count is 1, which means it is unlocked by default. Zero (or
44 negative values) are also allowed, in which case the semaphore is locked
45 by default.
46
47 =cut
48
49 sub new {
50 bless [defined $_[1] ? $_[1] : 1], $_[0];
51 }
52
53 =item $sem->down
54
55 Decrement the counter, therefore "locking" the semaphore. This method
56 waits until the semaphore is available if the counter is zero.
57
58 =cut
59
60 sub down {
61 my $self = shift;
62 while ($self->[0] <= 0) {
63 push @{$self->[1]}, $Coro::current;
64 Coro::schedule;
65 }
66 --$self->[0];
67 }
68
69 =item $sem->up
70
71 Unlock the semaphore again.
72
73 =cut
74
75 sub up {
76 my $self = shift;
77 if (++$self->[0] > 0) {
78 (shift @{$self->[1]})->ready if @{$self->[1]};
79 }
80 }
81
82 =item $sem->try
83
84 Try to C<down> the semaphore. Returns true when this was possible,
85 otherwise return false and leave the semaphore unchanged.
86
87 =cut
88
89 sub try {
90 my $self = shift;
91 if ($self->[0] > 0) {
92 --$self->[0];
93 return 1;
94 } else {
95 return 0;
96 }
97 }
98
99 1;
100
101 =back
102
103 =head1 AUTHOR
104
105 Marc Lehmann <pcg@goof.com>
106 http://www.goof.com/pcg/marc/
107
108 =cut
109