standard_procedure_operations 0.2.5 → 0.3.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: 278552bfcbf35e101f4022a0d95004cc593473803b0b6578349afe945c1b6d18
4
- data.tar.gz: 6be975b9b3d9b88e67eb63cef2cb582c9fbb12ff7b881a1ceb288f33ac74c21d
3
+ metadata.gz: f99019aca1964cfe7e6607d45c1c253ed73f8081702b596bb6fdbb918c7d74f7
4
+ data.tar.gz: 8c6599fe4f7227226ecc23773902eb8f2c3e0a5d37d2f6f3a918a8dfff8ee35b
5
5
  SHA512:
6
- metadata.gz: d271751ea12a1efd3083b32445ae3dfceeadcdea464702515ff83bfbf1c91157192bf4797149557ca0a1009d9963a97fcd62910359b78375d15eb2225f5c9612
7
- data.tar.gz: 670ac183d0f130c4086ac4d0057e265fc69bdc5f7898628837fd8ed831588551d5cf1c37b9c81e8a4cfa104a957ba4caee870fc943f655201ab38baf1a9909b8
6
+ metadata.gz: 2d40c6a60efea70434ae993ad37d5872f71173cf1c4d6e61cf436f735538dc9e72c9d268a40a7c7be81ebb66a7bc46ff70b868ff6af66bf30db1c574eca8787b
7
+ data.tar.gz: 5931d257ab4d45b04d20f96244ce20a65d292808bf10eae66930fcfe0bf35e52d1c539bde83c8fabf8ddff0cdb44be548f763b0949671aaaa5309bda039f285d
data/README.md CHANGED
@@ -49,6 +49,7 @@ class PrepareDocumentForDownload < Operations::Task
49
49
 
50
50
  decision :authorised? do
51
51
  inputs :user
52
+ condition { user.can?(:read, data.document) }
52
53
 
53
54
  if_true :within_download_limits?
54
55
  if_false { fail_with "unauthorised" }
@@ -56,6 +57,7 @@ class PrepareDocumentForDownload < Operations::Task
56
57
 
57
58
  decision :within_download_limits? do
58
59
  inputs :user
60
+ condition { user.within_download_limits? }
59
61
 
60
62
  if_true :use_filename_scrambler?
61
63
  if_false { fail_with "download_limit_reached" }
@@ -82,21 +84,19 @@ class PrepareDocumentForDownload < Operations::Task
82
84
 
83
85
  results.filename = filename || document.filename.to_s
84
86
  end
85
-
86
- private def authorised?(data) = data.user.can?(:read, data.document)
87
- private def within_download_limits?(data) = data.user.within_download_limits?
88
87
  end
88
+
89
+ task = PrepareDocumentForDownload.call user: @user, document: @document, use_filename_scrambler: @account.feature_flags[:use_filename_scramber]
90
+ puts task.results[:filename]
89
91
  ```
90
92
 
91
- The five states are represented as three [decision](#decisions) handlers, one [action](#actions) handler and a [result](#results) handler.
93
+ The task declares that it requires `user`, `document` and `use_filename_scrambler` parameters and that it starts in the `authorised?` state.
92
94
 
93
- The task also declares that it requires a `user`, `document` and `use_filename_scrambler` parameter to be provided, and also declares its initial state - `authorised?`.
95
+ The five states are represented as three [decision](#decisions) handlers, one [action](#actions) handler and a [result](#results) handler.
94
96
 
95
97
  ### Decisions
96
98
  A decision handler evaluates a condition, then changes state depending upon if the result is true or false.
97
99
 
98
- It's up to you whether you define the condition as a block, as part of the decision handler, or as a method on the task object.
99
-
100
100
  ```ruby
101
101
  decision :is_it_the_weekend? do
102
102
  condition { Date.today.wday.in? [0, 6] }
@@ -105,40 +105,29 @@ decision :is_it_the_weekend? do
105
105
  if_false :go_to_work
106
106
  end
107
107
  ```
108
- Or
109
- ```ruby
110
- decision :is_it_the_weekend? do
111
- if_true :have_a_party
112
- if_false :go_to_work
113
- end
114
-
115
- def is_it_the_weekend?(data)
116
- Date.today.wday.in? [0, 6]
117
- end
118
- ```
119
-
120
- A decision can also mark a failure, which will terminate the task.
108
+ A decision can also mark a failure, which will terminate the task and raise an `Operations::Failure`.
121
109
  ```ruby
122
110
  decision :authorised? do
123
111
  condition { user.administrator? }
112
+
124
113
  if_true :do_some_work
125
114
  if_false { fail_with "Unauthorised" }
126
115
  end
127
116
  ```
117
+ (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).
128
118
 
129
119
  You can specify the data that is required for a decision handler to run by specifying `inputs` and `optionals`:
130
120
  ```ruby
131
121
  decision :authorised? do
132
- inputs :user
133
- optionals :override
134
-
122
+ inputs :user
123
+ optional :override
135
124
  condition { override || user.administrator? }
136
125
 
137
126
  if_true :do_some_work
138
127
  if_false { fail_with "Unauthorised" }
139
128
  end
