Workflow patterns

Write different types of workflow patterns

Dapr Workflows simplify complex, stateful coordination requirements in microservice architectures. The following sections describe several application patterns that can benefit from Dapr Workflows.

Task chaining

In the task chaining pattern, multiple steps in a workflow are run in succession, and the output of one step may be passed as the input to the next step. Task chaining workflows typically involve creating a sequence of operations that need to be performed on some data, such as filtering, transforming, and reducing.

Diagram showing how the task chaining workflow pattern works

In some cases, the steps of the workflow may need to be orchestrated across multiple microservices. For increased reliability and scalability, you’re also likely to use queues to trigger the various steps.

While the pattern is simple, there are many complexities hidden in the implementation. For example:

  • What happens if one of the microservices are unavailable for an extended period of time?
  • Can failed steps be automatically retried?
  • If not, how do you facilitate the rollback of previously completed steps, if applicable?
  • Implementation details aside, is there a way to visualize the workflow so that other engineers can understand what it does and how it works?

Dapr Workflow solves these complexities by allowing you to implement the task chaining pattern concisely as a simple function in the programming language of your choice, as shown in the following example.

  1. // Expotential backoff retry policy that survives long outages
  2. var retryOptions = new WorkflowTaskOptions
  3. {
  4. RetryPolicy = new WorkflowRetryPolicy(
  5. firstRetryInterval: TimeSpan.FromMinutes(1),
  6. backoffCoefficient: 2.0,
  7. maxRetryInterval: TimeSpan.FromHours(1),
  8. maxNumberOfAttempts: 10),
  9. };
  10. try
  11. {
  12. var result1 = await context.CallActivityAsync<string>("Step1", wfInput, retryOptions);
  13. var result2 = await context.CallActivityAsync<byte[]>("Step2", result1, retryOptions);
  14. var result3 = await context.CallActivityAsync<long[]>("Step3", result2, retryOptions);
  15. return string.Join(", ", result4);
  16. }
  17. catch (TaskFailedException) // Task failures are surfaced as TaskFailedException
  18. {
  19. // Retries expired - apply custom compensation logic
  20. await context.CallActivityAsync<long[]>("MyCompensation", options: retryOptions);
  21. throw;
  22. }

Note

  1. In the example above, <code>&quot;Step1&quot;</code>, <code>&quot;Step2&quot;</code>, <code>&quot;Step3&quot;</code>, and <code>&quot;MyCompensation&quot;</code> represent workflow activities, which are functions in your code that actually implement the steps of the workflow. For brevity, these activity implementations are left out of this example.
  1. import dapr.ext.workflow as wf
  2. def task_chain_workflow(ctx: wf.DaprWorkflowContext, wf_input: int):
  3. try:
  4. result1 = yield ctx.call_activity(step1, input=wf_input)
  5. result2 = yield ctx.call_activity(step2, input=result1)
  6. result3 = yield ctx.call_activity(step3, input=result2)
  7. except Exception as e:
  8. yield ctx.call_activity(error_handler, input=str(e))
  9. raise
  10. return [result1, result2, result3]
  11. def step1(ctx, activity_input):
  12. print(f'Step 1: Received input: {activity_input}.')
  13. # Do some work
  14. return activity_input + 1
  15. def step2(ctx, activity_input):
  16. print(f'Step 2: Received input: {activity_input}.')
  17. # Do some work
  18. return activity_input * 2
  19. def step3(ctx, activity_input):
  20. print(f'Step 3: Received input: {activity_input}.')
  21. # Do some work
  22. return activity_input ^ 2
  23. def error_handler(ctx, error):
  24. print(f'Executing error handler: {error}.')
  25. # Do some compensating work

Note

  1. Workflow retry policies will be available in a future version of the Python SDK.

As you can see, the workflow is expressed as a simple series of statements in the programming language of your choice. This allows any engineer in the organization to quickly understand the end-to-end flow without necessarily needing to understand the end-to-end system architecture.

