Class: Garcon::Event

Inherits:
Object show all
Defined in:
lib/garcon/task/event.rb

Overview

When an ‘Event` is created it is in the `unset` state. Threads can choose to `#wait` on the event, blocking until released by another thread. When one thread wants to alert all blocking threads it calls the `#set` method which will then wake up all listeners. Once an `Event` has been set it remains set. New threads calling `#wait` will return immediately. An `Event` may be `#reset` at any time once it has been set.

Instance Method Summary collapse

Constructor Details

#initializeEvent

Creates a new ‘Event` in the unset state. Threads calling `#wait` on the `Event` will block.



37
38
39
40
41
# File 'lib/garcon/task/event.rb', line 37

def initialize
  @set       = false
  @mutex     = Mutex.new
  @condition = Condition.new
end

Instance Method Details

#resetBoolean

Reset a previously set event back to the ‘unset` state. Has no effect if the `Event` has not yet been set.



90
91
92
93
94
95
96
# File 'lib/garcon/task/event.rb', line 90

def reset
  @mutex.lock
  @set = false
  true
ensure
  @mutex.unlock
end

#setBoolean

Trigger the event, setting the state to ‘set` and releasing all threads waiting on the event. Has no effect if the `Event` has already been set.



59
60
61
62
63
64
65
66
67
68
# File 'lib/garcon/task/event.rb', line 59

def set
  @mutex.lock
  unless @set
    @set = true
    @condition.broadcast
  end
  true
ensure
  @mutex.unlock
end

#set?Boolean

Is the object in the set state?



47
48
49
50
51
52
# File 'lib/garcon/task/event.rb', line 47

def set?
  @mutex.lock
  @set
ensure
  @mutex.unlock
end

#try?Boolean



70
71
72
73
74
75
76
77
78
79
80
81
82
83
# File 'lib/garcon/task/event.rb', line 70

def try?
  @mutex.lock

  if @set
    false
  else
    @set = true
    @condition.broadcast
    true
  end

ensure
  @mutex.unlock
end

#wait(timeout = nil) ⇒ Boolean

Wait a given number of seconds for the ‘Event` to be set by another thread. Will wait forever when no `timeout` value is given. Returns immediately if the `Event` has already been set.



104
105
106
107
108
109
110
111
112
113
114
115
116
117
# File 'lib/garcon/task/event.rb', line 104

def wait(timeout = nil)
  @mutex.lock

  unless @set
    remaining = Condition::Result.new(timeout)
    while !@set && remaining.can_wait?
      remaining = @condition.wait(@mutex, remaining.remaining_time)
    end
  end

  @set
ensure
  @mutex.unlock
end