Flutter Client Library
supabase_flutterView on GitHubThis reference documents every object and method available in Supabase's Flutter library, supabase-flutter. You can use supabase-flutter to interact with your Postgres database, listen to database changes, invoke Deno Edge Functions, build login and user management functionality, and manage large files.
We also provide a supabase package for non-Flutter projects.
Installing
Install from pub.dev
You can install the Supabase package from pub.dev.
1flutter pub add supabase_flutter
Initializing
You can initialize Supabase with the static initialize()
method of Supabase
class.
The Supabase client is your entrypoint to the rest of the Supabase functionality and is the easiest way to interact with everything we offer within the Supabase ecosystem.
1234567891011Future<void> main() async { await Supabase.initialize( url: 'https://xyzcompany.supabase.co', anonKey: 'public-anon-key', ); runApp(MyApp());}// Get a reference your Supabase clientfinal supabase = Supabase.instance.client;
Fetch data
Perform a SELECT query on the table or view.
- By default, Supabase projects will return a maximum of 1,000 rows. This setting can be changed in Project API Settings. It's recommended that you keep it low to limit the payload size of accidental or malicious requests. You can use
range()
queries to paginate through your data. select()
can be combined with Filtersselect()
can be combined with Modifiersapikey
is a reserved keyword if you're using the Supabase Platform and should be avoided as a column name.
123final data = await supabase .from('cities') .select('name');
Insert data
Perform an INSERT into the table or view.
123await supabase .from('cities') .insert({'name': 'The Shire', 'country_id': 554});
Update data
Perform an UPDATE on the table or view.
update()
should always be combined with Filters to target the item(s) you wish to update.
1234await supabase .from('cities') .update({ 'name': 'Middle Earth' }) .match({ 'name': 'Auckland' });
Upsert data
Perform an UPSERT on the table or view. Depending on the column(s) passed to onConflict
, .upsert()
allows you to perform the equivalent of .insert()
if a row with the corresponding onConflict
columns doesn't exist, or if it does exist, perform an alternative action depending on ignoreDuplicates
.
- Primary keys must be included in
values
to use upsert.
123await supabase .from('messages') .upsert({ 'id': 3, 'message': 'foo', 'username': 'supabot' });
Delete data
Perform a DELETE on the table or view.
delete()
should always be combined with Filters to target the item(s) you wish to delete.- If you use
delete()
with filters and you have RLS enabled, only rows visible throughSELECT
policies are deleted. Note that by default no rows are visible, so you need at least oneSELECT
/ALL
policy that makes the rows visible.
1234await supabase .from('cities') .delete() .match({ 'id': 666 });
Call a Postgres function
You can call stored procedures as a "Remote Procedure Call".
That's a fancy way of saying that you can put some logic into your database then call it from anywhere. It's especially useful when the logic rarely changes - like password resets and updates.
12final data = await supabase .rpc('hello_world');
Using filters
Filters allow you to only return rows that match certain conditions.
Filters can be used on select()
, update()
, and delete()
queries.
If a Database function returns a table response, you can also apply filters.
123456789final data = await supabase .from('cities') .select('name, country_id') .eq('name', 'The Shire'); // Correctfinal data = await supabase .from('cities') .eq('name', 'The Shire') // Incorrect .select('name, country_id');
Column is equal to a value
Finds all rows whose value on the stated column
exactly matches the specified value
.
1234final data = await supabase .from('instruments') .select('name, section_id') .eq('name', 'xylophone');
Column is not equal to a value
Finds all rows whose value on the stated column
doesn't match the specified value
.
1234final data = await supabase .from('instruments') .select('name, section_id') .neq('name', 'violin');
Column is greater than a value
Finds all rows whose value on the stated column
is greater than the specified value
.
1234final data = await supabase .from('cities') .select('name, country_id') .gt('country_id', 250);
Column is greater than or equal to a value
Finds all rows whose value on the stated column
is greater than or equal to the specified value
.
1234final data = await supabase .from('cities') .select('name, country_id') .gte('country_id', 250);
Column is less than a value
Finds all rows whose value on the stated column
is less than the specified value
.
1234final data = await supabase .from('cities') .select('name, country_id') .lt('country_id', 250);
Column is less than or equal to a value
Finds all rows whose value on the stated column
is less than or equal to the specified value
.
1234final data = await supabase .from('cities') .select('name, country_id') .lte('country_id', 250);
Column matches a pattern
Finds all rows whose value in the stated column
matches the supplied pattern
(case sensitive).
1234final data = await supabase .from('cities') .select('name, country_id') .like('name', '%la%');
Column matches a case-insensitive pattern
Finds all rows whose value in the stated column
matches the supplied pattern
(case insensitive).
1234final data = await supabase .from('cities') .select('name, country_id') .ilike('name', '%la%');
Column is a value
A check for exact equality (null, true, false), finds all rows whose value on the stated column
exactly match the specified value
.
is_
and in_
filter methods are suffixed with _
to avoid collisions with reserved keywords.
1234final data = await supabase .from('cities') .select('name, country_id') .is_('name', null);
Column is in an array
Finds all rows whose value on the stated column
is found on the specified values
.
is_
and in_
filter methods are suffixed with _
to avoid collisions with reserved keywords.
1234final data = await supabase .from('cities') .select('name, country_id') .in_('name', ['Minas Tirith', 'Minas Morgul']);
Column contains every element in a value
1234final data = await supabase .from('countries') .select('name, id, main_exports') .contains('main_exports', ['oil']);
Contained by value
1234final data = await supabase .from('countries') .select('name, id, main_exports') .containedBy('main_exports', ['cars', 'food', 'machine']);
Greater than a range
1234final data = await supabase .from('countries') .select('name, id, population_range_millions') .rangeGt('population_range_millions', '[150, 250]');
Greater than or equal to a range
1234final data = await supabase .from('countries') .select('name, id, population_range_millions') .rangeGte('population_range_millions', '[150, 250]');
Less than a range
1234final data = await supabase .from('countries') .select('name, id, population_range_millions') .rangeLt('population_range_millions', '[150, 250]');
Less than or equal to a range
1234final data = await supabase .from('countries') .select('name, id, population_range_millions') .rangeLte('population_range_millions', '[150, 250]');
Mutually exclusive to a range
1234final data = await supabase .from('countries') .select('name, id, population_range_millions') .rangeAdjacent('population_range_millions', '[70, 185]');
With a common element
1234final data = await supabase .from('countries') .select('name, id, main_exports') .overlaps('main_exports', ['computers', 'minerals']);
Match a string
Finds all rows whose tsvector value on the stated column
matches to_tsquery(query).
123456final data = await supabase .from('quotes') .select('catchphrase') .textSearch('catchphrase', "'fat' & 'cat'", config: 'english' );
Match an associated value
Finds all rows whose columns match the specified query
object.
1234final data = await supabase .from('instruments') .select('name, section_id') .match({'name': 'drums', 'section_id': 2});
Don't match the filter
Finds all rows which doesn't satisfy the filter.
-
.not()
expects you to use the raw PostgREST syntax for the filter names and values.12345.not('name','eq','violin').not('arraycol','cs','{"a","b"}') // Use Postgres array {} for array column and 'cs' for contains..not('rangecol','cs','(1,2]') // Use Postgres range syntax for range column..not('id','in','(6,7)') // Use Postgres list () and 'in' for in_ filter..not('id','in','(${mylist.join(',')})') // You can insert a Dart list array.
1234final data = await supabase .from('instruments') .select('name, section_id') .not('name', 'eq', 'violin');
Match at least one filter
Finds all rows satisfying at least one of the filters.
-
.or()
expects you to use the raw PostgREST syntax for the filter names and values.123.or('id.in.(6,7),arraycol.cs.{"a","b"}') // Use Postgres list () and 'in' for in_ filter. Array {} and 'cs' for contains..or('id.in.(${mylist.join(',')}),arraycol.cs.{${mylistArray.join(',')}}') // You can insert a Dart list for list or array column..or('id.in.(${mylist.join(',')}),rangecol.cs.(${mylistRange.join(',')}]') // You can insert a Dart list for list or range column.
1234final data = await supabase .from('cities') .select('name, country_id') .or('id.eq.20,id.eq.30');
Match the filter
Finds all rows whose column
satisfies the filter.
.filter()
expects you to use the raw PostgREST syntax for the filter names and values, so it should only be used as an escape hatch in case other filters don't work.1234.filter('arraycol','cs','{"a","b"}') // Use Postgres array {} and 'cs' for contains. .filter('rangecol','cs','(1,2]') // Use Postgres range syntax for range column. .filter('id','in','(6,7)') // Use Postgres list () and 'in' for in_ filter. .filter('id','cs','{${mylist.join(',')}}') // You can insert a Dart array list.
1234final data = await supabase .from('cities') .select('name, country_id') .filter('name', 'in', '("Minas Tirith","Minas Morgul")');
Using modifiers
Filters work on the row level—they allow you to return rows that only match certain conditions without changing the shape of the rows. Modifiers are everything that don't fit that definition—allowing you to change the format of the response (e.g., returning a CSV string).
Modifiers must be specified after filters. Some modifiers only apply for queries that return rows (e.g., select()
or rpc()
on a function that returns a table response).
Order the results
Orders the result with the specified column.
1234final data = await supabase .from('cities') .select('name, country_id') .order('id', ascending: true);
Limit the number of rows returned
Limits the result with the specified count.
1234final data = await supabase .from('cities') .select('name, country_id') .limit(1);
Limit the query to a range
Limits the result to rows within the specified range, inclusive.
1234final data = await supabase .from('cities') .select('name, country_id') .range(0,3);
Retrieve one row of data
Retrieves only one row from the result. Result must be one row (e.g. using limit), otherwise this will result in an error.
1234final data = await supabase .from('cities') .select('name, country_id') .single();
Create a new user
Creates a new user.
- By default, the user needs to verify their email address before logging in. To turn this off, disable Confirm email in your project.
- Confirm email determines if users need to confirm their email address after signing up.
- If Confirm email is enabled, a
user
is returned butsession
is null. - If Confirm email is disabled, both a
user
and asession
are returned.
- If Confirm email is enabled, a
- When the user confirms their email address, they are redirected to the
SITE_URL
by default. You can modify yourSITE_URL
or add additional redirect URLs in your project. - If signUp() is called for an existing confirmed user:
- If Confirm email is enabled in your project, an obfuscated/fake user object is returned.
- If Confirm email is disabled, the error message,
User already registered
is returned.
123456final AuthResponse res = await supabase.auth.signUp( email: 'example@email.com', password: 'example-password',);final Session? session = res.session;final User? user = res.user;
Listen to auth events
Receive a notification every time an auth event happens.
- Types of auth events:
AuthChangeEvent.passwordRecovery
,AuthChangeEvent.signedIn
,AuthChangeEvent.signedOut
,AuthChangeEvent.tokenRefreshed
,AuthChangeEvent.userUpdated
andAuthChangeEvent.userDeleted
1234final authSubscription = supabase.auth.onAuthStateChange.listen((data) { final AuthChangeEvent event = data.event; final Session? session = data.session;});
Sign in a user
Log in an existing user using email or phone number with password.
- Requires either an email and password or a phone number and password.
123456final AuthResponse res = await supabase.auth.signInWithPassword( email: 'example@email.com', password: 'example-password',);final Session? session = res.session;final User? user = res.user;
Sign in a user through OTP
- Requires either an email or phone number.
- This method is used for passwordless sign-ins where a OTP is sent to the user's email or phone number.
- If you're using an email, you can configure whether you want the user to receive a magiclink or a OTP.
- If you're using phone, you can configure whether you want the user to receive a OTP.
- The magic link's destination URL is determined by the
SITE_URL
. You can modify theSITE_URL
or add additional redirect urls in your project.
1234await supabase.auth.signInWithOtp( email: 'example@email.com', emailRedirectTo: kIsWeb ? null : 'io.supabase.flutter://signin-callback/',);
Sign in with Apple
Signs in a user using native Apple login.
- You need to register your bundle ID and add it to Supabase dashboard.
- This method is only available in iOS and macOS
- For other platforms, signInWithOAuth() should be used.
1final AuthResponse res = await supabase.auth.signInWithApple();
Sign in a user through OAuth
Signs the user in using third party OAuth providers.
- This method is used for signing in using a third-party provider.
- Supabase supports many different third-party providers.
1await supabase.auth.signInWithOAuth(Provider.github);
Sign out a user
Signs out the current user, if there is a logged in user.
- In order to use the
signOut()
method, the user needs to be signed in first.
1await supabase.auth.signOut();
Verify and log in through OTP
- The
verifyOtp
method takes in different verification types. If a phone number is used, the type can either besms
orphone_change
. If an email address is used, the type can be one of the following:signup
,magiclink
,recovery
,invite
oremail_change
. - The verification type used should be determined based on the corresponding auth method called before
verifyOtp
to sign up / sign-in a user.
1234567final AuthResponse res = await supabase.auth.verifyOTP( type: OtpType.sms, token: '111111', phone: '+13334445555',);final Session? session = res.session;final User? user = res.user;
Retrieve a session
Returns the session data, if there is an active session.
1final Session? session = supabase.auth.currentSession;
Retrieve a user
Returns the user data, if there is a logged in user.
1final User? user = supabase.auth.currentUser;
Update a user
Updates user data for a logged in user.
- In order to use the
updateUser()
method, the user needs to be signed in first. - By Default, email updates sends a confirmation link to both the user's current and new email. To only send a confirmation link to the user's new email, disable Secure email change in your project's email auth provider settings.
123456final UserResponse res = await supabase.auth.updateUser( UserAttributes( email: 'example@email.com', ),);final User? updatedUser = res.user;
Send a password reauthentication nonce
- This method is used together with
updateUser()
when a user's password needs to be updated. - This method will send a nonce to the user's email. If the user doesn't have a confirmed email address, the method will send the nonce to the user's confirmed phone number instead.
1await supabase.auth.reauthenticate();
Resend an OTP
- Resends a signup confirmation, email change or phone change email to the user.
- Passwordless sign-ins can be resent by calling the
signInWithOtp()
method again. - Password recovery emails can be resent by calling the
resetPasswordForEmail()
method again. - This method will only resend an email or phone OTP to the user if there was an initial signup, email change or phone change request being made.
1234final ResendResponse res = await supabase.auth.resend( type: OtpType.email, email: 'email@example.com',);
Auth MFA
This section contains methods commonly used for Multi-Factor Authentication (MFA) and are invoked behind the supabase.auth.mfa
namespace.
Currently, we only support time-based one-time password (TOTP) as the 2nd factor. We don't support recovery codes but we allow users to enroll more than 1 TOTP factor, with an upper limit of 10.
Having a 2nd TOTP factor for recovery frees the user of the burden of having to store their recovery codes somewhere. It also reduces the attack surface since multiple recovery codes are usually generated compared to just having 1 backup TOTP factor.
Enroll a factor
Starts the enrollment process for a new Multi-Factor Authentication (MFA) factor. This method creates a new unverified
factor. To verify a factor, present the QR code or secret to the user and ask them to add it to their authenticator app. The user has to enter the code from their authenticator app to verify it.
- Currently,
totp
is the only supportedfactorType
. The returnedid
should be used to create a challenge. - To create a challenge, see
mfa.challenge()
. - To verify a challenge, see
mfa.verify()
. - To create and verify a challenge in a single step, see
mfa.challengeAndVerify()
.
123final res = await supabase.auth.mfa.enroll(factorType: FactorType.totp);final qrCodeUrl = res.totp.qrCode;
Create a challenge
Prepares a challenge used to verify that a user has access to a MFA factor.
- An enrolled factor is required before creating a challenge.
- To verify a challenge, see
mfa.verify()
.
123final res = await supabase.auth.mfa.challenge( factorId: '34e770dd-9ff9-416c-87fa-43b31d7ef225',);
Verify a challenge
Verifies a code against a challenge. The verification code is provided by the user by entering a code seen in their authenticator app.
- To verify a challenge, please create a challenge first.
12345final res = await supabase.auth.mfa.verify( factorId: '34e770dd-9ff9-416c-87fa-43b31d7ef225', challengeId: '4034ae6f-a8ce-4fb5-8ee5-69a5863a7c15', code: '123456',);
Create and verify a challenge
Helper method which creates a challenge and immediately uses the given code to verify against it thereafter. The verification code is provided by the user by entering a code seen in their authenticator app.
- An enrolled factor is required before invoking
challengeAndVerify()
. - Executes
mfa.challenge()
andmfa.verify()
in a single step.
1234final res = await supabase.auth.mfa.challengeAndVerify( factorId: '34e770dd-9ff9-416c-87fa-43b31d7ef225', code: '123456',);
Unenroll a factor
Unenroll removes a MFA factor. A user has to have an aal2 authenticator level in order to unenroll a verified factor.
123final res = await supabase.auth.mfa.unenroll( '34e770dd-9ff9-416c-87fa-43b31d7ef225',);
Get Authenticator Assurance Level
Returns the Authenticator Assurance Level (AAL) for the active session.
- Authenticator Assurance Level (AAL) is the measure of the strength of an authentication mechanism.
- In Supabase, having an AAL of
aal1
refers to having the 1st factor of authentication such as an email and password or OAuth sign-in whileaal2
refers to the 2nd factor of authentication such as a time-based, one-time-password (TOTP). - If the user has a verified factor, the
nextLevel
field will returnaal2
, else, it will returnaal1
.
1234final res = supabase.auth.mfa.getAuthenticatorAssuranceLevel();final currentLevel = res.currentLevel;final nextLevel = res.nextLevel;final currentAuthenticationMethods = res.currentAuthenticationMethods;
Auth Admin
- Any method under the
supabase.auth.admin
namespace requires aservice_role
key. - These methods are considered admin methods and should be called on a trusted server. Never expose your
service_role
key in the Flutter app.
1final supabase = SupabaseClient(supabaseUrl, serviceRoleKey);
Retrieve a user
Get user by id.
- Fetches the user object from the database based on the user's id.
- The
getUserById()
method requires the user's id which maps to theauth.users.id
column.
12final res = await supabase.auth.admin.getUserById(userId);final user = res.user;
List all users
Get a list of users.
- Defaults to return 50 users per page.
1final List<User> users = await supabase.auth.admin.listUsers();
Create a user
Creates a new user.
- To confirm the user's email address or phone number, set
email_confirm
orphone_confirm
to true. Both arguments default to false. createUser()
will not send a confirmation email to the user. You can useinviteUserByEmail()
if you want to send them an email invite instead.- If you are sure that the created user's email or phone number is legitimate and verified, you can set the
email_confirm
orphone_confirm
param totrue
.
12345final res = await supabase.auth.admin.createUser(AdminUserAttributes( email: 'user@email.com', password: 'password', userMetadata: {'name': 'Yoda'},));
Delete a user
Delete a user.
- The
deleteUser()
method requires the user's ID, which maps to theauth.users.id
column.
12await supabase.auth.admin .deleteUser('715ed5db-f090-4b8c-a067-640ecee36aa0');
Send an email invite link
Sends an invite link to the user's email address.
123final UserResponse res = await supabase.auth.admin .inviteUserByEmail('email@example.com');final User? user = res.user;
Generate an email link
Generates email links and OTPs to be sent via a custom email provider.
- The following types can be passed into
generateLink()
:signup
,magiclink
,invite
,recovery
,emailChangeCurrent
,emailChangeNew
,phoneChange
. generateLink()
only generates the email link foremail_change_email
if the "Secure email change" setting is enabled under the "Email" provider in your Supabase project.generateLink()
handles the creation of the user forsignup
,invite
andmagiclink
.
123456final res = await supabase.auth.admin.generateLink( type: GenerateLinkType.signup, email: 'email@example.com', password: 'secret',);final actionLink = res.properties.actionLink;
Update a user
123456final UserResponse res = await supabase.auth.admin.updateUserById( '6aa5d0d4-2a9f-4483-b6c8-0cf4c6c98ac4', attributes: AdminUserAttributes( email: 'new@email.com', ),);
Invokes a Supabase Edge Function.
12final res = await supabase.functions.invoke('hello', body: {'foo': 'baa'});final data = res.data;
Listen to database changes
Returns real-time data from your table as a Stream
.
- Realtime is disabled by default for new tables. You can turn it on by managing replication.
stream()
will emit the initial data as well as any further change on the database asStream<List<Map<String, dynamic>>>
by combining Postgrest and Realtime.- Takes a list of primary key column names that will be used to update and delete the proper records within the SDK.
- The following filters are available
.eq('column', value)
listens to rows where the column equals the value.neq('column', value)
listens to rows where the column does not equal the value.gt('column', value)
listens to rows where the column is greater than the value.gte('column', value)
listens to rows where the column is greater than or equal to the value.lt('column', value)
listens to rows where the column is less than the value.lte('column', value)
listens to rows where the column is less than or equal to the value.inFilter('column', [val1, val2, val3])
listens to rows where the column is one of the values
12345supabase.from('countries') .stream(primaryKey: ['id']) .listen((List<Map<String, dynamic>> data) { // Do something awesome with the data});
Subscribe to channel
Subscribe to realtime changes in your database.
- Realtime is disabled by default for new tables. You can turn it on by managing replication.
- If you want to receive the "previous" data for updates and deletes, you will need to set
REPLICA IDENTITY
toFULL
, like this:ALTER TABLE your_table REPLICA IDENTITY FULL;
1234567supabase.channel('*').on( RealtimeListenTypes.postgresChanges, ChannelFilter(event: '*', schema: '*'), (payload, [ref]) { print('Change received: ${payload.toString()}'); },).subscribe();
Unsubscribe from a channel
Unsubscribes and removes Realtime channel from Realtime client.
- Removing a channel is a great way to maintain the performance of your project's Realtime service as well as your database if you're listening to Postgres changes. Supabase will automatically handle cleanup 30 seconds after a client is disconnected, but unused channels may cause degradation as more clients are simultaneously subscribed.
1final status = await supabase.removeChannel(channel);
Unsubscribe from all channels
Unsubscribes and removes all Realtime channels from Realtime client.
- Removing channels is a great way to maintain the performance of your project's Realtime service as well as your database if you're listening to Postgres changes. Supabase will automatically handle cleanup 30 seconds after a client is disconnected, but unused channels may cause degradation as more clients are simultaneously subscribed.
1final statuses = await supabase.removeAllChannels();
Retrieve all channels
Returns all Realtime channels.
1final channels = supabase.getChannels();
Create a bucket
Creates a new Storage bucket
- Policy permissions required:
buckets
permissions:insert
objects
permissions: none
123final String bucketId = await supabase .storage .createBucket('avatars');
Retrieve a bucket
Retrieves the details of an existing Storage bucket.
- Policy permissions required:
buckets
permissions:select
objects
permissions: none
123final Bucket bucket = await supabase .storage .getBucket('avatars');
List all buckets
Retrieves the details of all Storage buckets within an existing product.
- Policy permissions required:
buckets
permissions:select
objects
permissions: none
123final List<Bucket> buckets = await supabase .storage .listBuckets();
Update a bucket
Updates a new Storage bucket
- Policy permissions required:
buckets
permissions:update
objects
permissions: none
123final res = await supabase .storage .updateBucket('avatars', const BucketOptions(public: false));
Delete a bucket
Deletes an existing bucket. A bucket can't be deleted with existing objects inside it. You must first empty()
the bucket.
- Policy permissions required:
buckets
permissions:select
anddelete
objects
permissions: none
123final String result = await supabase .storage .deleteBucket('avatars');
Empty a bucket
Removes all objects inside a single bucket.
- Policy permissions required:
buckets
permissions:select
objects
permissions:select
anddelete
123final String result = await supabase .storage .emptyBucket('avatars');
Upload a file
Uploads a file to an existing bucket.
- Policy permissions required:
buckets
permissions: noneobjects
permissions:insert
123456final avatarFile = File('path/to/file');final String path = await supabase.storage.from('avatars').upload( 'public/avatar1.png', avatarFile, fileOptions: const FileOptions(cacheControl: '3600', upsert: false), );
Download a file
Downloads a file.
- Policy permissions required:
buckets
permissions: noneobjects
permissions:select
1234final Uint8List file = await supabase .storage .from('avatars') .download('avatar1.png');
List all files in a bucket
Lists all the files within a bucket.
- Policy permissions required:
buckets
permissions: noneobjects
permissions:select
1234final List<FileObject> objects = await supabase .storage .from('avatars') .list();
Replace an existing file
Replaces an existing file at the specified path with a new one.
- Policy permissions required:
buckets
permissions: noneobjects
permissions:update
andselect
123456final avatarFile = File('path/to/local/file');final String path = await supabase.storage.from('avatars').update( 'public/avatar1.png', avatarFile, fileOptions: const FileOptions(cacheControl: '3600', upsert: false), );
Move an existing file
Moves an existing file, optionally renaming it at the same time.
- Policy permissions required:
buckets
permissions: noneobjects
permissions:update
andselect
1234final String result = await supabase .storage .from('avatars') .move('public/avatar1.png', 'private/avatar2.png');
Delete files in a bucket
Deletes files within the same bucket
- Policy permissions required:
buckets
permissions: noneobjects
permissions:delete
andselect
1234final List<FileObject> objects = await supabase .storage .from('avatars') .remove(['avatar1.png']);
Create a signed URL
Create signed url to download file without requiring permissions. This URL can be valid for a set number of seconds.
- Policy permissions required:
buckets
permissions: noneobjects
permissions:select
1234final String signedUrl = await supabase .storage .from('avatars') .createSignedUrl('avatar1.png', 60);
Retrieve public URL
Retrieve URLs for assets in public buckets
- The bucket needs to be set to public, either via updateBucket() or by going to Storage on supabase.com/dashboard, clicking the overflow menu on a bucket and choosing "Make public"
- Policy permissions required:
buckets
permissions: noneobjects
permissions: none
1234final String publicUrl = supabase .storage .from('public-bucket') .getPublicUrl('avatar1.png');