Behind the scenes, the Dapr Workflow runtime:

  • Takes care of executing the workflow and ensuring that it runs to completion.
  • Saves progress automatically.
  • Automatically resumes the workflow from the last completed step if the workflow process itself fails for any reason.
  • Enables error handling to be expressed naturally in your target programming language, allowing you to implement compensation logic easily.
  • Provides built-in retry configuration primitives to simplify the process of configuring complex retry policies for individual steps in the workflow.

Fan-out/fan-in

In the fan-out/fan-in design pattern, you execute multiple tasks simultaneously across potentially multiple workers, wait for them to finish, and perform some aggregation on the result.

Diagram showing how the fan-out/fan-in workflow pattern works

In addition to the challenges mentioned in the previous pattern, there are several important questions to consider when implementing the fan-out/fan-in pattern manually:

  • How do you control the degree of parallelism?
  • How do you know when to trigger subsequent aggregation steps?
  • What if the number of parallel steps is dynamic?

Dapr Workflows provides a way to express the fan-out/fan-in pattern as a simple function, as shown in the following example:

  1. // Get a list of N work items to process in parallel.
  2. object[] workBatch = await context.CallActivityAsync<object[]>("GetWorkBatch", null);
  3. // Schedule the parallel tasks, but don't wait for them to complete yet.
  4. var parallelTasks = new List<Task<int>>(workBatch.Length);
  5. for (int i = 0; i < workBatch.Length; i++)
  6. {
  7. Task<int> task = context.CallActivityAsync<int>("ProcessWorkItem", workBatch[i]);
  8. parallelTasks.Add(task);
  9. }
  10. // Everything is scheduled. Wait here until all parallel tasks have completed.
  11. await Task.WhenAll(parallelTasks);
  12. // Aggregate all N outputs and publish the result.
  13. int sum = parallelTasks.Sum(t => t.Result);
  14. await context.CallActivityAsync("PostResults", sum);
  1. import time
  2. from typing import List
  3. import dapr.ext.workflow as wf
  4. def batch_processing_workflow(ctx: wf.DaprWorkflowContext, wf_input: int):
  5. # get a batch of N work items to process in parallel
  6. work_batch = yield ctx.call_activity(get_work_batch, input=wf_input)
  7. # schedule N parallel tasks to process the work items and wait for all to complete
  8. parallel_tasks = [ctx.call_activity(process_work_item, input=work_item) for work_item in work_batch]
  9. outputs = yield wf.when_all(parallel_tasks)
  10. # aggregate the results and send them to another activity
  11. total = sum(outputs)
  12. yield ctx.call_activity(process_results, input=total)
  13. def get_work_batch(ctx, batch_size: int) -> List[int]:
  14. return [i + 1 for i in range(batch_size)]
  15. def process_work_item(ctx, work_item: int) -> int:
  16. print(f'Processing work item: {work_item}.')
  17. time.sleep(5)
  18. result = work_item * 2
  19. print(f'Work item {work_item} processed. Result: {result}.')
  20. return result
  21. def process_results(ctx, final_result: int):
  22. print(f'Final result: {final_result}.')

The key takeaways from this example are:

  • The fan-out/fan-in pattern can be expressed as a simple function using ordinary programming constructs
  • The number of parallel tasks can be static or dynamic
  • The workflow itself is capable of aggregating the results of parallel executions

While not shown in the example, it’s possible to go further and limit the degree of concurrency using simple, language-specific constructs. Furthermore, the execution of the workflow is durable. If a workflow starts 100 parallel task executions and only 40 complete before the process crashes, the workflow restarts itself automatically and only schedules the remaining 60 tasks.

Async HTTP APIs

