File: stop.rb

package info (click to toggle)
ruby-async 2.36.0-1
  • links: PTS, VCS
  • area: main
  • in suites: sid
  • size: 400 kB
  • sloc: ruby: 1,938; makefile: 4
file content (82 lines) | stat: -rw-r--r-- 2,235 bytes parent folder | download
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
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
# frozen_string_literal: true

# Released under the MIT License.
# Copyright, 2025, by Samuel Williams.

require "fiber"
require "console"

module Async
	# Raised when a task is explicitly stopped.
	class Stop < Exception
		# Represents the source of the stop operation.
		class Cause < Exception
			if RUBY_VERSION >= "3.4"
				# @returns [Array(Thread::Backtrace::Location)] The backtrace of the caller.
				def self.backtrace
					caller_locations(2..-1)
				end
			else
				# @returns [Array(String)] The backtrace of the caller.
				def self.backtrace
					caller(2..-1)
				end
			end
			
			# Create a new cause of the stop operation, with the given message.
			#
			# @parameter message [String] The error message.
			# @returns [Cause] The cause of the stop operation.
			def self.for(message = "Task was stopped")
				instance = self.new(message)
				instance.set_backtrace(self.backtrace)
				return instance
			end
		end
		
		if RUBY_VERSION < "3.5"
			# Create a new stop operation.
			#
			# This is a compatibility method for Ruby versions before 3.5 where cause is not propagated correctly when using {Fiber#raise}
			#
			# @parameter message [String | Hash] The error message or a hash containing the cause.
			def initialize(message = "Task was stopped")
				if message.is_a?(Hash)
					@cause = message[:cause]
					message = "Task was stopped"
				end
				
				super(message)
			end
			
			# @returns [Exception] The cause of the stop operation.
			#
			# This is a compatibility method for Ruby versions before 3.5 where cause is not propagated correctly when using {Fiber#raise}, we explicitly capture the cause here.
			def cause
				super || @cause
			end
		end
		
		# Used to defer stopping the current task until later.
		class Later
			# Create a new stop later operation.
			#
			# @parameter task [Task] The task to stop later.
			# @parameter cause [Exception] The cause of the stop operation.
			def initialize(task, cause = nil)
				@task = task
				@cause = cause
			end
			
			# @returns [Boolean] Whether the task is alive.
			def alive?
				true
			end
			
			# Transfer control to the operation - this will stop the task.
			def transfer
				@task.stop(false, cause: @cause)
			end
		end
	end
end