Build durable applications on Cloudflare Workers: you write the Workflows, we take care of the rest

Workflows, Cloudflare’s durable execution engine that allows you to build reliable, repeatable multi-step applications that scale for you, is now in open beta. Any developer with a free or paid Workers plan can build and deploy a Workflow right now: no waitlist, no sign-up form, no fake line around-the-block.

If you learn by doing, you can create your first Workflow via a single command (or visit the docs for the full guide):

npm create cloudflare@latest workflows-starter -- 
  --template "cloudflare/workflows-starter"

Open the src/index.ts file, poke around, start extending it, and deploy it with a quick wrangler deploy.

If you want to learn more about how Workflows works, how you can use it to build applications, and how we built it, read on.

Workflows? Durable Execution?

Workflows—which we announced back during Developer Week earlier this year—is our take on the concept of “Durable Execution”: the ability to build and execute applications that are durable in the face of errors, network issues, upstream API outages, rate limits, and (most importantly) infrastructure failure.

As over 2.4 million developers continue to build applications on top of Cloudflare Workers, R2, and Workers AI, we’ve noticed more developers building multi-step applications and workflows that process user data, transform unstructured data into structured, export metrics, persist state as they progress, and automatically retry & restart. But writing any non-trivial application and making it durable in the face of failure is hard: this is where Workflows comes in. Workflows manages the retries, emitting the metrics, and durably storing the state (without you having to stand up your own database) as the Workflow progresses.

What makes Workflows different from other takes on “Durable Execution” is that we manage the underlying compute and storage infrastructure for you. You’re not left managing a compute cluster and hoping it scales both up (on a Monday morning) and down (during quieter periods) to manage costs, or ensuring that you have compute running in the right locations. Workflows is built on Cloudflare Workers — our job is to run your code and operate the infrastructure for you.

As an example of how Workflows can help you build durable applications, assume you want to post-process file uploads from your users that were uploaded to an R2 bucket directly via a pre-signed URL. That post-processing could involve multiple actions: text extraction via a Workers AI model, calls to a third-party API to validate data, updating or querying rows in a database once the file has been processed… the list goes on.

But what each of these actions has in common is that it could fail. Maybe that upstream API is unavailable, maybe you get rate-limited, maybe your database is down. Having to write extensive retry logic around each action, manage backoffs, and (importantly) ensure your application doesn’t have to start from scratch when a later step fails is more boilerplate to write and more code to test and debug.

What’s a step, you ask? The core building block of every Workflow is the step: an individually retriable component of your application that can optionally emit state. That state is then persisted, even if subsequent steps were to fail. This means that your application doesn’t have to restart, allowing it to not only recover more quickly from failure scenarios, but it can also avoid doing redundant work. You don’t want your application hammering an expensive third-party API (or getting you rate limited) because it’s naively retrying an API call that you don’t have to.

export class MyWorkflow extends WorkflowEntrypoint<Env, Params> {
	async run(event: WorkflowEvent<Params>, step: WorkflowStep) {
		const files = await step.do('my first step', async () => {
			return {
				inputParams: event,
				files: [
					'doc_7392_rev3.pdf',
					'report_x29_final.pdf',
					'memo_2024_05_12.pdf',
					'file_089_update.pdf',
					'proj_alpha_v2.pdf',
					'data_analysis_q2.pdf',
					'notes_meeting_52.pdf',
					'summary_fy24_draft.pdf',
				],
			};
		});

		// Other steps...
	}
}

Notably, a Workflow can have hundreds of steps: one of the Rules of Workflows is to encapsulate every API call or stateful action within your application into its own step. Each step can also define its own retry strategy, automatically backing off, adding a delay and/or (eventually) giving up after a set number of attempts.

await step.do(
	'make a call to write that could maybe, just might, fail',
	// Define a retry strategy
	{
		retries: {
			limit: 5,
			delay: '5 seconds',
			backoff: 'exponential',
		},
		timeout: '15 minutes',
	},
	async () => {
		// Do stuff here, with access to the state from our previous steps
		if (Math.random() > 0.5) {
			throw new Error('API call to $STORAGE_SYSTEM failed');
		}
	},
);

To illustrate this further, imagine you have an application that reads text files from an R2 storage bucket, pre-processes the text into chunks, generates text embeddings using Workers AI, and then inserts those into a vector database (like Vectorize) for semantic search.