Asynchronous HTTP APIs are typically implemented using the Asynchronous Request-Reply pattern. Implementing this pattern traditionally involves the following:

  1. A client sends a request to an HTTP API endpoint (the start API)
  2. The start API writes a message to a backend queue, which triggers the start of a long-running operation
  3. Immediately after scheduling the backend operation, the start API returns an HTTP 202 response to the client with an identifier that can be used to poll for status
  4. The status API queries a database that contains the status of the long-running operation
  5. The client repeatedly polls the status API either until some timeout expires or it receives a “completion” response

The end-to-end flow is illustrated in the following diagram.

Diagram showing how the async request response pattern works

The challenge with implementing the asynchronous request-reply pattern is that it involves the use of multiple APIs and state stores. It also involves implementing the protocol correctly so that the client knows how to automatically poll for status and know when the operation is complete.

The Dapr workflow HTTP API supports the asynchronous request-reply pattern out-of-the box, without requiring you to write any code or do any state management.

The following curl commands illustrate how the workflow APIs support this pattern.

  1. curl -X POST http://localhost:3500/v1.0-alpha1/workflows/dapr/OrderProcessingWorkflow/start?instanceID=12345678 -d '{"Name":"Paperclips","Quantity":1,"TotalCost":9.95}'

The previous command will result in the following response JSON:

  1. {"instanceID":"12345678"}

The HTTP client can then construct the status query URL using the workflow instance ID and poll it repeatedly until it sees the “COMPLETE”, “FAILURE”, or “TERMINATED” status in the payload.

  1. curl http://localhost:3500/v1.0-alpha1/workflows/dapr/12345678

The following is an example of what an in-progress workflow status might look like.

  1. {
  2. "instanceID": "12345678",
  3. "workflowName": "OrderProcessingWorkflow",
  4. "createdAt": "2023-05-03T23:22:11.143069826Z",
  5. "lastUpdatedAt": "2023-05-03T23:22:22.460025267Z",
  6. "runtimeStatus": "RUNNING",
  7. "properties": {
  8. "dapr.workflow.custom_status": "",
  9. "dapr.workflow.input": "{\"Name\":\"Paperclips\",\"Quantity\":1,\"TotalCost\":9.95}"
  10. }
  11. }

As you can see from the previous example, the workflow’s runtime status is RUNNING, which lets the client know that it should continue polling.

If the workflow has completed, the status might look as follows.

  1. {
  2. "instanceID": "12345678",
  3. "workflowName": "OrderProcessingWorkflow",
  4. "createdAt": "2023-05-03T23:30:11.381146313Z",
  5. "lastUpdatedAt": "2023-05-03T23:30:52.923870615Z",
  6. "runtimeStatus": "COMPLETED",
  7. "properties": {
  8. "dapr.workflow.custom_status": "",
  9. "dapr.workflow.input": "{\"Name\":\"Paperclips\",\"Quantity\":1,\"TotalCost\":9.95}",
  10. "dapr.workflow.output": "{\"Processed\":true}"
  11. }
  12. }

As you can see from the previous example, the runtime status of the workflow is now COMPLETED, which means the client can stop polling for updates.

Monitor

The monitor pattern is recurring process that typically:

  1. Checks the status of a system
  2. Takes some action based on that status - e.g. send a notification
  3. Sleeps for some period of time
  4. Repeat

The following diagram provides a rough illustration of this pattern.

Diagram showing how the monitor pattern works

Depending on the business needs, there may be a single monitor or there may be multiple monitors, one for each business entity (for example, a stock). Furthermore, the amount of time to sleep may need to change, depending on the circumstances. These requirements make using cron-based scheduling systems impractical.

