Background actions in Gadget are actions that have been enqueued to run at some point soon instead of right away and operate independently of the main application logic. Both model and global actions can be run as background actions.
a simple example of enqueueing a background action
Background actions (similar to background jobs) are useful for long-running tasks that don't need to happen immediately.
1. Processing time-consuming operations
For tasks that take a considerable amount of time to complete, such as generating reports, processing images, or performing complex calculations, background actions allow these tasks to be offloaded from the main application flow.
2. Handling external API calls
When interacting with external services or APIs, network latency and rate limiting can introduce delays. Background actions are ideal for managing these calls, especially when the outcome does not need to be immediately presented to the user. They also allow for efficient retry mechanisms in case of failures.
3. Scheduled tasks
For tasks that need to run at specific intervals, such as a data sync, email notifications, or cleanup operations, background actions can be scheduled to run independently of user interactions, ensuring that these operations do not impact the overall performance of the application.
4. Batch processing
Performing operations on large datasets, like batch updates, exports, or imports, can be resource-intensive. By using background actions, these operations can be processed in smaller, manageable chunks without blocking any main functionality within your application.
How to add a background action
To add a background action to your Gadget application, you define a model or global action, and then enqueue it to run in the background. Actions are serverless JavaScript/TypeScript functions that run in your Gadget backend, with access to your database and the rest of Gadget's framework. Actions can only be run in the background when they have an API trigger.
For example, let's say we have a global action defined in api/actions/sendAnEmail.ts:
api/actions/sendAnEmail.js
JavaScript
export const run: ActionRun = async ({ params, emails }) => {
await emails.sendMail({
to: params.to,
subject: "Hello from Gadget!",
// Email body
html: "an example email",
});
};
export const params = {
to: {
type: "string",
},
};
export const run: ActionRun = async ({ params, emails }) => {
await emails.sendMail({
to: params.to,
subject: "Hello from Gadget!",
// Email body
html: "an example email",
});
};
export const params = {
to: {
type: "string",
},
};
You can run this action in the background by making an API call and enqueuing it:
Once you've enqueued your action, Gadget will run it as soon as it can in your serverless hosting environment. You can view the status and outcome of this background action in the Queues dashboard within Gadget.
Enqueuing an action to run in the background
Enqueuing a background action can be made from the backend or the frontend and is done with the api.enqueue function or with the useEnqueue React hook.
Enqueues take in three inputs:
The action to enqueue.
The input for the action, based on your action's needs.
Options for the enqueue method.
Let's take a look at a couple of examples to use a background action both within the backend and frontend.
Enqueue an action from the backend
Any model or global action can be used and called to run in the background.
In our example above we used a global action but we can also use a model action like below:
Actions can be enqueued directly from your frontend code with the useEnqueue React hook.
React
export function UpdateUserProfileButton(props: { userId: string; newProfileData: { age: number; location: string } }) {
// useEnqueue hook is used to enqueue an update action
const [{ error, fetching, data, handle }, enqueue] = useEnqueue(api.user.update);
const onClick = () => {
return enqueue(
// pass the params for the action as the first argument
{
id: props.userId,
changes: props.newProfileData,
},
// optionally pass options configuring the background action as the second argument
{
retries: 0,
}
);
};
// Render the button with feedback based on the enqueue state
return (
<>
{error && <>Failed to enqueue user update: {error.toString()}</>}
{fetching && <>Enqueuing update action...</>}
{data && <>Enqueued update action with background action id={handle.id}</>}
<button onClick={onClick}>Update Profile</button>
</>
);
}
export function UpdateUserProfileButton(props: { userId: string; newProfileData: { age: number; location: string } }) {
// useEnqueue hook is used to enqueue an update action
const [{ error, fetching, data, handle }, enqueue] = useEnqueue(api.user.update);
const onClick = () => {
return enqueue(
// pass the params for the action as the first argument
{
id: props.userId,
changes: props.newProfileData,
},
// optionally pass options configuring the background action as the second argument
{
retries: 0,
}
);
};
// Render the button with feedback based on the enqueue state
return (
<>
{error && <>Failed to enqueue user update: {error.toString()}</>}
{fetching && <>Enqueuing update action...</>}
{data && <>Enqueued update action with background action id={handle.id}</>}
<button onClick={onClick}>Update Profile</button>
</>
);
}
Scheduling a background action
To schedule a background action, you can pass the startAt option when enqueueing an action. This allows you to specify when an action is to be executed in the background. The startAt option must pass the scheduled time formatted as an ISO string.
Here's a basic example, we can directly input the ISO string like this:
Using a valid ISO 8601 string to schedule the `change` global action
JavaScript
export const run: ActionRun = async ({ record }) => {
await api.enqueue(
api.change,
{},
// Scheduled to start at noon on April 3, 2024, UTC
{ startAt: "2024-04-03T12:00:00.000Z" }
);
};
export const run: ActionRun = async ({ record }) => {
await api.enqueue(
api.change,
{},
// Scheduled to start at noon on April 3, 2024, UTC
{ startAt: "2024-04-03T12:00:00.000Z" }
);
};
Or we could also create our date using newDate():
Using a JS Date to schedule the `change` global action
JavaScript
export const run: ActionRun = async ({ record }) => {
await api.enqueue(
api.change,
{},
// remember to format the created date as an ISO String like below
{
// Starts in 10 minutes
startAt: new Date(Date.now() + 1000 * 60 * 10).toISOString(),
}
);
};
export const run: ActionRun = async ({ record }) => {
await api.enqueue(
api.change,
{},
// remember to format the created date as an ISO String like below
{
// Starts in 10 minutes
startAt: new Date(Date.now() + 1000 * 60 * 10).toISOString(),
}
);
};
Retrying on failure
Retries are crucial for handling failures in background actions, especially for unreliable operations like network requests.
By default, background actions are retried up to 6 times using an exponential back-off strategy. This strategy increases the delay between retries, allowing for intermittent issues to be resolved. The retry behavior can be customized by specifying the number of retries and the delay strategy upon enqueueing an action.
For information on configuring how many times and how fast to handle retries read more in the reference here.
// retry this action once
await api.enqueue(api.publish, {}, { retries: 1 });
// retry this action once
await api.enqueue(api.publish, {}, { retries: 1 });
Retry this action once, but wait 30 minutes before doing the retry:
JavaScript
// retry this action once, but wait 30 minutes before doing the retry
await api.enqueue(
api.publish,
{},
{ retries: { retryCount: 1, initialInterval: 30 * 60 * 1000 } }
);
// retry this action once, but wait 30 minutes before doing the retry
await api.enqueue(
api.publish,
{},
{ retries: { retryCount: 1, initialInterval: 30 * 60 * 1000 } }
);
Awaiting the result
You can await the final result or error of a background action from the client side or server side with the returned BackgroundActionHandle object. Background action handles are returned by api.enqueue calls, and can also be created in different spots if you know the id of the background action you'd like to get a handle for.
For example, you can enqueue a publish action and then await the result:
JavaScript
// enqueue an action and get a handle back
const handle = await api.enqueue(api.publish, {});
// await the result of the action
const result = await handle.result();
// enqueue an action and get a handle back
const handle = await api.enqueue(api.publish, {});
// await the result of the action
const result = await handle.result();
Background actions that succeed will return the result of the action as the result, and background actions that fail all their retries will throw the final failure error when .result() is called. If an action fails some attempts but then succeeds, .result() will return the result of the successful attempt.
Since await handle.result() waits for an attempt to complete, it can potentially take a long time. If the action is failing and has a slow retry schedule, it may be days before the result is available. Conversely, if you know you have a fast schedule or a limited number of retries, handle.result() will return quickly.
Subscribing to background action results is supported client-side using the api object.
Selecting properties of the result
If you've enqueued a model action in the background, you can select the fields you desire, including related fields, when accessing the action's results.
You can pass the select action to handle.result() to retrieve specific fields of the record returned from a background action:
select specific fields of a background action result
JavaScript
const handle = await api.enqueue(api.widget.update, { id: 1, name: "foo" });
const record = await handle.result({
select: {
id: true,
name: true,
gizmos: { edges: { node: { id: true } } },
},
});
// record.id will have the resulting record id
// record.gizmos will have the record's gizmos relationship loaded
const handle = await api.enqueue(api.widget.update, { id: 1, name: "foo" });
const record = await handle.result({
select: {
id: true,
name: true,
gizmos: { edges: { node: { id: true } } },
},
});
// record.id will have the resulting record id
// record.gizmos will have the record's gizmos relationship loaded
Getting handles from an id
You can create a BackgroundActionHandle object anywhere you have an api object if you know the action that was invoked and the id of the enqueued background action.
For example, you can get a handle for a background action that was enqueued in the past like this:
JavaScript
// get a handle for a background action that was enqueued in the past
const handle = api.handle(api.publish, "app-job-12345");
// await the action succeeding and then retrieve result of the action
const result = await handle.result();
// get a handle for a background action that was enqueued in the past
const handle = api.handle(api.publish, "app-job-12345");
// await the action succeeding and then retrieve result of the action
const result = await handle.result();
If you know you're likely to need an action's result in the future, a common pattern is to store the enqueued action id on a record of a model. For example, we can store the id of the background action on a widget record like this:
api/models/widget/actions/create.js
JavaScript
export const onSuccess: ActionOnSuccess = async ({
params,
record,
logger,
api,
connections,
}) => {
const handle = await api.enqueue(api.publish, { id: params.id });
// record the enqueued action id on the widget
record.backgroundActionId = handle.id;
await save(record);
};
export const onSuccess: ActionOnSuccess = async ({
params,
record,
logger,
api,
connections,
}) => {
const handle = await api.enqueue(api.publish, { id: params.id });
// record the enqueued action id on the widget
record.backgroundActionId = handle.id;
await save(record);
};
Then, later, you can use this stored id to boot up a handle, say on the frontend:
web/some/component.js
JavaScript
const widget = await api.widget.findFirst();
// get a handle for the background action
const handle = api.handle(api.publish, widget.backgroundActionId);
// await the result of the action
const result = await handle.result();
const widget = await api.widget.findFirst();
// get a handle for the background action
const handle = api.handle(api.publish, widget.backgroundActionId);
// await the result of the action
const result = await handle.result();
Handle result performance and billing
Accessing the result of a background handle uses an efficient websocket based subscription protocol to await results from the backend. Subscribing to a handle result doesn't incur charges for simply subscribing to the result, but if you subscribe within a server-side request or action, that server-side request will be charged the normal usage rates. For example, if you await handle.result() within the frontend of your application, you won't be charged any extra request time for opening the websocket and listening until the action has completed. But, if you await handle.result() in a global action, you'll be billed for the time that global action ran.
Handle result permissions
To access the result of a background action, the requesting api client must have the same identity as the client that ran the action itself. This means that for example, unauthenticated users cannot access the results of actions enqueued by other unauthenticated users or by authenticated users.
If you want to make the result of a background action accessible by more users, you can store the result on a data model, and use the normal access control system to grant access to that data model.
Queuing and concurrency control
To manage the execution of this background action with specific concurrency limits, it can be placed in a dedicated queue. By default, actions are added to a global queue with no concurrency restrictions.
For targeted control:
Single concurrency: To place the action in a named queue that allows only one action to run at a time, simply provide the name of the queue as a string. This implicitly sets the maximum concurrency to 1.
JavaScript
await api.enqueue(
api.publish,
{},
// setting a queue with default max concurrency set to 1
{ queue: { name: "dedicated-queue" } }
);
await api.enqueue(
api.publish,
{},
// setting a queue with default max concurrency set to 1
{ queue: { name: "dedicated-queue" } }
);
Custom concurrency: To define a custom concurrency level, pass an object with two properties: the queue's name (string) and the desired maxConcurrency (number). This enables precise control over how many instances of the action can be executed simultaneously within the specified queue.
JavaScript
await api.enqueue(
api.publish,
{},
// setting a queue with custom max concurrency
{ queue: { name: "dedicated-queue", maxConcurrency: 4 } }
);
await api.enqueue(
api.publish,
{},
// setting a queue with custom max concurrency
{ queue: { name: "dedicated-queue", maxConcurrency: 4 } }
);
When to define a targeted concurrency control
Sequential processing: Consider a scenario where a user accidentally triggers the same action twice, such as upgrading a plan. Without proper concurrency management, both actions could proceed simultaneously, potentially resulting in double charges or duplicate operations. Sequential processing ensures that such operations are executed one after the other, eliminating the risk of duplication.
Resource-specific concurrency: In many cases, operations need to be serialized per resource rather than application-wide. For example, while it's necessary to prevent simultaneous upgrades for a single customer's account, different customers should be able to upgrade their plans concurrently without waiting for each other. This approach ensures efficiency and isolation, preventing one customer's actions from impacting another's.
Interacting with rate-limited systems: When your application interacts with external systems that have rate limits (e.g., APIs), managing concurrency becomes crucial to avoid exceeding these limits. Properly configured concurrency settings ensure that your application respects these limits, maintaining a good standing with the service providers and ensuring reliable integration.
Configuring concurrency control to handle API rate limits
You can effectively manage rate limits by configuring the maxConcurrency when enqueueing an action. Adjusting this will control the number of background actions that can run simultaneously, indirectly influencing the request rate.
To align with a third-party API's rate limit, you must calculate the appropriate maxConcurrency based on the execution time and the rate limit itself.
Formula to calculate needed concurrency
maxConcurrency = Rate limit (actions/requests per second) × Average action execution time (in seconds)
Best practice
Determine the average execution time of your action (e.g., 200ms).
Calculate the maximum allowable actions per second based on the third-party's rate limit (e.g., 5 requests per second).
Adjust maxConcurrency to ensure that executing jobs concurrently will not exceed the calculated rate.
For example, let's say an action takes about 1 second to execute, with an API rate limit of 5 requests per second, you would calculate the maxConcurrency to be 5. This setting is optimal because it aligns precisely with the rate limit, ensuring you fully utilize the available capacity without the risk of exceeding the limit.
But in another case, imagine a scenario where each action your system performs completes in approximately 500 milliseconds or 0.5 seconds. If the API you're integrating with allows 5 requests per second, you'd calculate your maxConcurrency as 2.5. To avoid surpassing the rate limit, you round down to 2. This adjustment ensures you're using the API efficiently while staying within allowed usage boundaries.
Background action status
Within the Queues dashboard in Gadget, you can observe the status and timeline of your background actions.
The status of your running action can be grouped into one of the below categories:
Scheduled: Was enqueued with a schedule of when to run.
Waiting: Either added without a schedule or the scheduled time has arrived.
Running: Is currently executing.
Retrying: Has run at least once and failed but still has retries remaining.
Failed job: Has exhausted all retry attempts and failed every time.
Complete: Has completed successfully with 0 max_retries.
Bulk enqueuing
Gadget supports running many instances of the same action on a model with bulk actions. Bulk actions can be run in the foreground, or enqueued to run each action in the background.
You can invoke an action in the foreground in bulk by calling the .bulk<Action> function:
JavaScript
// create 3 widgets in bulk in the foreground
const widgets = await api.widget.bulkCreate([
{ name: "foo" },
{ name: "bar" },
{ name: "baz" },
]);
// create 3 widgets in bulk in the foreground
const widgets = await api.widget.bulkCreate([
{ name: "foo" },
{ name: "bar" },
{ name: "baz" },
]);
And you can enqueue an action in bulk by calling api.enqueue with the foreground bulk action function:
JavaScript
// create 3 widgets in bulk in the background
const handles = await api.enqueue(api.widget.bulkCreate, [
{ name: "foo" },
{ name: "bar" },
{ name: "baz" },
]);
// wait for the result of the first create action
const widget = await handles[0].result();
// create 3 widgets in bulk in the background
const handles = await api.enqueue(api.widget.bulkCreate, [
{ name: "foo" },
{ name: "bar" },
{ name: "baz" },
]);
// wait for the result of the first create action
const widget = await handles[0].result();
Each element of your bulk action will be enqueued as one individual background action with its own id, status, and retry schedule. In the above example, this means 3 different widget.create actions will be enqueued and executed. This means that some of the enqueued actions can succeed right away and others can fail and be retried.
Enqueuing actions in bulk returns an array of handle objects for working with the created background actions. If you want to wait for all
the actions in your bulk enqueue to complete, you must await the result of each individual returned handle.
JavaScript
const handles = await api.enqueue(api.widget.bulkCreate, widgets);
// wait for all enqueued actions to complete
const widgets = await Promise.all(
handles.map(async (handle) => await handle.result())
);
const handles = await api.enqueue(api.widget.bulkCreate, widgets);
// wait for all enqueued actions to complete
const widgets = await Promise.all(
handles.map(async (handle) => await handle.result())
);
Similarly to foreground actions, each model's actions are all available in bulk in the foreground and background:
JavaScript
// update 2 widgets in bulk in the background
const handles = await api.enqueue(api.widget.bulkUpdate, [
{ id: 1, name: "bar" },
{ id: 2, name: "baz" },
]);
// delete 3 widgets in bulk in the background
const handles = await api.enqueue(api.widget.bulkDelete, ["1", "2", "3"]);
// update 2 widgets in bulk in the background
const handles = await api.enqueue(api.widget.bulkUpdate, [
{ id: 1, name: "bar" },
{ id: 2, name: "baz" },
]);
// delete 3 widgets in bulk in the background
const handles = await api.enqueue(api.widget.bulkDelete, ["1", "2", "3"]);
Bulk background action options
Like individual background actions, enqueuing bulk actions supports the full list of background action options: queue, id, startAt, and retries. Each of these options will apply to each individually enqueued background action, and each action's options won't affect the others.
For retries, each enqueued background action from the bulk set will get its own set of retries according to the options you specify.
JavaScript
// bulk create some widgets, and retry each widget create action up to 3 times
const handles = await api.enqueue(api.widget.bulkCreate, widgets, { retries: 3 });
// bulk create some widgets, and retry each widget create action up to 3 times
const handles = await api.enqueue(api.widget.bulkCreate, widgets, { retries: 3 });
For queue, each enqueued background action from the bulk set will be added to the same concurrency queue, and obey the maximum concurrency you specify. The concurrency limit applies to each individually enqueued background action, not the bulk set as a whole.
JavaScript
// bulk create some widgets in the `user-10` concurrency queue, and create at most 1 widget at a time
const handles = await api.enqueue(api.widget.bulkCreate, widgets, {
queue: { name: "user-10", maxConcurrency: 1 },
});
// bulk create some widgets in the `user-10` concurrency queue, and create at most 1 widget at a time
const handles = await api.enqueue(api.widget.bulkCreate, widgets, {
queue: { name: "user-10", maxConcurrency: 1 },
});
For id, the passed id option is suffixed with the index of each enqueued background action to create unique identifiers for each. For example, if you enqueue 3 create widget actions, you'll get back 3 handles, each with a unique ID:
JavaScript
// bulk create some widgets in the `user-10` concurrency queue, and create at most 1 widget at a time
const handles = await api.enqueue(
api.widget.bulkCreate,
[{ name: "foo" }, { name: "bar" }, { name: "baz" }],
{
id: "test-action",
}
);
// => test-action-0
handles[0].id;
// => test-action-1
handles[1].id;
// => test-action-2
handles[2].id;
// bulk create some widgets in the `user-10` concurrency queue, and create at most 1 widget at a time
const handles = await api.enqueue(
api.widget.bulkCreate,
[{ name: "foo" }, { name: "bar" }, { name: "baz" }],
{
id: "test-action",
}
);
// => test-action-0
handles[0].id;
// => test-action-1
handles[1].id;
// => test-action-2
handles[2].id;
Gadget always appends the index of the item submitted with a bulk action to ensure action id uniqueness.
When to use bulk enqueueing
Bulk enqueuing is most useful as a performance optimization to submit a large chunk of actions to your app all at once, in one HTTP call. It can be slow to enqueue jobs in a loop, so if you're experiencing slow speeds, switch to enqueuing in bulk.
JavaScript
const widgets = [{ name: "foo" }, { name: "bar" }, { name: "baz" }];
// slow version: this works, but runs in serial and can get slow due to the overhead of each API call to enqueue the action
for (const widget of widgets) {
await api.enqueue(api.widget.create, widget);
}
// fast version: this submits all your actions at once and will enqueue them all in parallel
await api.enqueue(api.widget.bulkCreate, widgets);
const widgets = [{ name: "foo" }, { name: "bar" }, { name: "baz" }];
// slow version: this works, but runs in serial and can get slow due to the overhead of each API call to enqueue the action
for (const widget of widgets) {
await api.enqueue(api.widget.create, widget);
}
// fast version: this submits all your actions at once and will enqueue them all in parallel
await api.enqueue(api.widget.bulkCreate, widgets);
Background action limits
There are some concurrency limitations to background actions that developers may need to be aware of:
Each queue has an upper limit maxConcurrency value of 100 . This limit can be raised by contacting Gadget support.
Each action can have a maximum payload size of 100MB when serialized using msgpack. This limit cannot be raised. If you need to store large data blobs for processing with background actions, you can use the file field to store unlimited size data in cloud storage, and then download it within your action.