standard_procedure_operations 0.3.0 → 0.4.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA256:
3
- metadata.gz: f99019aca1964cfe7e6607d45c1c253ed73f8081702b596bb6fdbb918c7d74f7
4
- data.tar.gz: 8c6599fe4f7227226ecc23773902eb8f2c3e0a5d37d2f6f3a918a8dfff8ee35b
3
+ metadata.gz: 61d128fb2351976c6771cd7b9d0e5b929c45b14c7e0e91911dd7e0b26990cadf
4
+ data.tar.gz: 9cd6b3bd8402f2cec3a4ad272f349af643bc8696fb95e4cad4d4e6530c1e0b9e
5
5
  SHA512:
6
- metadata.gz: 2d40c6a60efea70434ae993ad37d5872f71173cf1c4d6e61cf436f735538dc9e72c9d268a40a7c7be81ebb66a7bc46ff70b868ff6af66bf30db1c574eca8787b
7
- data.tar.gz: 5931d257ab4d45b04d20f96244ce20a65d292808bf10eae66930fcfe0bf35e52d1c539bde83c8fabf8ddff0cdb44be548f763b0949671aaaa5309bda039f285d
6
+ metadata.gz: 145bb9834d6f9c95c2c9208b1e30fde979f1ec131cca1814f14b0cdfa14eae4a768b431bc8f75c4c2fec75fe948d966cf8b074772ff82f2f0fdccb584fa76e49
7
+ data.tar.gz: 13b0383ef1e585d40846d561bbd71027897e01c6f6f4a5e6216c3670ef12092e3793d4da96806b0e79db92889f3cc336e8a14b892d287ed1c6b2924e0d9c3afc
data/README.md CHANGED
@@ -75,8 +75,9 @@ class PrepareDocumentForDownload < Operations::Task
75
75
  inputs :document
76
76
 
77
77
  self.filename = "#{Faker::Lorem.word}#{File.extname(document.filename.to_s)}"
78
- go_to :return_filename
78
+ # State transition defined statically
79
79
  end
80
+ go_to :return_filename
80
81
 
81
82
  result :return_filename do |results|
82
83
  inputs :document
@@ -116,6 +117,20 @@ end
116
117
  ```
117
118
  (In theory the block used in the `fail_with` case can do anything within the [DataCarrier context](#data-and-results) - so you could set internal state or call methods on the containing task - but I've not tried this yet).
118
119
 
120
+ Alternatively, you can evaluate multiple conditions in your decision handler.
121
+
122
+ ```ruby
123
+ decision :is_the_weather_good? do
124
+ condition { weather_forecast.sunny? }
125
+ go_to :the_beach
126
+ condition { weather_forecast.rainy? }
127
+ go_to :grab_an_umbrella
128
+ condition { weather_forecast.snowing? }
129
+ go_to :build_a_snowman
130
+ end
131
+ ```
132
+ If no conditions are matched then the task fails with a `NoDecision` exception.
133
+
119
134
  You can specify the data that is required for a decision handler to run by specifying `inputs` and `optionals`:
120
135
  ```ruby
121
136
  decision :authorised? do
@@ -130,35 +145,45 @@ end
130
145
  In this case, the task will fail (with an `ArgumentError`) if there is no `user` specified. However, `override` is optional (in fact the `optional` method does nothing and is just there for documentation purposes).
131
146
 
132
147
  ### Actions
133
- An action handler does some work, then moves to another state.
148
+ An action handler does some work, and then transitions to another state. The state transition is defined statically after the action, using the `go_to` method.
134
149
 
135
150
  ```ruby
136
151
  action :have_a_party do
137
152
  self.food = task.buy_some_food_for(number_of_guests)
138
153
  self.beer = task.buy_some_beer_for(number_of_guests)
139
154
  self.music = task.plan_a_party_playlist
140
-
141
- go_to :send_invitations
142
155
  end
156
+ go_to :send_invitations
143
157
  ```
144
- You can specify the required and optional data for your action handler within the block. `optional` is decorative and to help with your documentation. Ensure you call `inputs` at the start of the block so that the task fails before you do any meaningful work.
145
158
 
146
- ```ruby
147
- action :have_a_party do
148
- inputs :number_of_guests
149
- optional :music
159
+ You can also specify the required and optional data for your action handler using parameters or within the block. `optional` is decorative and helps with documentation. When using the block form, ensure you call `inputs` at the start of the block so that the task fails before doing any meaningful work.
150
160
 
161
+ ```ruby
162
+ action :have_a_party, inputs: [:number_of_guests], optional: [:music] do
151
163
  self.food = task.buy_some_food_for(number_of_guests)