140
129
  ```
141
- In this case, the task will fail if there is no `user` specified. However, `override` is optional (and in fact the `optional` method is just there to help you document your operations).
130
+ 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).
142
131
 
143
132
  ### Actions
144
133
  An action handler does some work, then moves to another state.
@@ -148,51 +137,40 @@ action :have_a_party do
148
137
  self.food = task.buy_some_food_for(number_of_guests)
149
138
  self.beer = task.buy_some_beer_for(number_of_guests)
150
139
  self.music = task.plan_a_party_playlist
140
+
151
141
  go_to :send_invitations
152
142
  end
153
143
  ```
154
- 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.
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.
155
145
 
156
146
  ```ruby
157
147
  action :have_a_party do
158
- inputs :task
148
+ inputs :number_of_guests
159
149
  optional :music
160
150
 
161
151
  self.food = task.buy_some_food_for(number_of_guests)
162
152
  self.beer = task.buy_some_beer_for(number_of_guests)
163
153
  self.music ||= task.plan_a_party_playlist
164
- go_to :send_invitations
165
- end
166
- ```
167
154
 
168
- Again, instead of using a block in the action handler, you could provide a method to do the work. However, you cannot specify `inputs` or `optional` data when using a method.
169
-
170
- ```ruby
171
- action :have_a_party
172
-
173
- def have_a_party(data)
174
- data.food = buy_some_food_for(data.number_of_guests)
175
- data.beer = buy_some_beer_for(data.number_of_guests)
176
- data.music = plan_a_party_playlist
177
155
  go_to :send_invitations
178
156
  end
179
157
  ```
180
- Note that when using a method you need to refer to the `data` parameter directly, when using a block, you need to refer to the `task` - see the section on "[Data](#data-and-results)" for more information.
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).
181
159
 
182
- Do not forget to call `go_to` from your action handler, otherwise the operation will just stop whilst still being marked as in progress.
160
+ ### 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.
183
162
 
184
163
  ### Results
185
- 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 in the database (as many operations may have a large set of working data).
186
-
187
- There is no method equivalent to a block handler.
164
+ 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.
188
165
 
189
166
  ```ruby
190
167
  action :send_invitations do
191
168
  self.invited_friends = (0..number_of_guests).collect do |i|
192
169
  friend = friends.pop
193
- FriendsMailer.with(recipient: friend).party_invitation.deliver_later
170
+ FriendsMailer.with(recipient: friend).party_invitation.deliver_later unless friend.nil?
194
171
  friend
195
- end
172
+ end.compact
173
+
196
174
  go_to :ready_to_party
197
175
  end
198
176
 
@@ -211,12 +189,14 @@ In this case, the task will be marked as `completed?`, the task's state will be
211
189
  You can also specify the required and optional data for your result handler within the block. `optional` is decorative and to help with your documentation. Ensure you call `inputs` at the start of the block.
212
190
  ```ruby
213
191
  action :send_invitations do
214
- inputs :number_of_guests
192
+ inputs :number_of_guests, :friends
193
+
215
194
  self.invited_friends = (0..number_of_guests).collect do |i|
216
195
  friend = friends.pop
217
- FriendsMailer.with(recipient: friend).party_invitation.deliver_later
196
+ FriendsMailer.with(recipient: friend).party_invitation.deliver_later unless friend.nil?
218
197
  friend
219
- end
198
+ end.compact
199
+
220
200
  go_to :ready_to_party
221
201
  end
222
202
 
@@ -225,6 +205,7 @@ result :ready_to_party do |results|
225
205
 
226
206
  results.invited_friends = invited_friends
227
207
  end
208
+ ```
228
209
 
229
210
  ### Calling an operation
230
211
  You would use the earlier [PrepareDocumentForDownload](spec/examples/prepare_document_for_download_spec.rb) operation in a controller like this:
@@ -232,41 +213,65 @@ You would use the earlier [PrepareDocumentForDownload](spec/examples/prepare_doc
232
213
  ```ruby
233
214
  class DownloadsController < ApplicationController
234
215
  def show
235
- @document = Document.includes(:account).find(params[:id])
236
- @task = PrepareDocumentForDownload.call(user: Current.user, document: @document, use_filename_scrambler: @document.account.use_filename_scrambler?)
237
- if @task.completed?
238
- @filename = @task.results.filename
239
- send_data @document.contents, filename: @filename, disposition: "attachment"
240
- else
241
- render action: "error", message: @task.results.failure_message, status: 401
242
- end
216
+ @document = Document.find(params[:id])
217
+ @task = PrepareDocumentForDownload.call(user: Current.user, document: @document, use_filename_scrambler: Current.account.use_filename_scrambler?)
218
+
219
+ send_data @document.contents, filename: @task.results[:filename], disposition: "attachment"
220
+
221
+ rescue => failure
222
+ render action: "error", locals: {error: failure.message}, status: 422
243
223
  end
244
224
  end
