Introduction
In this article we'll be learning how to use Trigger.dev with Supabase:
- What are the benefits of using Trigger.dev with Supabase?
- Unlocking the power of Supabase and Trigger.dev
- Next steps
What are the benefits of using Trigger.dev with Supabase?
Supabase is an open-source Firebase alternative, providing a backend-as-a-service with a full suite of tools you can use in your projects, including a Postgres-compatible relational database, Database Webhooks, Edge Functions, authentication, instant APIs, realtime and storage.
Used in conjunction with Trigger.dev, you can trigger tasks from database events, and then offload the execution to Trigger.dev’s elastic infrastructure.
This makes it easy to build event-driven workflows, written in normal code, that interact with your application, database and external services.
_16// Add a new user_16export const supabaseDatabaseInsert = task({_16 id: "add-new-user",_16 run: async (payload: { userId: string }) => {_16 const { userId } = payload;_16_16 // Insert a new row into the user_subscriptions table with the provided userId_16 const { error } = await supabase.from("user_subscriptions").insert({_16 user_id: userId,_16 });_16_16 return {_16 message: `New user added successfully: ${userId}`,_16 };_16 },_16});
Every run is observable in the Trigger.dev dashboard, giving you live trace views and detailed logs to help with development and debugging.
Unlocking the power of Supabase and Trigger.dev
We have created a series of examples and guides which cover a range of common use cases. They can be extended and modified to get the best out of Supabase and Trigger.dev.
Triggering tasks from Supabase Edge Functions
Supabase Edge functions are functions that run on the edge, close to your users. They are executed in a secure environment and have access to the same APIs as your application. They can be used to trigger a task from an external event such as a webhook, or from a database event with the payload passed through to the task.
This very basic implementation demonstrates how to trigger a 'Hello World' task from a Supabase Edge Function when the Edge Function URL is visited.
_10Deno.serve(async () => {_10 await tasks.trigger<typeof helloWorldTask>(_10 // Your task id_10 "hello-world",_10 // Your task payload_10 "Hello from a Supabase Edge Function!"_10 );_10 return new Response("OK");_10});
To learn how to build this example yourself, check out our Triggering tasks from Supabase Edge Functions guide.
Performing database operations
You can also run CRUD operations directly from your tasks. This is useful for updating your database in response to an event, e.g. a user signing up, or adding data to a database on a repeating schedule, e.g. every day at 10am, etc.
The task below demonstrates updating a user's subscription in a table by either inserting a new row or updating an existing one with the new plan, depending on whether the user already has a subscription.
It takes a payload with a userId
and newPlan
, and updates the user_subscriptions
table in Supabase with the new plan.
_54export const supabaseUpdateUserSubscription = task({_54 id: "update-user-subscription",_54 run: async (payload: { userId: string; newPlan: PlanType }) => {_54 const { userId, newPlan } = payload;_54_54 // Abort the task run without retrying if the new plan type is invalid_54 if (!["hobby", "pro", "enterprise"].includes(newPlan)) {_54 throw new AbortTaskRunError(_54 `Invalid plan type: ${newPlan}. Allowed types are 'hobby', 'pro', or 'enterprise'.`_54 );_54 }_54_54 // Query the user_subscriptions table to check if the user already has a subscription_54 const { data: existingSubscriptions } = await supabase_54 .from("user_subscriptions")_54 .select("user_id")_54 .eq("user_id", userId);_54_54 if (!existingSubscriptions || existingSubscriptions.length === 0) {_54 // If there are no existing users with the provided userId and plan, insert a new row_54 const { error: insertError } = await supabase_54 .from("user_subscriptions")_54 .insert({_54 user_id: userId,_54 plan: newPlan,_54 updated_at: new Date().toISOString(),_54 });_54_54 // If there was an error inserting the new subscription, throw an error_54 if (insertError) {_54 throw new Error(_54 `Failed to insert user subscription: ${insertError.message}`_54 );_54 }_54 } else {_54 // If the user already has a subscription, update their existing row_54 const { error: updateError } = await supabase_54 .from("user_subscriptions")_54 // Set the plan to the new plan and update the timestamp_54 .update({ plan: newPlan, updated_at: new Date().toISOString() })_54 .eq("user_id", userId);_54_54 // If there was an error updating the subscription, throw an error_54 if (updateError) {_54 throw new Error(_54 `Failed to update user subscription: ${updateError.message}`_54 );_54 }_54 }_54_54 // Return an object with the userId and newPlan_54 return { userId, newPlan };_54 },_54});
Interacting with Supabase storage
Supabase Storage can be used to store images, videos, or any other type of file.
Tasks using Supabase Storage can be useful for media processing, such as transcoding videos, resizing images, AI manipulations, etc.
This task demonstrates uploading a video from a videoUrl
to a storage bucket using the Supabase client:
_27export const supabaseStorageUpload = task({_27 id: "supabase-storage-upload",_27 run: async (payload: { videoUrl: string }) => {_27 const { videoUrl } = payload;_27_27 const bucket = "my_bucket";_27 const objectKey = `video_${Date.now()}.mp4`;_27_27 // Download video data as a buffer_27 const response = await fetch(videoUrl);_27 const videoBuffer = await response.buffer();_27_27 // Upload the video directly to Supabase Storage_27 const { error } = await supabase.storage_27 .from(bucket)_27 .upload(objectKey, videoBuffer, {_27 contentType: "video/mp4",_27 upsert: true,_27 });_27_27 // Return the video object key and bucket_27 return {_27 objectKey,_27 bucket: bucket,_27 };_27 },_27});
To learn more, check out our Supabase Storage Upload examples in our docs.
Creating a video processing and AI pipeline
You can also trigger tasks from database events, such as a new row being inserted into a table. This adds realtime functionality to your tasks, allowing you to build workflows that respond to changes in your database.
In this more advanced example, we'll show you how to trigger a task when a row is added to a table in a Supabase database, using a Database Webhook and Edge Function.
This task will download a video from a URL, extract the audio using FFmpeg, transcribe the video using Deepgram and then update the table with the new transcription.
Triggering a task from a database event
In Supabase, a database webhook has been created which triggers an Edge Function called video-processing-handler
when a new row containing a video_url
is inserted into the video_uploads
table. The webhook will pass the new row data to the Edge Function as a payload.
This Edge Function triggers a videoProcessAndUpdate
task:
Creating the video processing task
The videoProcessAndUpdate
task takes the payload from the Edge Function, and uses it to download the video as a temporary file from the URL, then transcribes the video using Deepgram AI and then updates the video_uploads
table in Supabase with the new transcription.
--- Insert video of the run in the dashboard here ---
--- Insert image of the table with the transcription here ---
To build this example yourself, check out our Triggering tasks from database events guide in our docs.
Next steps
In this article we've covered how to trigger tasks from Supabase Edge Functions, perform database operations and interact with Supabase Storage. We've also shown you how to trigger tasks from database events, and build a more complex workflow that interacts with your database and external services.
To follow along with the examples in this article, all our guides and examples can be found in our docs.
- Triggering tasks from Supabase Edge Functions
- Triggering tasks from database events
- Supabase Storage Upload
- Video processing pipeline
If you found this article useful, please consider sharing it with anyone you think would be interested in using Supabase with Trigger.dev.
Sign up to Trigger.dev and get started today.