Dapr Workflow supports this pattern natively by allowing you to implement eternal workflows. Rather than writing infinite while-loops (which is an anti-pattern), Dapr Workflow exposes a continue-as-new API that workflow authors can use to restart a workflow function from the beginning with a new input.

  1. public override async Task<object> RunAsync(WorkflowContext context, MyEntityState myEntityState)
  2. {
  3. TimeSpan nextSleepInterval;
  4. var status = await context.CallActivityAsync<string>("GetStatus");
  5. if (status == "healthy")
  6. {
  7. myEntityState.IsHealthy = true;
  8. // Check less frequently when in a healthy state
  9. nextSleepInterval = TimeSpan.FromMinutes(60);
  10. }
  11. else
  12. {
  13. if (myEntityState.IsHealthy)
  14. {
  15. myEntityState.IsHealthy = false;
  16. await context.CallActivityAsync("SendAlert", myEntityState);
  17. }
  18. // Check more frequently when in an unhealthy state
  19. nextSleepInterval = TimeSpan.FromMinutes(5);
  20. }
  21. // Put the workflow to sleep until the determined time
  22. await context.CreateTimer(nextSleepInterval);
  23. // Restart from the beginning with the updated state
  24. context.ContinueAsNew(myEntityState);
  25. return null;
  26. }

This example assumes you have a predefined MyEntityState class with a boolean IsHealthy property.

  1. from dataclasses import dataclass
  2. from datetime import timedelta
  3. import random
  4. import dapr.ext.workflow as wf
  5. @dataclass
  6. class JobStatus:
  7. job_id: str
  8. is_healthy: bool
  9. def status_monitor_workflow(ctx: wf.DaprWorkflowContext, job: JobStatus):
  10. # poll a status endpoint associated with this job
  11. status = yield ctx.call_activity(check_status, input=job)
  12. if not ctx.is_replaying:
  13. print(f"Job '{job.job_id}' is {status}.")
  14. if status == "healthy":
  15. job.is_healthy = True
  16. next_sleep_interval = 60 # check less frequently when healthy
  17. else:
  18. if job.is_healthy:
  19. job.is_healthy = False
  20. ctx.call_activity(send_alert, input=f"Job '{job.job_id}' is unhealthy!")
  21. next_sleep_interval = 5 # check more frequently when unhealthy
  22. yield ctx.create_timer(fire_at=ctx.current_utc_datetime + timedelta(seconds=next_sleep_interval))
  23. # restart from the beginning with a new JobStatus input
  24. ctx.continue_as_new(job)
  25. def check_status(ctx, _) -> str:
  26. return random.choice(["healthy", "unhealthy"])
  27. def send_alert(ctx, message: str):
  28. print(f'*** Alert: {message}')

A workflow implementing the monitor pattern can loop forever or it can terminate itself gracefully by not calling continue-as-new.

Note

This pattern can also be expressed using actors and reminders. The difference is that this workflow is expressed as a single function with inputs and state stored in local variables. Workflows can also execute a sequence of actions with stronger reliability guarantees, if necessary.

External system interaction

In some cases, a workflow may need to pause and wait for an external system to perform some action. For example, a workflow may need to pause and wait for a payment to be received. In this case, a payment system might publish an event to a pub/sub topic on receipt of a payment, and a listener on that topic can raise an event to the workflow using the raise event workflow API.

Another very common scenario is when a workflow needs to pause and wait for a human, for example when approving a purchase order. Dapr Workflow supports this event pattern via the external events feature.

Here’s an example workflow for a purchase order involving a human:

  1. A workflow is triggered when a purchase order is received.
  2. A rule in the workflow determines that a human needs to perform some action. For example, the purchase order cost exceeds a certain auto-approval threshold.
  3. The workflow sends a notification requesting a human action. For example, it sends an email with an approval link to a designated approver.
  4. The workflow pauses and waits for the human to either approve or reject the order by clicking on a link.
  5. If the approval isn’t received within the specified time, the workflow resumes and performs some compensation logic, such as canceling the order.

The following diagram illustrates this flow.

Diagram showing how the external system interaction pattern works with a human involved