245
225
  ```
246
226
 
247
- OK - so that's a pretty longwinded way of performing a simple task. But, in Collabor8Online, the actual operation for handling downloads has over twenty states, with half of them being decisions (as there are a number of feature flags and per-account configuration options). When you get to complex decision trees like that, being able to lay them out as state transitions becomes invaluable.
227
+ OK - so that's a pretty longwinded way of performing a simple task.
228
+
229
+ But many operations end up as complex flows of conditionals and actions, often spread across multiple classes and objects. This means that someone trying to understand the rules for an operation can spend a lot of time tracing through code, understanding that flow.
230
+
231
+ In Collabor8Online, the actual operation for handling downloads has over twenty states, with half of them being decisions (there are a number of feature flags and per-account configuration options which need to be considered). Now they are defined as four ruby classes (using [composition](#sub-tasks) to split the workload) and the logic is extremely easy to follow.
248
232
 
249
233
  ### Data and results
250
- Each operation carries its own, mutable, data for the duration of the operation. This is provided when you `call` the operation to start it and is passed through to each decision, action and result. This data is transient and not stored in the database. If you modify the data then that modification is passed on to the next handler.
234
+ Each operation carries its own, mutable, [data](/app/models/operations/task/data_carrier.rb) for the duration of the operation.
235
+
236
+ This is provided when you `call` the operation to start it and is passed through to each decision, action and result. If you modify the data then that modification is passed on to the next handler.
237
+
238
+ Within handlers you can read the data directly (the implementation uses `instance_eval`/`instance_exec`). Here the `build_name` action knows the `first_name` and `last_name` provided and adds in a new property of `name`.
239
+
240
+ ```ruby
241
+ class CombineNames < Operations::Task
242
+ inputs :first_name, :last_name
243
+ starts_with :build_name
244
+
245
+ action :build_name do
246
+ self.name = "#{first_name} #{last_name}"
247
+ go_to :done
248
+ end
249
+
250
+ result :done do |results|
251
+ results.name = name
252
+ end
253
+ end
251
254
 