In the Workflows programming model, each of those is a discrete step, and each can emit state. For example, each of the four actions below can be a discrete step.do call in a Workflow:

  • Reading the files from storage and emitting the list of filenames

  • Chunking the text and emitting the results

  • Generating text embeddings

  • Upserting them into Vectorize and capturing the result of a test query

  • You can also start to imagine that some steps, such as chunking text or generating text embeddings, can be broken down into even more steps — a step per file that we chunk, or a step per API call to our text embedding model, so that our application is even more resilient to failure.

    Steps can be created programmatically or conditionally based on input, allowing you to dynamically create steps based on the number of inputs your application needs to process. You do not need to define all steps ahead of time, and each instance of a Workflow may choose to conditionally create steps on the fly.

    Building Cloudflare on Cloudflare

    As the Cloudflare Developer platform continues to grow, almost all of our own products are built on top of it. Workflows is yet another example of how we built a new product from scratch using nothing but Workers and its vast catalog of features and APIs. This section of the blog has two goals: to explain how we built it, and to demonstrate that anyone can create a complex application or platform with demanding requirements and multiple architectural layers on our stack, too.

    If you’re wondering how Workflows manages to make durable execution easy, how it persists state, and how it automatically scales: it’s because we built it on Cloudflare Workers, including the brand-new zero-latency SQLite storage we recently introduced to Durable Objects.

    To understand how Workflows uses Workers & Durable Objects, here’s the high-level overview of our architecture:

    There are three main blocks in this diagram:

    The user-facing APIs are where the user interacts with the platform, creating and deploying new workflows or instances, controlling them, and accessing their state and activity logs. These operations can be executed through our public API gateway using REST calls, a Worker script using bindings, Wrangler (Cloudflare’s developer platform command line tool), or via the Dashboard user interface.

    The managed platform holds the internal configuration APIs running on a Worker implementing a catalog of REST endpoints, the binding shim, which is supported by another dedicated Worker, every account controller, and their correspondent workflow engines, all powered by SQLite-backed Durable Objects. This is where all the magic happens and what we are sharing more details about in this technical blog.

    Finally, there are the workflow instances, essentially independent clones of the workflow application. Instances are user account-owned and have a one-to-one relationship with a managed engine that powers them. You can run as many instances and engines as you want concurrently.

    Let’s get into more detail…

    Configuration API and Binding Shim

    The Configuration API and the Binding Shim are two stateless Workers; one receives REST API calls from clients calling our API Gateway directly, using Wrangler, or navigating the Dashboard UI, and the other is the endpoint for the Workflows binding, an efficient and authenticated interface to interact with the Cloudflare Developer Platform resources from a Workers script.

    The configuration API worker uses HonoJS and Zod to implement the REST endpoints, which are declared in an OpenAPI schema and exported to our API Gateway, thus adding our methods to the Cloudflare API catalog.

    import { swaggerUI } from '@hono/swagger-ui';
    import { createRoute, OpenAPIHono, z } from '@hono/zod-openapi';
    import { Hono } from 'hono';
    
    ...
    
    ​​api.openapi(
      createRoute({
        method: 'get',
        path: '/',
        request: {
          query: PaginationParams,
        },
        responses: {
          200: {
            content: {
              'application/json': {
                 schema: APISchemaSuccess(z.array(WorkflowWithInstancesCountSchema)),
              },
            },
            description: 'List of all Workflows belonging to a account.',
          },
        },
      }),
      async (ctx) => {
        ...
      },
    );
    
    ...
    
    api.route('/:workflow_name', routes.workflows);
    api.route('/:workflow_name/instances', routes.instances);
    api.route('/:workflow_name/versions', routes.versions);

    These Workers perform two different functions, but they share a large portion of their code and implement similar logic; once the request is authenticated and ready to travel to the next stage, they use the account ID to delegate the operation to a Durable Object called Account Controller.

    // env.ACCOUNTS is the Account Controllers Durable Objects namespace
    const accountStubId = c.env.ACCOUNTS.idFromName(accountId.toString());
    const accountStub = c.env.ACCOUNTS.get(accountStubId);

    As you can see, every account has its own Account Controller Durable Object.

    Account Controllers

    The Account Controller is a dedicated persisted database that stores the list of all the account’s workflows, versions, and instances. We scale to millions of account controllers, one per every Cloudflare account using Workflows, by leveraging the power of Durable Objects with SQLite backend.

    Durable Objects (DOs) are single-threaded singletons that run in our data centers and are bound to a stateful storage API, in this case, SQLite. They are also Workers, just a special kind, and have access to all of our other APIs. This makes it easy to build consistent, highly available distributed applications with them.

    Here’s what we get for free by using one Durable Object per Workflows account:

    • Sharding based on account boundaries aligns perfectly with the way we manage resources at Cloudflare internally. Also, due to the nature of DOs, there are other things that this model gets us for free: Not that we expect them, but eventual bugs or state inconsistencies during beta are confined to the affected account, and don’t impact everyone.

    • DO instances run close to the end user; Alice is in London and will call the config API through our LHR data center, while Bob is in Lisbon and will connect to LIS.

    • Because every account is a Worker, we can gradually upgrade them to new versions, starting with the internal users, thus derisking real customers.

    Before SQLite, our only option was to use the Durable Object’s key-value storage API, but having a relational database at our fingertips and being able to create tables and do complex queries is a significant enabler. For example, take a look at how we implement the internal method getWorkflow():

    async function getWorkflow(accountId: number, workflowName: string) {
      try {
        const res = this.ctx.storage.transactionSync(() => {
          const cursor = Array.from(
            this.ctx.storage.sql.exec(
              `
                        SELECT *,
                        (SELECT class_name
                            FROM   versions
                            WHERE  workflow_id = w.id
                            ORDER  BY created_on DESC
                            LIMIT  1) AS class_name
                        FROM   workflows w
                        WHERE  w.name = ? 
                        `,
              workflowName
            )
          )[0] as Workflow;
    
          return cursor;
        });
    
        this.sendAnalytics(accountId, begin, "getWorkflow");
        return res as Workflow | undefined;
      } catch (err) {
        this.sendErrorAnalytics(accountId, begin, "getWorkflow");
        throw err;
      }
    }
    

    The other thing we take advantage of in Workflows is using the recently announced JavaScript-native RPC feature when communicating between components.

    Before RPC, we had to fetch() between components, make HTTP requests, and serialize and deserialize the parameters and the payload. Now, we can async call the remote object’s method as if it was local. Not only does this feel more natural and simplify our logic, but it’s also more efficient, and we can take advantage of TypeScript type-checking when writing code.

    This is how the Configuration API would call the Account Controller’s countWorkflows() method before:

    const resp = await accountStub.fetch(
          "https://controller/count-workflows",
          {
            method: "POST",
            headers: {
              "Content-Type": "application/json; charset=utf-8",
            },
            body: JSON.stringify({ accountId }),
          },
        );
    
    if (!resp.ok) {
      return new Response("Internal Server Error", { status: 500 });
    }
    
    const result = await resp.json();
    const total_count = result.total_count;

    This is how we do it using RPC:

    const total_count = await accountStub.countWorkflows(accountId);

    The other powerful feature of our RPC system is that it supports passing not only Structured Cloneable objects back and forth but also entire classes. More on this later.

    Let’s move on to Engine.

    Engine and instance

    Every instance of a workflow runs alongside an Engine instance. The Engine is responsible for starting up the user’s workflow entry point, executing the steps on behalf of the user, handling their results, and tracking the workflow state until completion.

    When we started thinking about the Engine, we thought about modeling it after a state machine, and that was what our initial prototypes looked like. However, state machines require an ahead-of-time understanding of the userland code, which implies having a build step before running them. This is costly at scale and introduces additional complexity.

    A few iterations later, we had another idea. What if we could model the engine as a game loop?

    Unlike other computer programs, games operate regardless of a user’s input. The game loop is essentially a sequence of tasks that implement the game’s logic and update the display, typically one loop per video frame. Here’s an example of a game loop in pseudo-code:

    while (game in running)
        check for user input
        move graphics
        play sounds
    end while

    Well, an oversimplified version of our Workflow engine would look like this:

    while (last step not completed)
        iterate every step
           use memoized cache as response if the step has run already
           continue running step or timer if it hasn't finished yet
    end while

    A workflow is indeed a loop that keeps on going, performing the same sequence of logical tasks until the last step completes.

    The Engine and the instance run hand-in-hand in a one-to-one relationship. The first is managed, and part of the platform. It uses SQLite and other platform APIs internally, and we can constantly add new features, fix bugs, and deploy new versions, while keeping everything transparent to the end user. The second is the actual account-owned Worker script that declares the Workflow steps.

    For example, when someone passes a callback into step.do():

    export class MyWorkflow extends WorkflowEntrypoint<Env, Params> {
      async run(event: WorkflowEvent<Params>, step: WorkflowStep) {
        step.do('step1', () => { ... });
      }
    }

    We switch execution over to the Engine. Again, this is possible because of the power of JS RPC. Besides passing Structured Cloneable objects back and forth, JS RPC allows us to create and pass entire application-defined classes that extend the built-in RpcTarget. So this is what happens behind the scenes when your Instance calls step.do() (simplified):

    export class Context extends RpcTarget {
    
      async do<T>(name: string, callback: () => Promise<T>): Promise<T> {
    
        // First we check we have a cache of this step.do() already
        const maybeResult = await this.#state.storage.get(name);
    
        // We return the cache if it exists
        if (maybeValue) { return maybeValue; }
    
        // Else we run the user callback
        return doWrapper(callback);
      }
    
    }
    

    Here’s a more complete diagram of the Engine’s step.do() lifecycle:

    Again, this diagram only partially represents everything we do in the Engine; things like logging for observability or handling exceptions are missing, and we don’t get into the details of how queuing is implemented. However, it gives you a good idea of how the Engine abstracts and handles all the complexities of completing a step under the hood, allowing us to expose a simple-to-use API to end users.

    Also, it’s worth reiterating that every workflow instance is an Engine behind the scenes, and every Engine is an SQLite-backed Durable Object. This ensures that every instance runtime and state are isolated and independent of each other and that we can effortlessly scale to run billions of workflow instances, a solved problem for Durable Objects.

    Durability

    Durable Execution is all the rage now when we talk about workflow engines, and ours is no exception. Workflows are typically long-lived processes that run multiple functions in sequence where anything can happen. Those functions can time out or fail because of a remote server error or a network issue and need to be retried. A workflow engine ensures that your application runs smoothly and completes regardless of the problems it encounters.

    Durability means that if and when a workflow fails, the Engine can re-run it, resume from the last recorded step, and deterministically re-calculate the state from all the successful steps’ cached responses. This is possible because steps are stateful and idempotent; they produce the same result no matter how many times we run them, thus not causing unintended duplicate effects like sending the same invoice to a customer multiple times.

    We ensure durability and handle failures and retries by sharing the same technique we use for a step.sleep() that requires sleeping for days or months: a combination of using scheduler.wait(), a method of the upcoming WICG Scheduling API that we already support, and Durable Objects alarms, which allow you to schedule the Durable Object to be woken up at a time in the future.

    These two APIs allow us to overcome the lack of guarantees that a Durable Object runs forever, giving us complete control of its lifecycle. Since every state transition through userland code persists in the Engine’s strongly consistent SQLite, we track timestamps when a step begins execution, its attempts (if it needs retries), and its completion.

    This means that steps pending if a Durable Object is evicted — perhaps due to a two-month-long timer — get rerun on the next lifetime of the Engine (with its cache from the previous lifetime hydrated) that is triggered by an alarm set with the timestamp of the next expected state transition. 

    Real-life workflow, step by step

    Let’s walk through an example of a real-life application. You run an e-commerce website and would like to send email reminders to your customers for forgotten carts that haven’t been checked out in a few days.

    What would typically have to be a combination of a queue, a cron job, and querying a database table periodically can now simply be a Workflow that we start on every new cart:

    import {
      WorkflowEntrypoint,
      WorkflowEvent,
      WorkflowStep,
    } from "cloudflare:workers";
    import { sendEmail } from "./legacy-email-provider";
    
    type Params = {
      cartId: string;
    };
    
    type Env = {
      DB: D1Database;
    };
    
    export class Purchase extends WorkflowEntrypoint<Env, Params> {
      async run(
        event: WorkflowEvent<Params>,
        step: WorkflowStep
      ): Promise<unknown> {
        await step.sleep("wait for three days", "3 days");
    
        // Retrieve cart from D1
        const cart = await step.do("retrieve cart from database", async () => {
          const { results } = await this.env.DB.prepare(`SELECT * FROM cart WHERE id = ?`)
            .bind(event.payload.cartId)
            .all();
          return results[0];
        });
    
        if (!cart.checkedOut) {
          await step.do("send an email", async () => {
            await sendEmail("reminder", cart);
          });
        }
      }
    }
    

    This works great. However, sometimes the sendEmail function fails due to an upstream provider erroring out. While step.do automatically retries with a reasonable default configuration, we can define our settings:

    if (cart.isComplete) {
      await step.do(
        "send an email",
        {
          retries: {
            limit: 5,
            delay: "1 min",
            backoff: "exponential",
          },
        },
        async () => {
          await sendEmail("reminder", cart);
        }
      );
    }
    

    Managing Workflows

    Workflows allows us to create and manage workflows using four different interfaces:

    • Using our REST HTTP API available on Cloudflare’s API catalog

    • Using Wrangler, Cloudflare’s developer platform command-line tool

    • Programmatically inside a Worker using bindings

    • Using our Web UI in the dashboard

    The HTTP API makes it easy to trigger new instances of workflows from any system, even if it isn’t on Cloudflare, or from the command line. For example:

    curl --request POST 
      --url https://api.cloudflare.com/client/v4/accounts/$ACCOUNT_ID/workflows/purchase-workflow/instances/$CART_INSTANCE_ID 
      --header 'Authorization: Bearer $ACCOUNT_TOKEN 
      --header 'Content-Type: application/json' 
      --data '{
    	"id": "$CART_INSTANCE_ID",
    	"params": {
    		"cartId": "f3bcc11b-2833-41fb-847f-1b19469139d1"
    	}
      }'

    Wrangler goes one step further and gives us a friendlier set of commands to interact with workflows with fancy formatted outputs without needing to authenticate with tokens. Type npx wrangler workflows for help, or:

    npx wrangler workflows trigger purchase-workflow '{ "cartId": "f3bcc11b-2833-41fb-847f-1b19469139d1" }'

    Furthermore, Workflows has first-party support in wrangler, and you can test your instances locally. A Workflow is similar to a regular WorkerEntrypoint in your Worker, which means that wrangler dev just naturally works.

    ❯ npx wrangler dev
    
     ⛅️ wrangler 3.82.0
    ----------------------------
    
    Your worker has access to the following bindings:
    - Workflows:
      - CART_WORKFLOW: EcommerceCartWorkflow
    ⎔ Starting local server...
    [wrangler:inf] Ready on http://localhost:8787
    ╭───────────────────────────────────────────────╮
    │  [b] open a browser, [d] open devtools        │
    ╰───────────────────────────────────────────────╯
    

    Workflow APIs are also available as a Worker binding. You can interact with the platform programmatically from another Worker script in the same account without worrying about permissions or authentication. You can even have workflows that call and interact with other workflows.

    import { WorkerEntrypoint } from "cloudflare:workers";
    
    type Env = { DEMO_WORKFLOW: Workflow };
    export default class extends WorkerEntrypoint<Env> {
      async fetch() {
        // Pass in a user defined name for this instance
        // In this case, we use the same as the cartId
        const instance = await this.env.DEMO_WORKFLOW.create({
          id: "f3bcc11b-2833-41fb-847f-1b19469139d1",
          params: {
              cartId: "f3bcc11b-2833-41fb-847f-1b19469139d1",
          }
        });
      }
      async scheduled() {
        // Restart errored out instances in a cron
        const instance = await this.env.DEMO_WORKFLOW.get(
          "f3bcc11b-2833-41fb-847f-1b19469139d1"
        );
        const status = await instance.status();
        if (status.error) {
          await instance.restart();
        }
      }
    }

    Observability 

    Having good observability and data on often long-lived asynchronous tasks is crucial to understanding how we’re doing under normal operation and, more importantly, when things go south, and we need to troubleshoot problems or when we are iterating on code changes.

    We designed Workflows around the philosophy that there is no such thing as too much logging. You can get all the SQLite data for your workflow and its instances by calling the REST APIs. Here is the output of an instance:

    {
      "success": true,
      "errors": [],
      "messages": [],
      "result": {
        "status": "running",
        "params": {},
        "trigger": { "source": "api" },
        "versionId": "ae042999-39ff-4d27-bbcd-22e03c7c4d02",
        "queued": "2024-10-21 17:15:09.350",
        "start": "2024-10-21 17:15:09.350",
        "end": null,
        "success": null,
        "steps": [
          {
            "name": "send email",
            "start": "2024-10-21 17:15:09.411",
            "end": "2024-10-21 17:15:09.678",
            "attempts": [
              {
                "start": "2024-10-21 17:15:09.411",
                "end": "2024-10-21 17:15:09.678",
                "success": true,
                "error": null
              }
            ],
            "config": {
              "retries": { "limit": 5, "delay": 1000, "backoff": "constant" },
              "timeout": "15 minutes"
            },
            "output": "[email protected]",
            "success": true,
            "type": "step"
          },
          {
            "name": "sleep-1",
            "start": "2024-10-21 17:15:09.763",
            "end": "2024-10-21 17:17:09.763",
            "finished": false,
            "type": "sleep",
            "error": null
          }
        ],
        "error": null,
        "output": null
      }
    }

    As you can see, this is essentially a dump of the instance engine SQLite in JSON. You have the errors, messages, current status, and what happened with every step, all time stamped to the millisecond.

    It’s one thing to get data about a specific workflow instance, but it’s another to zoom out and look at aggregated statistics of all your workflows and instances over time. Workflows data is available through our GraphQL Analytics API, so you can query it in aggregate and generate valuable insights and reports. In this example we ask for aggregated analytics about the wall time of all the instances of the “e-commerce-carts” workflow:

    {
      viewer {
        accounts(filter: { accountTag: "febf0b1a15b0ec222a614a1f9ac0f0123" }) {
          wallTime: workflowsAdaptiveGroups(
            limit: 10000
            filter: {
              datetimeHour_geq: "2024-10-20T12:00:00.000Z"
              datetimeHour_leq: "2024-10-21T12:00:00.000Z"
              workflowName: "e-commerce-carts"
            }
            orderBy: [count_DESC]
          ) {
            count
            sum {
              wallTime
            }
            dimensions {
              date: datetimeHour
            }
          }
        }
      }
    }
    

    For convenience, you can evidently also use Wrangler to describe a workflow or an instance and get an instant and beautifully formatted response:

    sid ~ npx wrangler workflows instances describe purchase-workflow latest
    
     ⛅️ wrangler 3.80.4
    
    Workflow Name:         purchase-workflow
    Instance Id:           d4280218-7756-41d2-bccd-8d647b82d7ce
    Version Id:            0c07dbc4-aaf3-44a9-9fd0-29437ed11ff6
    Status:                ✅ Completed
    Trigger:               🌎 API
    Queued:                14/10/2024, 16:25:17
    Success:               ✅ Yes
    Start:                 14/10/2024, 16:25:17
    End:                   14/10/2024, 16:26:17
    Duration:              1 minute
    Last Successful Step:  wait for three days
    Output:                false
    Steps:
    
      Name:      wait for three days
      Type:      💤 Sleeping
      Start:     14/10/2024, 16:25:17
      End:       17/10/2024, 16:25:17
      Duration:  3 day

    And finally, we worked really hard to get you the best dashboard UI experience when navigating Workflows data.

    So, how much does it cost?

    It’d be painful if we introduced a powerful new way to build Workers applications but made it cost prohibitive.

    Workflows is priced just like Cloudflare Workers, where we introduced CPU-based pricing: only on active CPU time and requests, not duration (aka: wall time).

    Workers Standard pricing model

    This is especially advantageous when building the long-running, multi-step applications that Workflows enables: if you had to pay while your Workflow was sleeping, waiting on an event, or making a network call to an API, writing the “right” code would be at odds with writing affordable code.

    There’s also no need to keep a Kubernetes cluster or a group of virtual machines running (and burning a hole in your wallet): we manage the infrastructure, and you only pay for the compute your Workflows consume.   

    What’s next?

    Today, after months of developing the platform, we are announcing the open beta program, and we couldn’t be more excited to see how you will be using Workflows. Looking forward, we want to do things like triggering instances from queue messages and have other ideas, but at the same time, we are certain that your feedback will help us shape the roadmap ahead.

    We hope that this blog post gets you thinking about how to use Workflows for your next application, but also that it inspires you on what you can build on top of Workers. Workflows as a platform is entirely built on top of Workers, its resources, and APIs. Anyone can do it, too.

    To chat with the team and other developers building on Workflows, join the #workflows-beta channel on the Cloudflare Developer Discord, and keep an eye on the Workflows changelog during the beta. Otherwise, visit the Workflows tutorial to get started.

    If you’re an engineer, look for opportunities to work with us and help us improve Workflows or build other products.

    Source:: CloudFlare