The following example code shows how this pattern can be implemented using Dapr Workflow.

  1. public override async Task<OrderResult> RunAsync(WorkflowContext context, OrderPayload order)
  2. {
  3. // ...(other steps)...
  4. // Require orders over a certain threshold to be approved
  5. if (order.TotalCost > OrderApprovalThreshold)
  6. {
  7. try
  8. {
  9. // Request human approval for this order
  10. await context.CallActivityAsync(nameof(RequestApprovalActivity), order);
  11. // Pause and wait for a human to approve the order
  12. ApprovalResult approvalResult = await context.WaitForExternalEventAsync<ApprovalResult>(
  13. eventName: "ManagerApproval",
  14. timeout: TimeSpan.FromDays(3));
  15. if (approvalResult == ApprovalResult.Rejected)
  16. {
  17. // The order was rejected, end the workflow here
  18. return new OrderResult(Processed: false);
  19. }
  20. }
  21. catch (TaskCanceledException)
  22. {
  23. // An approval timeout results in automatic order cancellation
  24. return new OrderResult(Processed: false);
  25. }
  26. }
  27. // ...(other steps)...
  28. // End the workflow with a success result
  29. return new OrderResult(Processed: true);
  30. }

Note

  1. In the example above, <code>RequestApprovalActivity</code> is the name of a workflow activity to invoke and <code>ApprovalResult</code> is an enumeration defined by the workflow app. For brevity, these definitions were left out of the example code.
  1. from dataclasses import dataclass
  2. from datetime import timedelta
  3. import dapr.ext.workflow as wf
  4. @dataclass
  5. class Order:
  6. cost: float
  7. product: str
  8. quantity: int
  9. def __str__(self):
  10. return f'{self.product} ({self.quantity})'
  11. @dataclass
  12. class Approval:
  13. approver: str
  14. @staticmethod
  15. def from_dict(dict):
  16. return Approval(**dict)
  17. def purchase_order_workflow(ctx: wf.DaprWorkflowContext, order: Order):
  18. # Orders under $1000 are auto-approved
  19. if order.cost < 1000:
  20. return "Auto-approved"
  21. # Orders of $1000 or more require manager approval
  22. yield ctx.call_activity(send_approval_request, input=order)
  23. # Approvals must be received within 24 hours or they will be canceled.
  24. approval_event = ctx.wait_for_external_event("approval_received")
  25. timeout_event = ctx.create_timer(timedelta(hours=24))
  26. winner = yield wf.when_any([approval_event, timeout_event])
  27. if winner == timeout_event:
  28. return "Cancelled"
  29. # The order was approved
  30. yield ctx.call_activity(place_order, input=order)
  31. approval_details = Approval.from_dict(approval_event.get_result())
  32. return f"Approved by '{approval_details.approver}'"
  33. def send_approval_request(_, order: Order) -> None:
  34. print(f'*** Sending approval request for order: {order}')
  35. def place_order(_, order: Order) -> None:
  36. print(f'*** Placing order: {order}')

The code that delivers the event to resume the workflow execution is external to the workflow. Workflow events can be delivered to a waiting workflow instance using the raise event workflow management API, as shown in the following example:

  1. // Raise the workflow event to the waiting workflow
  2. await daprClient.RaiseWorkflowEventAsync(
  3. instanceId: orderId,
  4. workflowComponent: "dapr",
  5. eventName: "ManagerApproval",
  6. eventData: ApprovalResult.Approved);
  1. from dapr.clients import DaprClient
  2. from dataclasses import asdict
  3. with DaprClient() as d:
  4. d.raise_workflow_event(
  5. instance_id=instance_id,
  6. workflow_component="dapr",
  7. event_name="approval_received",
  8. event_data=asdict(Approval("Jane Doe")))

External events don’t have to be directly triggered by humans. They can also be triggered by other systems. For example, a workflow may need to pause and wait for a payment to be received. In this case, a payment system might publish an event to a pub/sub topic on receipt of a payment, and a listener on that topic can raise an event to the workflow using the raise event workflow API.

Next steps

Workflow architecture >>

Last modified June 19, 2023: Merge pull request #3565 from dapr/aacrawfi/skip-secrets-close (b1763bf)