252
- For example, in the [DownloadsController](#calling-an-operation) shown above, the `user`, `document` and `use_filename_scrambler` are set within the data object when the operation is started. But if the `scramble_filename` action is called, it generates a new filename and adds that to the data object as well. Finally the `return_filename` result handler then returns either the scrambled or the original filename to the caller.
255
+ task = CombineNames.call first_name: "Alice", last_name: "Aardvark"
256
+ task.results[:name] # => Alice Aardvark
257
+ ```
253
258
 
254
- Within handlers implemented as blocks, you can read the data directly - for example, `condition { use_filename_scrambler }` from the `use_filename_scrambler?` decision shown earlier. If you want to modify a value, or add a new one, you must use `self` - `self.my_data = "something important"`.
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)).
255
260
 
256
- This is because the data is carried using a [DataCarrier](/app/models/operations/task/data_carrier.rb) object and `instance_eval` is used within your block handlers.
261
+ 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.
257
262
 
258
- This also means that block handlers must use `task.method` to access methods or data on the task object itself (as you are not actually within the context of the task object itself). The exceptions are the `go_to` and `fail_with` methods which the data carrier forwards to the task.
263
+ They are both stored as hashes that are encoded into JSON.
259
264
 
260
- Handlers can alternatively be implemented as methods on the task itself. This means that they are executed within the context of the task and can methods and variables belonging to the task. Each handler method receives a `data` parameter which is the data carrier for that task. Individual items can be accessed as a hash - `data[:my_item]` - or as an attribute - `data.my_item`.
265
+ Instead of using the standard [JSON coder](https://api.rubyonrails.org/v4.2/classes/ActiveModel/Serializers/JSON.html), we use a [GlobalIDSerialiser](/lib/operations/global_id_serialiser.rb). This uses [ActiveJob::Arguments](https://guides.rubyonrails.org/active_job_basics.html#supported-types-for-arguments) to transform any models into [GlobalIDs](https://github.com/rails/globalid) before storage and convert them back to models upon retrieval.
261
266
 
262
- The final `results` data from any `result` handlers is stored, along with the task, in the database, so it can be examined later. It is a Hash that is encoded into JSON with any ActiveRecord models translated using a [GlobalID](https://github.com/rails/globalid) (this uses [ActiveJob::Arguments](https://guides.rubyonrails.org/active_job_basics.html#supported-types-for-arguments) so works the same way as passing models to ActiveJob).
267
+ If the original database record was deleted between the time the hash was serialised and when it was retrieved, the `GlobalID::Locator` will fail. With ActiveJob, this means that the job cannot run and is discarded. For Operations, we attempt to deserialise a second time, returning the GlobalID string instead of the model. So be aware that when you access `data` or `results` you may receive a string (similar to `"gid://test-app/User/1"`) instead of the models you were expecting. And the error handling deserialiser is very simple so you may get format changes in some of the data as well. If serialisation fails you can access the original JSON string as `data.raw_data` or `results[:raw_data]`.
263
268
 
264
- Be aware that if you do store an ActiveRecord model into your `results` and that model is later deleted from the database, your task's `results` will be unavailable (as `GlobalID::Locator` will fail when it tries to load the record). The data is not lost though - if the deserialisation fails, the routine will return the JSON string as `results.raw_data`.
269
+ TODO: 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)
265
270
 
266
271
  ### Failures and exceptions
267
272
  If any handlers raise an exception, the task will be terminated. It will be marked as `failed?` and the `results` hash will contain `results[:failure_message]`, `results[:exception_class]` and `results[:exception_backtrace]` for the exception's message, class name and backtrace respectively.
268
273
 
269
- You can also stop a task at any point by calling `fail_with message`. This will mark the task as `failed?` and the `reeults` has will contain `results[:failure_message]`.
274
+ You can also stop a task at any point by calling `fail_with message`. This will raise an `Operations::Failure` exception, marking the task as `failed?` and the `results` has will contain `results[:failure_message]`.
270
275
 
271
276
  ### Task life-cycle and the database
272
277
  There is an ActiveRecord migration that creates the `operations_tasks` table. Use `bin/rails operations:install:migrations` to copy it to your application, then run `bin/rails db:migrate` to add the table to your application's database.
@@ -279,22 +284,163 @@ This gives you a number of possibilities:
279
284
  - tasks can run in the background (using ActiveJob) and other parts of your code can interact with them whilst they are in progress - see "[background operations](#background-operations-and-pauses)" below
280
285
  - the tasks table acts as an audit trail or activity log for your application
281
286
 
282
- However, it also means that your database table could fill up with junk that you're no longer interested in. Therefore you can specify the maximum age of a task and, periodically, clean old tasks away. Every task has a `delete_at` field that, by default, is set to `90.days.from_now`. This can be changed by calling `Operations::Task.delete_after 7.days` (or whatever value you prefer). Then, run a cron job (once per day) that calls `Operations::Task.delete_expired`, removing any tasks whose `deleted_at` date has passed.
287
+ However, it also means that your database table could fill up with junk that you're no longer interested in. Therefore you can specify the maximum age of a task and, periodically, clean old tasks away. Every task has a `delete_at` field that, by default, is set to `90.days.from_now`. This can be changed by calling `Operations::Task.delete_after 7.days` (or whatever value you prefer) in an initializer. Then, run a cron job, or other scheduled task, once per day that calls `Operations::Task.delete_expired`. This will delete any tasks whose `delete_at` time has passed.
283
288
 
284
289
  ### Status messages
285
290
  Documentation coming soon.
286
291
 
287
- ### Child tasks
288
- Coming soon.
292
+ ### Sub tasks
293
+ Any operation can be composed out of other operations and can therefore call other subtasks.
294
+
295
+ ```ruby
296
+ class PrepareDownload < Operations::Task
297
+ inputs :user, :document
298
+ starts_with :get_authorisation
299
+
300
+ action :get_authorisation do
301
+ inputs :user, :document
302
+
303
+ results = call GetAuthorisation, user: user, document: document
304
+ self.authorised = results[:authorised]
305
+
306
+ go_to :whatever_happens_next
307
+ end
308
+ end
309
+ ```
310
+ If the sub-task succeeds, `call` returns the results from the sub-task. If it fails, then any exceptions are re-raised.
311
+
312
+ You can also access the results in a block:
313
+ ```ruby
314
+ class PrepareDownload < Operations::Task
315
+ inputs :user, :document
316
+ starts_with :get_authorisation
317
+
318
+ action :get_authorisation do
319
+ inputs :user, :document
320
+
321
+ call GetAuthorisation, user: user, document: document do |results|
322
+ self.authorised = results[:authorised]
323
+ end
324
+
325
+ go_to :whatever_happens_next
326
+ end
327
+ end
328
+ ```
329
+
330
+ If you want the sub-task to be a [background task](#background-operations-and-pauses), use `start` instead of `call`. This will return the newly created sub-task immediately. As the sub-task will not have completed, you cannot access its results unless you [wait](#waiting-for-sub-tasks-to-complete) (which is only possible if the parent task is a background task as well).
289
331
 
290
332
  ### Background operations and pauses
291
- Coming soon.
333
+ If you have ActiveJob configured, you can run your operations in the background.
334
+
335
+ Instead of using `call`, use `start` to initiate the operation. This takes the same data parameters and returns a task object that you can refer back to. But it will be `waiting?` instead of `in_progress?` or `completed?`. An `Operations::TaskRunnerJob` will be queued and it will mark the task as `in_progress?`, then call a _single_ state handler. Instead of handling the next state immediately another `Operations::TaskRunnerJob` is queued. And so on, until the task either fails or is completed.
336
+
337
+ By itself, this is not particularly useful - it just makes your operation take even longer to complete.
338
+
339
+ But if your operation may need to wait for something else to happen, background tasks are perfect.
340
+
341
+ #### Waiting for user input
342
+ For example, maybe you're handling a user registration process and you need to wait until the verification link has been clicked. The verification link goes to another controller and updates the user record in question. Once clicked, you can then notify the administrator.
343
+
344
+ ```ruby
345
+ class UserRegistration < Operations::Task
346
+ inputs :email
347
+ starts_with :create_user
348
+
349
+ action :create_user do
350
+ inputs :email
351
+
352
+ self.user = User.create! email: email
353
+ go_to :send_verification_email
354
+ end
355
+
356
+ action :send_verification_email do
357
+ inputs :user
358
+
359
+ UserMailer.with(user: user).verification_email.deliver_later
360
+ go_to :verified?
361
+ end
362
+
363
+ wait_until :verified? do
364
+ condition { user.verified? }
365
+ go_to :notify_administrator
366
+ end
367
+
368
+ action :notify_administrator do
369
+ inputs :user
370
+
371
+ AdminMailer.with(user: user).verification_completed.deliver_later
372
+ end
373
+ end
374
+
375
+ @task = UserRegistration.start email: "someone@example.com"
376
+ ```
377
+ Because background tasks use ActiveJobs, every time the `verified?` condition is evaluated, the task object (and hence its data) will be reloaded from the database. So the `user.verified?` property will be refreshed on each evaluation.
378
+
379
+ #### Waiting for sub-tasks to complete
380
+ Alternatively, you may have a number of sub-tasks that you want to run in parallel then continue once they have all completed. This allows you to spread their execution across multiple processes or even servers (depending upon how your job queue processes are configured).
381
+
382
+ ```ruby
383
+ class ParallelTasks < Operations::Task
384
+ inputs :number_of_sub_tasks
385
+ starts_with :start_sub_tasks
386
+
387
+ action :start_sub_tasks do
388
+ inputs :number_of_sub_tasks
389
+ self.sub_tasks = (1..number_of_sub_tasks).collect { |i| start LongRunningTask, number: i }
390
+ go_to :do_something_else
391
+ end
392
+
393
+ action :do_something_else do
394
+ # do something else while the sub-tasks do their thing
395
+ go_to :sub_tasks_completed?
396
+ end
397
+
398
+ wait_until :sub_tasks_completed? do
399
+ condition { sub_tasks.all? { |t| t.completed? } }
400
+ go_to :done
401
+ end
402
+
403
+ result :done
404
+ end
405
+
406
+ @task = ParallelTasks.start number_of_sub_tasks: 5
407
+ ```
408
+ The principle is the same as above; we store the newly created sub-tasks in our own `data` property. As they are ActiveRecord models, they get reloaded each time `sub_tasks_completed?` is evaluated - and we check to see that they have all completed before moving on.
409
+
410
+ #### Delays and Timeouts
411
+ When you run an operation in the background, it schedules an [ActiveJob](app/jobs/operations/task_runner_job.rb) which performs the individual state handler, scheduling a follow-up job for subsequent states. By default, these jobs are scheduled to run after 1 second - so a five state operation will take a minimum of five seconds to complete (depending upon the backlog in your job queues). This is to prevent a single operation from starving the job process of resources and allow other ActiveJobs the time to execute.
412
+
413
+ However, if you know that your `wait_until` condition may take a while you can change the default delay to something longer. In your operations definition, declare the required delay:
414
+
415
+ ```ruby
416
+ class ParallelTasks < Operations::Tasks
417
+ delay 1.minute
418
+ ...
419
+ end
420
+ ```
421
+
422
+ Likewise, it's possible for a background task to get stuck. In the sub-tasks example above, if one of the sub-tasks fails, waiting for them _all_ to complete will never happen. Every operation has a default timeout of 5 minutes - if the operation has not completed or failed 5 minutes after it was initially started, it will fail with an `Operations::Timeout` exception.
423
+
424
+ If you need to change this (such as the user verification example above), you can declare the timeout when defining the operation. Long timeouts fit well with longer delays, so you're not filling the job queues with jobs that are meaninglessly evaluating your conditions.
425
+
426
+ ```ruby
427
+ class UserRegistration < Operations::Task
428
+ timeout 24.hours
429
+ delay 15.minutes
430
+ ...
431
+ end
432
+ ```
292
433
 
293
434
  ## Testing
294
435
  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.
295
436
 
296
- Instead, you can test each state handler in isolation. As the handlers are state-less, we can simulate calling one by creating a task object and then calling the appropriate handler with the data that it expects. This is done by calling `handling`, which yields a `test` object with outcomes from the handler that we can inspect
437
+ Instead, you can test each state handler _in isolation_.
438
+
439
+ As the handlers are stateless, we can call one without hitting the database; instead creating a dummy task object and then triggering the handler with the correct parameters.
440
+
441
+ This is done by calling `handling`, which yields a `test` object that we can inspect.
297
442
 
443
+ ### Testing state transitions
298
444
  To test if we have moved on to another state (for actions or decisions):
299
445
  ```ruby
300
446
  MyOperation.handling(:an_action_or_decision, some: "data") do |test|
@@ -303,19 +449,23 @@ MyOperation.handling(:an_action_or_decision, some: "data") do |test|
303
449
  expect(test).to have_moved_to "new_state"
304
450
  end
305
451
  ```
452
+
453
+ ### Testing data modifications
306
454
  To test if some data has been set or modified (for actions):
307
455
  ```ruby
308
456
  MyOperation.handling(:an_action, existing_data: "some_value") do |test|
309
- # has a new data value been added?
310
- assert_equal test.new_data, "new_value"
311
- # or
312
- expect(test.new_data).to eq "new_value"
313
457
  # has an existing data value been modified?
314
458
  assert_equal test.existing_data, "some_other_value"
315
459
  # or
316
460
  expect(test.existing_data).to eq "some_other_value"
461
+ # has a new data value been added?
462
+ assert_equal test.new_data, "new_value"
463
+ # or
464
+ expect(test.new_data).to eq "new_value"
317
465
  end
318
466
  ```
467
+
468
+ ### Testing results
319
469
  To test the results from a result handler:
320
470
  ```ruby
321
471
  MyOperation.handling(:a_result, some: "data") do |test|
@@ -330,14 +480,33 @@ end
330
480
  ```
331
481
  (Note - although results are stored in the database as a Hash, within your test, the results object is still carried as an OpenStruct, so you can access it using either notation).
332
482
 
483
+ ### Testing sub-tasks
484
+ ```ruby
485
+ MyOperation.handling(:a_sub_task, some: "data") do |test|
486
+ # Test which sub-tasks were called
487
+ assert_includes test.sub_tasks.keys, MySubTask
488
+ # or
489
+ expect(test.sub_tasks).to include MySubTask
490
+ end
491
+ ```
492
+ TODO: I'm still figuring out how to test the data passed to sub-tasks. And calling a sub-task will actually execute that sub-task, so you need to stub `MySubTask.call` if it's an expensive operation.
493
+
494
+ ```ruby
495
+ # Sorry, don't know the Minitest syntax for this
496
+ @sub_task = double "Operations::Task", results: { some: "answers" }
497
+ allow(MySubTask).to receive(:call).and_return(@sub_task)
498
+
499
+ MyOperation.handling(:a_sub_task, some: "data") do |test|
500
+ expect(test.sub_tasks).to include MySubTask
501
+ end
502
+ ```
503
+ ### Testing failures
333
504
  To test if a handler has failed:
334
505
  ```ruby
335
- MyOperation.handling(:a_failure, some: "data") do |test|
336
- assert_equal test.failure_message, "oh dear"
337
- # or
338
- expect(test).to have_failed_with "oh dear"
339
- end
506
+
507
+ expect { MyOperation.handling(:a_failure, some: "data") }.to raise_error(SomeException)
340
508
  ```
509
+
341
510
  If you are using RSpec, you must `require "operations/matchers"` to make the matchers available to your specs.
342
511
 
343
512
  ## Installation
@@ -356,14 +525,14 @@ class DailyLife < Operations::Task
356
525
  starts_with :am_i_awake?
357
526
 
358
527
  decision :am_i_awake? do
528
+ condition { (7..23).include?(Time.now.hour) }
529
+
359
530
  if_true :live_like_theres_no_tomorrow
360
531
  if_false :rest_and_recuperate
361
532
  end
362
533
 
363
534
  result :live_like_theres_no_tomorrow
364
535
  result :rest_and_recuperate
365
-
366
- def am_i_awake? = (7..23).include?(Time.now.hour)
367
536
  end
368
537
  ```
369
538
  Step 4: If you're using RSpec for testing, add `require "operations/matchers" to your "spec/rails_helper.rb" file.
@@ -374,9 +543,16 @@ The gem is available as open source under the terms of the [LGPL License](/LICEN
374
543
  ## Roadmap
375
544
 
376
545
  - [x] Specify inputs (required and optional) per-state, not just at the start
377
- - [ ] Always raise errors instead of just recording a failure (will be useful when dealing with sub-tasks)
378
- - [ ] Simplify calling sub-tasks (and testing the same)
546
+ - [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)
548
+ - [x] Simplify calling sub-tasks (and testing them)
549
+ - [ ] Figure out how to stub calling sub-tasks with known results data
550
+ - [ ] Figure out how to test the parameters passed to sub-tasks when they are called
379
551
  - [ ] Split out the state-management definition stuff from the task class (so you can use it without subclassing Operations::Task)
380
- - [ ] Make Operations::Task work in the background using ActiveJob
381
- - [ ] Add pause/resume capabilities (for example, when a task needs to wait for user input)
382
- - [ ] Add wait for sub-tasks capabilities
552
+ - [x] Make Operations::Task work in the background using ActiveJob
553
+ - [x] Add pause/resume capabilities (for example, when a task needs to wait for user input)
554
+ - [x] Add wait for sub-tasks capabilities
555
+ - [ ] Add ActiveModel validations support for task parameters
556
+ - [ ] Option to change background job queue and priority settings
557
+ - [ ] 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)
558
+ - [ ] Maybe? Split this out into two gems - one defining an Operation (pure ruby) and another defining the Task (using ActiveJob as part of a Rails Engine)
@@ -0,0 +1,9 @@
1
+ module Operations
2
+ class ApplicationJob < ActiveJob::Base
3
+ # Automatically retry jobs that encountered a deadlock
4
+ # retry_on ActiveRecord::Deadlocked
5
+
6
+ # Most jobs are safe to ignore if the underlying records are no longer available
7
+ # discard_on ActiveJob::DeserializationError
8
+ end
9
+ end
@@ -0,0 +1,11 @@
1
+ module Operations
2
+ class TaskRunnerJob < ApplicationJob
3
+ queue_as :default
4
+
5
+ def perform task
6
+ task.perform if task.waiting?
7
+ rescue => ex
8
+ Rails.logger.error "TaskRunnerJob failed: #{ex.message} for #{task.inspect}"
9
+ end
10
+ end
11
+ end
@@ -0,0 +1,26 @@
1
+ module Operations::Task::Background
2
+ extend ActiveSupport::Concern
3
+
4
+ class_methods do
5
+ def delay(value)
6
+ @background_delay = value
7
+ end
8
+
9
+ def timeout(value)
10
+ @execution_timeout = value
11
+ end
12
+
13
+ def background_delay = @background_delay ||= 1.second
14
+
15
+ def execution_timeout = @execution_timeout ||= 5.minutes
16
+
17
+ def with_timeout(data) = data.merge(_execution_timeout: execution_timeout.from_now.utc)
18
+ end
19
+
20
+ private def background_delay = self.class.background_delay
21
+ private def execution_timeout = self.class.execution_timeout
22
+ private def timeout!
23
+ raise Operations::Timeout.new("Timeout expired", self) if timeout_expired?
24
+ end
25
+ private def timeout_expired? = data[:_execution_timeout].present? && data[:_execution_timeout] < Time.now.utc
26
+ end
@@ -1,8 +1,12 @@
1
1
  class Operations::Task::DataCarrier < OpenStruct
2
- def go_to(state, message = nil) = task.go_to(state, self, message)
2
+ def go_to(state, message: nil) = task.go_to(state, self, message: message)
3
3
 
4
4
  def fail_with(message) = task.fail_with(message)
5
5
 
6
+ def call(sub_task_class, **data, &result_handler) = task.call(sub_task_class, **data, &result_handler)
7
+
8
+ def start(sub_task_class, **data, &result_handler) = task.start(sub_task_class, **data, &result_handler)
9
+
6
10
  def complete(results) = task.complete(results)
7
11
 
8
12
  def inputs(*names)
@@ -6,7 +6,5 @@ class Operations::Task::StateManagement::ActionHandler
6
6
  @action = action
7
7
  end
8
8
 
9
- def call(task, data)
10
- @action.nil? ? task.send(@name, data) : data.instance_exec(&@action)
11
- end
9
+ def call(task, data) = data.instance_exec(&@action)
12
10
  end
@@ -17,8 +17,7 @@ class Operations::Task::StateManagement::DecisionHandler
17
17
 
18
18
  def call(task, data)
19
19
  validate_inputs! data.to_h
20
- result = @condition.nil? ? task.send(@name, data) : data.instance_exec(&@condition)
21
- next_state = result ? @true_state : @false_state
22
- next_state.respond_to?(:call) ? data.instance_eval(&next_state) : data.go_to(next_state, data)
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)
23
22
  end
