1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41
|
RSpec.describe Celluloid::Future, actor_system: :global do
it "creates future objects that can be retrieved later" do
future = Celluloid::Future.new { 40 + 2 }
expect(future.value).to eq(42)
end
it "passes arguments to future blocks" do
future = Celluloid::Future.new(40) { |n| n + 2 }
expect(future.value).to eq(42)
end
it "reraises exceptions that occur when the value is retrieved" do
class ExampleError < StandardError; end
future = Celluloid::Future.new { raise ExampleError, "oh noes crash!" }
expect { future.value }.to raise_exception(ExampleError)
end
it "knows if it's got a value yet" do
queue = Queue.new
future = Celluloid::Future.new { queue.pop }
expect(future).not_to be_ready
queue << nil # let it continue
Specs.sleep_and_wait_until { future.ready? }
expect(future).to be_ready
end
it "raises TaskTimeout when the future times out" do
future = Celluloid::Future.new { sleep 2 }
expect { future.value(1) }.to raise_exception(Celluloid::TaskTimeout)
end
it "cancels future" do
future = Celluloid::Future.new { sleep 3600 }
future.cancel(StandardError.new("cancelled"))
expect { future.value }.to raise_exception(StandardError, "cancelled")
end
end
|