152
164
  self.beer = task.buy_some_beer_for(number_of_guests)
153
165
  self.music ||= task.plan_a_party_playlist
154
-
155
- go_to :send_invitations
156
166
  end
167
+ go_to :send_invitations
157
168
  ```
158
- Do not forget to call `go_to` from your action handler, otherwise the operation will just stop whilst still being marked as in progress. (TODO: don't let this happen).
169
+
170
+ Defining state transitions statically with `go_to` ensures that all transitions are known when the operation class is loaded, making the flow easier to understand and analyze. The `go_to` method will automatically associate the transition with the most recently defined action handler.
159
171
 
160
172
  ### Waiting
161
- Wait handlers only work within [background tasks](#background-operations-and-pauses). They define a condition that is evaluated; if it is false, the task is paused and the condition re-evaluated later. If it is true, the task moves to the next state.
173
+ Wait handlers are very similar to decision handlers but only work within [background tasks](#background-operations-and-pauses).
174
+
175
+ ```ruby
176
+ wait_until :weather_forecast_available? do
177
+ condition { weather_forecast.sunny? }
178
+ go_to :the_beach
179
+ condition { weather_forecast.rainy? }
180
+ go_to :grab_an_umbrella
181
+ condition { weather_forecast.snowing? }
182
+ go_to :build_a_snowman
183
+ end
184
+ ```
185
+
186
+ If no conditions are met, then, unlike a decision handler, the task continues waiting in the same state.
162
187
 
163
188
  ### Results
164
189
  A result handler marks the end of an operation, optionally returning some results. You need to copy your desired results from your [data](#data-and-results) to your results object. This is so only the information that matters to you is stored as the results.
@@ -256,7 +281,7 @@ task = CombineNames.call first_name: "Alice", last_name: "Aardvark"
256
281
  task.results[:name] # => Alice Aardvark
257
282
  ```
258
283
 