24
23
  end
@@ -0,0 +1,18 @@
1
+ class Operations::Task::StateManagement::WaitHandler
2
+ def initialize name, &config
3
+ @name = name.to_sym
4
+ @next_state = nil
5
+ @condition = nil
6
+ instance_eval(&config)
7
+ end
8
+
9
+ def condition(&condition) = @condition = condition
10
+
11
+ def go_to(state) = @next_state = state
12
+
13
+ def call(task, data)
14
+ 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)
17
+ end
18
+ end
@@ -15,6 +15,8 @@ module Operations::Task::StateManagement
15
15
 
16
16
  def action(name, inputs: [], optional: [], &handler) = state_handlers[name.to_sym] = ActionHandler.new(name, inputs, optional, &handler)
17
17
 
18
+ def wait_until(name, &config) = state_handlers[name.to_sym] = WaitHandler.new(name, &config)
19
+
18
20
  def result(name, inputs: [], optional: [], &results) = state_handlers[name.to_sym] = CompletionHandler.new(name, inputs, optional, &results)
19
21
 
20
22
  def state_handlers = @state_handlers ||= {}
@@ -23,11 +25,6 @@ module Operations::Task::StateManagement
23
25
  end
24
26
 
25
27
  private def handler_for(state) = self.class.handler_for(state.to_sym)
26
- private def process_current_state(data)
27
- handler_for(state).call(self, data)
28
- rescue => ex
29
- update! status: "failed", status_message: ex.message.to_s.truncate(240), results: {failure_message: ex.message, exception_class: ex.class.name, exception_backtrace: ex.backtrace}
30
- end
31
28
  private def state_is_valid
32
29
  errors.add :state, :invalid if state.blank? || handler_for(state.to_sym).nil?
33
30
  end
@@ -20,8 +20,23 @@ module Operations::Task::Testing
20
20
  self.failure_message = message
21
21
  end
22
22
 
23
+ def call(sub_task_class, **data, &result_handler)
24
+ record_sub_task sub_task_class
25
+ super
26
+ end
27
+
28
+ def start(sub_task_class, **data, &result_handler)
29
+ record_sub_task sub_task_class
30
+ super
31
+ end
32
+
23
33
  def complete(results)
24
34
  self.completion_results = results
25
35
  end
36
+
37
+ private def record_sub_task sub_task_class
38
+ self.sub_tasks ||= []
39
+ self.sub_tasks << sub_task_class
40
+ end
26
41
  end
27
42
  end
@@ -3,25 +3,66 @@ module Operations
3
3
  include StateManagement
4
4
  include Deletion
5
5
  include Testing