259
- Because handlers are run in the context of the data carrier, you do not have direct access to methods or properties on your task object. However, the data carrier holds a reference to your task; use `task.do_something` or `task.some_attribute` to access it. The exceptions are the `go_to`, `fail_with`, `call` and `start` methods which the data carrier understands (and are intercepted when you are [testing](#testing)).
284
+ Because handlers are run in the context of the data carrier, you do not have direct access to methods or properties on your task object. However, the data carrier holds a reference to your task; use `task.do_something` or `task.some_attribute` to access it. The exception is the `fail_with`, `call` and `start` methods which the data carrier understands (and are intercepted when you are [testing](#testing)). Note that `go_to` has been removed from the data carrier to enforce static state transitions with the `go_to` method.
260
285
 
261
286
  Both your task's `data` and its final `results` are stored in the database, so they can be examined later. The `results` because that's what you're interested in, the `data` as it can be useful for debugging or auditing purposes.
262
287
 
@@ -302,9 +327,8 @@ class PrepareDownload < Operations::Task
302
327
 
303
328
  results = call GetAuthorisation, user: user, document: document
304
329
  self.authorised = results[:authorised]
305
-
306
- go_to :whatever_happens_next
307
330
  end
331
+ go_to :whatever_happens_next
308
332
  end
309
333
  ```
310
334
  If the sub-task succeeds, `call` returns the results from the sub-task. If it fails, then any exceptions are re-raised.
@@ -321,9 +345,8 @@ class PrepareDownload < Operations::Task
321
345
  call GetAuthorisation, user: user, document: document do |results|
322
346
  self.authorised = results[:authorised]
323
347
  end
324
-
325
- go_to :whatever_happens_next
326
348
  end
349
+ go_to :whatever_happens_next
327
350
  end
328
351
  ```
329
352
 
@@ -350,15 +373,15 @@ class UserRegistration < Operations::Task
350
373
  inputs :email
351
374
 
352
375
  self.user = User.create! email: email
353
- go_to :send_verification_email
354
- end
376
+ end
377
+ go_to :send_verification_email
355
378
 
356
379
  action :send_verification_email do
357
380
  inputs :user
358
381
 
359
382
  UserMailer.with(user: user).verification_email.deliver_later
360
- go_to :verified?
361
- end
383
+ end
384
+ go_to :verified?
362
385
 
363
386
  wait_until :verified? do
364
387
  condition { user.verified? }
@@ -387,13 +410,13 @@ class ParallelTasks < Operations::Task
387
410
  action :start_sub_tasks do
388
411
  inputs :number_of_sub_tasks
389
412
  self.sub_tasks = (1..number_of_sub_tasks).collect { |i| start LongRunningTask, number: i }
390
- go_to :do_something_else
391
- end
413
+ end
414
+ go_to :do_something_else
392
415
 
393
416
  action :do_something_else do
394
417
  # do something else while the sub-tasks do their thing
395
- go_to :sub_tasks_completed?
396
- end
418
+ end
419
+ go_to :sub_tasks_completed?
397
420
 
398
421
  wait_until :sub_tasks_completed? do
399
422
  condition { sub_tasks.all? { |t| t.completed? } }
@@ -431,6 +454,19 @@ class UserRegistration < Operations::Task
431
454
  end
432
455
  ```
433
456
 
457
+ Instead of failing with an `Operations::Timeout` exception, you define an `on_timeout` handler for any special processing should the time-out occur.
458
+
459
+ ```ruby
460
+ class WaitForSomething < Operations::Task
461
+ timeout 10.minutes
462
+ delay 1.minute
463
+
464
+ on_timeout do
465
+ Notifier.send_timeout_notification
466
+ end
467
+ end
468
+ ```
469
+
434
470
  ## Testing
435
471
  Because operations are intended to model long, complex, flowcharts of decisions and actions, it can be a pain coming up with the combinations of inputs to test every path through the sequence.
436
472
 
@@ -509,6 +545,49 @@ expect { MyOperation.handling(:a_failure, some: "data") }.to raise_error(SomeExc
509
545
 
510
546
  If you are using RSpec, you must `require "operations/matchers"` to make the matchers available to your specs.
511
547
 
548
+ ## Visualization
549
+
550
+ Operations tasks can be visualized as flowcharts using the built-in GraphViz exporter. This helps you understand the flow of your operations and can be useful for documentation.
551
+
552
+ ```ruby
553
+ # Export a task to GraphViz
554
+ exporter = Operations::Exporters::Graphviz.new(MyTask)
555
+
556
+ # Save as PNG
557
+ exporter.save("my_task_flow.png")
558
+
559
+ # Save as SVG
560
+ exporter.save("my_task_flow.svg", format: :svg)
561
+
562
+ # Get DOT format
563
+ dot_string = exporter.to_dot
564
+ ```
565
+
566
+ ### Custom Condition Labels
567
+
568
+ By default, condition transitions in the visualization are labeled based on the state they lead to. For more clarity, you can provide custom labels when defining conditions:
569
+
570
+ ```ruby
571
+ wait_until :document_status do
572
+ condition(:ready_for_download, label: "Document processed successfully") { document.processed? }
573
+ condition(:processing_failed, label: "Processing error occurred") { document.error? }
574
+ end
575
+
576
+ decision :user_access_level do
577
+ condition(:allow_full_access, label: "User is an admin") { user.admin? }
578
+ condition(:provide_limited_access, label: "User is a regular member") { user.member? }
579
+ condition(:deny_access, label: "User has no permissions") { !user.member? }
580
+ end
581
+ ```
582
+
583
+ The visualization includes:
584
+ - Color-coded nodes by state type (decisions, actions, wait states, results)
585
+ - Required and optional inputs for each state
586
+ - Transition conditions between states with custom labels when provided
587
+ - Special handling for custom transition blocks
588
+
589
+ Note: To use the GraphViz exporter, you need to have the GraphViz tool installed on your system. On macOS, you can install it with `brew install graphviz`, on Ubuntu with `apt-get install graphviz`, and on Windows with the installer from the [GraphViz website](https://graphviz.org/download/).
590
+
512
591
  ## Installation
513
592
  Step 1: Add the gem to your Rails application's Gemfile:
514
593
  ```ruby
@@ -544,7 +623,7 @@ The gem is available as open source under the terms of the [LGPL License](/LICEN
544
623
 
545
624
  - [x] Specify inputs (required and optional) per-state, not just at the start
546
625
  - [x] Always raise errors instead of just recording a failure (will be useful when dealing with sub-tasks)
547
- - [ ] Deal with actions that have forgotten to call `go_to` (probably related to future `pause` functionality)
626
+ - [x] Deal with actions that have forgotten to call `go_to` by enforcing static state transitions with `go_to`
548
627
  - [x] Simplify calling sub-tasks (and testing them)
549
628
  - [ ] Figure out how to stub calling sub-tasks with known results data
550
629
  - [ ] Figure out how to test the parameters passed to sub-tasks when they are called
@@ -552,6 +631,7 @@ The gem is available as open source under the terms of the [LGPL License](/LICEN
552
631
  - [x] Make Operations::Task work in the background using ActiveJob
553
632
  - [x] Add pause/resume capabilities (for example, when a task needs to wait for user input)
554
633
  - [x] Add wait for sub-tasks capabilities
634
+ - [x] Add GraphViz visualization export for task flows
555
635
  - [ ] Add ActiveModel validations support for task parameters
556
636
  - [ ] Option to change background job queue and priority settings
557
637
  - [ ] Replace the ActiveJob::Arguments deserialiser with the [transporter](https://github.com/standard-procedure/plumbing/blob/main/lib/plumbing/actor/transporter.rb) from [plumbing](https://github.com/standard-procedure/plumbing)
@@ -2,25 +2,27 @@ module Operations::Task::Background
2
2
  extend ActiveSupport::Concern
3
3
 
4
4
  class_methods do
5
- def delay(value)
6
- @background_delay = value
7
- end
5
+ def delay(value) = @background_delay = value
8
6
 
9
- def timeout(value)
10
- @execution_timeout = value
11
- end
7
+ def timeout(value) = @execution_timeout = value
8
+
9
+ def on_timeout(&handler) = @on_timeout = handler
12
10
 
13
11
  def background_delay = @background_delay ||= 1.second
14
12
 
15
13
  def execution_timeout = @execution_timeout ||= 5.minutes
16
14
 
15
+ def timeout_handler = @on_timeout
16
+
17
17
  def with_timeout(data) = data.merge(_execution_timeout: execution_timeout.from_now.utc)
18
18
  end
19
19
 
20
20
  private def background_delay = self.class.background_delay
21
21
  private def execution_timeout = self.class.execution_timeout
22
+ private def timeout_handler = self.class.timeout_handler
22
23
  private def timeout!
23
- raise Operations::Timeout.new("Timeout expired", self) if timeout_expired?
24
+ return unless timeout_expired?
25
+ timeout_handler.nil? ? raise(Operations::Timeout.new("Timeout expired", self)) : timeout_handler.call
24
26
  end
25
27
  private def timeout_expired? = data[:_execution_timeout].present? && data[:_execution_timeout] < Time.now.utc
26
28
  end
@@ -1,5 +1,5 @@
1
1
  class Operations::Task::DataCarrier < OpenStruct
2
- def go_to(state, message: nil) = task.go_to(state, self, message: message)
2
+ # go_to method removed to enforce static state transitions
3
3
 
4
4
  def fail_with(message) = task.fail_with(message)
5
5
 
@@ -0,0 +1,45 @@
1
+ module Operations::Task::Exports
2
+ extend ActiveSupport::Concern
3
+ class_methods do
4
+ # Returns a hash representation of the task's structure
5
+ # Useful for exporting to different formats (e.g., GraphViz)
6
+ def to_h
7
+ {name: name, initial_state: initial_state, inputs: required_inputs, optional_inputs: optional_inputs, states: state_handlers.transform_values { |handler| handler_to_h(handler) }}
8
+ end
9
+
10
+ def handler_to_h(handler)
11
+ case handler
12
+ when Operations::Task::StateManagement::DecisionHandler
13
+ {type: :decision, transitions: decision_transitions(handler), inputs: extract_inputs(handler), optional_inputs: extract_optional_inputs(handler)}
14
+ when Operations::Task::StateManagement::ActionHandler
15
+ {type: :action, next_state: handler.next_state, inputs: extract_inputs(handler), optional_inputs: extract_optional_inputs(handler)}
16
+ when Operations::Task::StateManagement::WaitHandler
17
+ {type: :wait, transitions: wait_transitions(handler), inputs: extract_inputs(handler), optional_inputs: extract_optional_inputs(handler)}
18
+ when Operations::Task::StateManagement::CompletionHandler
19
+ {type: :result, inputs: extract_inputs(handler), optional_inputs: extract_optional_inputs(handler)}
20
+ else
21
+ {type: :unknown}
22
+ end
23
+ end
24
+
25
+ def extract_inputs(handler)
26
+ handler.instance_variable_defined?(:@required_inputs) ? handler.instance_variable_get(:@required_inputs) : []
27
+ end
28
+
29
+ def extract_optional_inputs(handler)
30
+ handler.instance_variable_defined?(:@optional_inputs) ? handler.instance_variable_get(:@optional_inputs) : []
31
+ end
32
+
33
+ def decision_transitions(handler)
34
+ if handler.instance_variable_defined?(:@true_state) && handler.instance_variable_defined?(:@false_state)
35
+ {"true" => handler.instance_variable_get(:@true_state), "false" => handler.instance_variable_get(:@false_state)}
36
+ else
37
+ handler.instance_variable_get(:@destinations).map.with_index { |dest, i| [:"condition_#{i}", dest] }.to_h
38
+ end
39
+ end
40
+
41
+ def wait_transitions(handler)
42
+ handler.instance_variable_get(:@destinations).map.with_index { |dest, i| [:"condition_#{i}", dest] }.to_h
43
+ end
44
+ end
45
+ end
@@ -1,10 +1,33 @@
1
1
  class Operations::Task::StateManagement::ActionHandler
2
+ attr_accessor :next_state
3
+
2
4
  def initialize name, inputs = [], optional = [], &action
3
5
  @name = name.to_sym
4
6
  @required_inputs = inputs
5
7
  @optional_inputs = optional
6
8
  @action = action
9
+ @next_state = nil
7
10
  end
8
11
 
9
- def call(task, data) = data.instance_exec(&@action)
12
+ def call(task, data)
13
+ # Execute the action block in the context of the data carrier
14
+ result = data.instance_exec(&@action)
15
+
16
+ # If state hasn't changed (no go_to in the action) and we have a static next_state,
17
+ # perform the transition now
18
+ if @next_state && task.state == @name.to_s
19
+ # Get the current data as a hash to preserve changes made in the action
20
+ current_data = data.to_h
21
+
22
+ # If next_state is a symbol that matches an input parameter name, use that parameter's value
23
+ if @required_inputs.include?(@next_state) || @optional_inputs.include?(@next_state)
24
+ target_state = data.send(@next_state)
25
+ task.go_to(target_state, current_data) if target_state
26
+ else
27
+ task.go_to(@next_state, current_data)
28
+ end
29
+ end
30
+
31
+ result
32
+ end
10
33
  end
@@ -3,13 +3,26 @@ class Operations::Task::StateManagement::DecisionHandler
3
3
 
4
4
  def initialize name, &config
5
5
  @name = name.to_sym
6
- @condition = nil
6
+ @conditions = []
7
+ @destinations = []
7
8
  @true_state = nil
8
9
  @false_state = nil
9
10
  instance_eval(&config)
10
11
  end
11
12
 
12
- def condition(&condition) = @condition = condition
13
+ def condition(destination = nil, options = {}, &condition)
14
+ @conditions << condition
15
+ @destinations << destination if destination
16
+ @condition_labels ||= {}
17
+ condition_index = @conditions.size - 1
18
+ @condition_labels[condition_index] = options[:label] if options[:label]
19
+ end
20
+
21
+ def go_to(destination) = @destinations << destination
22
+
23
+ def condition_labels
24
+ @condition_labels ||= {}
25
+ end
13
26
 
14
27
  def if_true(state = nil, &handler) = @true_state = state || handler
15
28
 
@@ -17,7 +30,33 @@ class Operations::Task::StateManagement::DecisionHandler
17
30
 
18
31
  def call(task, data)
19
32
  validate_inputs! data.to_h
20
- next_state = data.instance_eval(&@condition) ? @true_state : @false_state
21
- next_state.respond_to?(:call) ? data.instance_eval(&next_state) : data.go_to(next_state)
33
+ has_true_false_handlers? ? handle_single_condition(task, data) : handle_multiple_conditions(task, data)
34
+ end
35
+
36
+ private def has_true_false_handlers? = !@true_state.nil? || !@false_state.nil?
37
+
38
+ private def handle_single_condition(task, data)
39
+ next_state = data.instance_eval(&@conditions.first) ? @true_state : @false_state
40
+ if next_state.respond_to?(:call)
41
+ data.instance_eval(&next_state)
42
+ elsif data.respond_to?(:next_state=)
43
+ # Check if we're in a testing environment (data is TestResultCarrier)
44
+ data.go_to(next_state)
45
+ else
46
+ task.go_to(next_state, data.to_h)
47
+ end
48
+ end
49
+
50
+ private def handle_multiple_conditions(task, data)
51
+ condition = @conditions.find { |condition| data.instance_eval(&condition) }
52
+ raise Operations::NoDecision.new("No conditions matched #{@name}") if condition.nil?
53
+ index = @conditions.index condition
54
+
55
+ # Check if we're in a testing environment (data is TestResultCarrier)
56
+ if data.respond_to?(:next_state=)
57
+ data.go_to(@destinations[index])
58
+ else
59
+ task.go_to(@destinations[index], data.to_h)
60
+ end
22
61
  end
23
62
  end
@@ -1,18 +1,33 @@
1
1
  class Operations::Task::StateManagement::WaitHandler
2
2
  def initialize name, &config
3
3
  @name = name.to_sym
4
- @next_state = nil
5
- @condition = nil
4
+ @conditions = []
5
+ @destinations = []
6
6
  instance_eval(&config)
7
7
  end
8
8
 
9
- def condition(&condition) = @condition = condition
9
+ def condition(destination = nil, options = {}, &condition)
10
+ @conditions << condition
11
+ @destinations << destination if destination
12
+ @condition_labels ||= {}
13
+ condition_index = @conditions.size - 1
14
+ @condition_labels[condition_index] = options[:label] if options[:label]
15
+ end
16
+
17
+ def go_to(state) = @destinations << state
10
18
 
11
- def go_to(state) = @next_state = state
19
+ def condition_labels
20
+ @condition_labels ||= {}
21
+ end
12
22
 
13
23
  def call(task, data)
14
24
  raise Operations::CannotWaitInForeground.new("#{task.class} cannot wait in the foreground", task) unless task.background?
15
- next_state = data.instance_eval(&@condition) ? @next_state : task.state
16
- data.go_to(next_state)
25
+ condition = @conditions.find { |condition| data.instance_eval(&condition) }
26
+ if condition.nil?
27
+ task.go_to(task.state, data.to_h)
28
+ else
29
+ index = @conditions.index condition
30
+ task.go_to(@destinations[index], data.to_h)
31
+ end
17
32
  end
18
33
  end
@@ -19,6 +19,14 @@ module Operations::Task::StateManagement
19
19
 
20
20
  def result(name, inputs: [], optional: [], &results) = state_handlers[name.to_sym] = CompletionHandler.new(name, inputs, optional, &results)
21
21
 
22
+ def go_to(state)
23
+ # Get the most recently defined action handler
24
+ last_action = state_handlers.values.reverse.find { |h| h.is_a?(ActionHandler) }
25
+ raise ArgumentError, "No action handler defined yet" unless last_action
26
+
27
+ last_action.next_state = state.to_sym
28
+ end
29
+
22
30
  def state_handlers = @state_handlers ||= {}
23
31
 
24
32
  def handler_for(state) = state_handlers[state.to_sym]
@@ -3,14 +3,26 @@ module Operations::Task::Testing
3
3
 
4
4
  class_methods do
5
5
  def handling state, **data, &block
6
- task = new state: state
6
+ # Create a task specifically for testing - avoid serialization issues
7
+ task = new(state: state)
8
+ # Use our own test-specific data carrier that has go_to
7
9
  data = TestResultCarrier.new(data.merge(task: task))
10
+
11
+ # Testing doesn't use the database, so handle serialization by overriding task's go_to
12
+ # to avoid serialization errors
13
+ def task.go_to(state, data = {}, message: nil)
14
+ self.state = state
15
+ # Don't call super to avoid serialization
16
+ end
17
+
8
18
  handler_for(state).call(task, data)
9
19
  data.completion_results.nil? ? block.call(data) : block.call(data.completion_results)
10
20
  end
11
21
  end
12
22
 
13
- class TestResultCarrier < Operations::Task::DataCarrier
23
+ # Instead of extending DataCarrier (which no longer has go_to),
24
+ # create a new class with similar functionality but keeps the go_to method for testing
25
+ class TestResultCarrier < OpenStruct
14
26
  def go_to(state, message = nil)
15
27
  self.next_state = state
16
28
  self.status_message = message || next_state.to_s
@@ -20,14 +32,25 @@ module Operations::Task::Testing
20
32
  self.failure_message = message
21
33
  end
22
34
 
35
+ def inputs(*names)
36
+ missing_inputs = (names.map(&:to_sym) - to_h.keys)
37
+ raise ArgumentError.new("Missing inputs: #{missing_inputs.join(", ")}") if missing_inputs.any?
38
+ end
39
+
40
+ def optional(*names) = nil
41
+
23
42
  def call(sub_task_class, **data, &result_handler)
24
43
  record_sub_task sub_task_class
25
- super
44
+ # Return mock data for testing
45
+ result = {answer: 42}
46
+ result_handler&.call(result)
47
+ result
26
48
  end
27
49
 
28
50
  def start(sub_task_class, **data, &result_handler)
29
51
  record_sub_task sub_task_class
30
- super
52
+ # Just record the sub_task for testing, don't actually start it
53
+ nil
31
54
  end
32
55
 
33
56
  def complete(results)
@@ -4,6 +4,7 @@ module Operations
4
4
  include Deletion
5
5
  include Testing
6
6
  include Background
7
+ include Exports
7
8
  extend InputValidation
8
9
 
9
10
  enum :status, in_progress: 0, waiting: 10, completed: 100, failed: -1
@@ -0,0 +1,164 @@
1
+ require "graphviz"
2
+
3
+ module Operations
4
+ module Exporters
5
+ class Graphviz
6
+ attr_reader :task_class
7
+
8
+ def self.export(task_class)
9
+ new(task_class).to_dot
10
+ end
11
+
12
+ def initialize(task_class)
13
+ @task_class = task_class
14
+ end
15
+
16
+ # Generate a DOT representation of the task flow
17
+ def to_dot
18
+ graph.output(dot: String)
19
+ end
20
+
21
+ # Generate and save the graph to a file
22
+ # Supported formats: dot, png, svg, pdf, etc.
23
+ def save(filename, format: :png)
24
+ graph.output(format => filename)
25
+ end
26
+
27
+ # Generate GraphViz object representing the task flow
28
+ def graph
29
+ @graph ||= build_graph
30
+ end
31
+
32
+ private
33
+
34
+ def build_graph
35
+ task_hash = task_class.to_h
36
+ g = GraphViz.new(:G, type: :digraph, rankdir: "LR")
37
+
38
+ # Set up node styles
39
+ g.node[:shape] = "box"
40
+ g.node[:style] = "rounded"
41
+ g.node[:fontname] = "Arial"
42
+ g.node[:fontsize] = "12"
43
+ g.edge[:fontname] = "Arial"
44
+ g.edge[:fontsize] = "10"
45
+
46
+ # Create nodes for each state
47
+ nodes = {}
48
+ task_hash[:states].each do |state_name, state_info|
49
+ node_style = node_style_for(state_info[:type])
50
+ node_label = create_node_label(state_name, state_info)
51
+ nodes[state_name] = g.add_nodes(state_name.to_s, label: node_label, **node_style)
52
+ end
53
+
54
+ # Add edges for transitions
55
+ task_hash[:states].each do |state_name, state_info|
56
+ case state_info[:type]
57
+ when :decision
58
+ add_decision_edges(g, nodes, state_name, state_info[:transitions])
59
+ when :action
60
+ if state_info[:next_state]
61
+ g.add_edges(nodes[state_name], nodes[state_info[:next_state]])
62
+ end
63
+ when :wait
64
+ add_wait_edges(g, nodes, state_name, state_info[:transitions])
65
+ end
66
+ end
67
+
68
+ # Mark initial state
69
+ if nodes[task_hash[:initial_state]]
70
+ initial_node = g.add_nodes("START", shape: "circle", style: "filled", fillcolor: "#59a14f", fontcolor: "white")
71
+ g.add_edges(initial_node, nodes[task_hash[:initial_state]])
72
+ end
73
+
74
+ g
75
+ end
76
+
77
+ def node_style_for(type)
78
+ case type
79
+ when :decision
80
+ {shape: "diamond", style: "filled", fillcolor: "#4e79a7", fontcolor: "white"}
81
+ when :action
82
+ {shape: "box", style: "filled", fillcolor: "#f28e2b", fontcolor: "white"}
83
+ when :wait
84
+ {shape: "box", style: "filled,dashed", fillcolor: "#76b7b2", fontcolor: "white"}
85
+ when :result
86
+ {shape: "box", style: "filled", fillcolor: "#59a14f", fontcolor: "white"}
87
+ else
88
+ {shape: "box"}
89
+ end
90
+ end
91
+
92
+ def create_node_label(state_name, state_info)
93
+ label = state_name.to_s
94
+
95
+ # Add inputs if present
96
+ if state_info[:inputs].present?
97
+ inputs_list = state_info[:inputs].map(&:to_s).join(", ")
98
+ label += "\nInputs: #{inputs_list}"
99
+ end
100
+
101
+ # Add optional inputs if present
102
+ if state_info[:optional_inputs].present?
103
+ optional_list = state_info[:optional_inputs].map(&:to_s).join(", ")
104
+ label += "\nOptional: #{optional_list}"
105
+ end
106
+
107
+ label
108
+ end
109
+
110
+ def add_decision_edges(graph, nodes, state_name, transitions)
111
+ # Get the handler for this state to access condition labels
112
+ task_state = task_class.respond_to?(:states) ? task_class.states[state_name.to_sym] : nil
113
+ handler = task_state[:handler] if task_state
114
+
115
+ transitions.each_with_index do |(condition, target), index|
116
+ # Get custom label if available
117
+ label = (handler&.respond_to?(:condition_labels) && handler.condition_labels[index]) ? handler.condition_labels[index] : target.to_s
118
+
119
+ if (target.is_a?(Symbol) || target.is_a?(String)) && nodes[target.to_sym]
120
+ graph.add_edges(nodes[state_name], nodes[target.to_sym], label: label)
121
+ elsif target.respond_to?(:call)
122
+ # Create a special node to represent the custom action
123
+ block_node_name = "#{state_name}_#{condition}_block"
124
+ block_node = graph.add_nodes(block_node_name,
125
+ label: "#{condition} Custom Action",
126
+ shape: "note",
127
+ style: "filled",
128
+ fillcolor: "#bab0ab",
129
+ fontcolor: "black")
130
+
131
+ graph.add_edges(nodes[state_name], block_node,
132
+ label: label,
133
+ style: "dashed")
134
+ end
135
+ end
136
+ end
137
+
138
+ def add_wait_edges(graph, nodes, state_name, transitions)
139
+ # Get the handler for this state to access condition labels
140
+ task_state = task_class.respond_to?(:states) ? task_class.states[state_name.to_sym] : nil
141
+ handler = task_state[:handler] if task_state
142
+
143
+ # Add a self-loop for wait condition
144
+ graph.add_edges(nodes[state_name], nodes[state_name],
145
+ label: "waiting",
146
+ style: "dashed",
147
+ constraint: "false",
148
+ dir: "back")
149
+
150
+ # Add edges for each transition
151
+ transitions.each_with_index do |(condition, target), index|
152
+ # Get custom label if available
153
+ label = (handler&.respond_to?(:condition_labels) && handler.condition_labels[index]) ? handler.condition_labels[index] : target.to_s
154
+
155
+ if (target.is_a?(Symbol) || target.is_a?(String)) && nodes[target.to_sym]
156
+ graph.add_edges(nodes[state_name], nodes[target.to_sym],
157
+ label: label,
158
+ style: "solid")
159
+ end
160
+ end
161
+ end
162
+ end
163
+ end
164
+ end
@@ -0,0 +1,2 @@
1
+ class Operations::NoDecision < Operations::Error
2
+ end
@@ -1,3 +1,3 @@
1
1
  module Operations
2
- VERSION = "0.3.0"
2
+ VERSION = "0.4.0"
3
3
  end
data/lib/operations.rb CHANGED
@@ -14,4 +14,6 @@ module Operations
14
14
  require "operations/failure"
15
15
  require "operations/cannot_wait_in_foreground"
16
16
  require "operations/timeout"
17
+ require "operations/no_decision"
18
+ require "operations/exporters/graphviz"
17
19
  end
metadata CHANGED
@@ -1,13 +1,13 @@
1
1
  --- !ruby/object:Gem::Specification
2
2
  name: standard_procedure_operations
3
3
  version: !ruby/object:Gem::Version
4
- version: 0.3.0
4
+ version: 0.4.0
5
5
  platform: ruby
6
6
  authors:
7
7
  - Rahoul Baruah
8
8
  bindir: bin
9
9
  cert_chain: []
10
- date: 2025-02-05 00:00:00.000000000 Z
10
+ date: 2025-03-09 00:00:00.000000000 Z
11
11
  dependencies:
12
12
  - !ruby/object:Gem::Dependency
13
13
  name: rails
@@ -39,6 +39,7 @@ files:
39
39
  - app/models/operations/task/background.rb
40
40
  - app/models/operations/task/data_carrier.rb
41
41
  - app/models/operations/task/deletion.rb
42
+ - app/models/operations/task/exports.rb
42
43
  - app/models/operations/task/input_validation.rb
43
44
  - app/models/operations/task/state_management.rb
44
45
  - app/models/operations/task/state_management/action_handler.rb
@@ -51,9 +52,11 @@ files:
51
52
  - lib/operations.rb
52
53
  - lib/operations/cannot_wait_in_foreground.rb
53
54
  - lib/operations/engine.rb
55
+ - lib/operations/exporters/graphviz.rb
54
56
  - lib/operations/failure.rb
55
57
  - lib/operations/global_id_serialiser.rb
56
58
  - lib/operations/matchers.rb
59
+ - lib/operations/no_decision.rb
57
60
  - lib/operations/timeout.rb
58
61
  - lib/operations/version.rb
59
62
  - lib/standard_procedure_operations.rb