6
+ include Background
6
7
  extend InputValidation
7
8
 
8
- enum :status, in_progress: 0, completed: 1, failed: -1
9
+ enum :status, in_progress: 0, waiting: 10, completed: 100, failed: -1
10
+ serialize :data, coder: Operations::GlobalIDSerialiser, type: Hash, default: {}
9
11
  serialize :results, coder: Operations::GlobalIDSerialiser, type: Hash, default: {}
10
12
 
11
- def self.call(data = {})
12
- validate_inputs! data
13
- create!(state: initial_state, status_message: "").tap do |task|
14
- task.send(:process_current_state, DataCarrier.new(data.merge(task: task)))
13
+ def call sub_task_class, **data, &result_handler
14
+ sub_task = sub_task_class.call(**data)
15
+ result_handler&.call(sub_task.results)
16
+ sub_task.results
17
+ end
18
+
19
+ def start sub_task_class, **data, &result_handler
20
+ sub_task_class.start(**data)
21
+ end
22
+
23
+ def perform
24
+ timeout!
25
+ in_progress!
26
+ handler_for(state).call(self, carrier_for(data))
27
+ rescue => ex
28
+ update! status: "failed", status_message: ex.message.to_s.truncate(240), results: {failure_message: ex.message, exception_class: ex.class.name, exception_backtrace: ex.backtrace}
29
+ raise ex
30
+ end
31
+
32
+ def perform_later
33
+ waiting!
34
+ TaskRunnerJob.set(wait_until: background_delay.from_now).perform_later self
35
+ end
36
+
37
+ def self.call(**)
38
+ build(background: false, **).tap do |task|
39
+ task.perform
15
40
  end
16
41
  end
17
42
 
18
- def go_to(state, data = {}, message = nil)
19
- update!(state: state, status_message: (message || state).to_s.truncate(240))
20
- process_current_state(data)
43
+ def self.start(**data)
44
+ build(background: true, **with_timeout(data)).tap do |task|
45
+ task.perform_later
46
+ end
47
+ end
48
+
49
+ def go_to(state, data = {}, message: nil)
50
+ update!(state: state, data: data.to_h, status_message: (message || state).to_s.truncate(240))
51
+ background? ? perform_later : perform
21
52
  end
22
53
 
23
- def fail_with(message) = update! status: "failed", status_message: message.to_s.truncate(240), results: {failure_message: message.to_s}
54
+ def fail_with(message)
55
+ update! status: "failed", status_message: message.to_s.truncate(240), results: {failure_message: message.to_s}
56
+ raise Operations::Failure.new(message, self)
57
+ end
24
58
 
25
59
  def complete(results) = update!(status: "completed", status_message: "completed", results: results.to_h)
60
+
61
+ private def carrier_for(data) = data.is_a?(DataCarrier) ? data : DataCarrier.new(data.merge(task: self))
62
+
63
+ def self.build(background:, **data)
64
+ validate_inputs! data
65
+ create!(state: initial_state, status: background ? "waiting" : "in_progress", data: data, status_message: "", background: background)
66
+ end
26
67
  end
27
68
  end
@@ -0,0 +1,2 @@
1
+ class Operations::CannotWaitInForeground < Operations::Error
2
+ end
@@ -0,0 +1,2 @@
1
+ class Operations::Failure < Operations::Error
2
+ end
@@ -15,7 +15,15 @@ module Operations
15
15
  def self.load(json)
16
16
  ActiveJob::Arguments.deserialize(ActiveSupport::JSON.decode(json)).first
17
17
  rescue => ex
18
- {exception_message: ex.message, exception_class: ex.class.name, raw_data: json.to_s}
18
+ _load_without_global_ids(json).merge exception_message: ex.message, exception_class: ex.class.name, raw_data: json.to_s
19
+ end
20
+
21
+ def self._load_without_global_ids(json)
22
+ ActiveSupport::JSON.decode(json).first.tap do |hash|
23
+ hash.delete("_aj_symbol_keys")
24
+ end.transform_values do |value|
25
+ (value.is_a?(Hash) && value.key?("_aj_globalid")) ? value["_aj_globalid"] : value
26
+ end.transform_keys(&:to_sym)
19
27
  end
20
28
  end
21
29
  end
@@ -0,0 +1,2 @@
1
+ class Operations::Timeout < Operations::Error
2
+ end
@@ -1,3 +1,3 @@
1
1
  module Operations
2
- VERSION = "0.2.5"
2
+ VERSION = "0.3.0"
3
3
  end
data/lib/operations.rb CHANGED
@@ -2,9 +2,16 @@ require "ostruct"
2
2
 
3
3
  module Operations
4
4
  class Error < StandardError
5
+ def initialize message, task = nil
6
+ super(message)
7
+ @task = task
8
+ end
9
+ attr_reader :task
5
10
  end
6
11
  require "operations/version"
7
12
  require "operations/engine"
8
13
  require "operations/global_id_serialiser"
9
- require "operations/missing_inputs_error"
14
+ require "operations/failure"
15
+ require "operations/cannot_wait_in_foreground"
16
+ require "operations/timeout"
10
17
  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.2.5
4
+ version: 0.3.0
5
5
  platform: ruby
6
6
  authors:
7
7
  - Rahoul Baruah
8
8
  bindir: bin
9
9
  cert_chain: []
10
- date: 2025-02-03 00:00:00.000000000 Z
10
+ date: 2025-02-05 00:00:00.000000000 Z
11
11
  dependencies:
12
12
  - !ruby/object:Gem::Dependency
13
13
  name: rails
@@ -33,7 +33,10 @@ files:
33
33
  - LICENSE
34
34
  - README.md
35
35
  - Rakefile
36
+ - app/jobs/operations/application_job.rb
37
+ - app/jobs/operations/task_runner_job.rb
36
38
  - app/models/operations/task.rb
39
+ - app/models/operations/task/background.rb
37
40
  - app/models/operations/task/data_carrier.rb
38
41
  - app/models/operations/task/deletion.rb
39
42
  - app/models/operations/task/input_validation.rb
@@ -41,14 +44,17 @@ files:
41
44
  - app/models/operations/task/state_management/action_handler.rb
42
45
  - app/models/operations/task/state_management/completion_handler.rb
43
46
  - app/models/operations/task/state_management/decision_handler.rb
47
+ - app/models/operations/task/state_management/wait_handler.rb
44
48
  - app/models/operations/task/testing.rb
45
49
  - config/routes.rb
46
50
  - db/migrate/20250127160616_create_operations_tasks.rb
47
51
  - lib/operations.rb
52
+ - lib/operations/cannot_wait_in_foreground.rb
48
53
  - lib/operations/engine.rb
54
+ - lib/operations/failure.rb
49
55
  - lib/operations/global_id_serialiser.rb
50
56
  - lib/operations/matchers.rb
51
- - lib/operations/missing_inputs_error.rb
57
+ - lib/operations/timeout.rb
52
58
  - lib/operations/version.rb
53
59
  - lib/standard_procedure_operations.rb
54
60
  - lib/tasks/operations_tasks.rake
@@ -1,2 +0,0 @@
1
- class Operations::MissingInputsError < Operations::Error
2
- end