管理用户数据

出于安全目的,auth模式不会在自动生成的API上公开。

尽管MemFireCloud提供了一个auth.users表,用于存储用户身份验证信息,但是当你希望通过API访问用户数据时,创建在public模式中的其他表也是有帮助的。 这意味着你可以在公共模式中创建自定义的表格,用于存储其他与用户相关的数据,以便通过API进行访问和操作。这样可以灵活地组织和管理你的用户数据,并与auth.users表中的用户身份验证信息结合使用。

创建用户表

当你创建用于存储用户数据的表时,参考auth.users表的主键可以确保数据完整性。 在引用auth.users时,还要指定on delete cascade子句。省略此子句可能会在删除用户时导致问题。

例如,一个public.profiles表可能如下所示:

1create table public.profiles (
2  id uuid references auth.users not null,
3  first_name text,
4  last_name text,
5
6  primary key (id)
7);
8
9alter table public.profiles enable row level security;

caution

如果设置了用户令牌使用服务密钥初始化客户端,不会覆盖行级安全(RLS)。如果用户使用客户端登录,MemFireCloud将遵循该用户的行级安全策略。

公共通道

由于启用了行级别安全性,因此可以通过API访问此表,但除非我们设置了一些策略,否则不会返回任何数据。 如果我们希望每个人都可以读取数据,但只允许登录用户更新自己的数据,则策略如下:

1create policy "Public profiles are viewable by everyone."
2  on profiles for select
3  using ( true );
4
5create policy "Users can insert their own profile."
6  on profiles for insert
7  with check ( auth.uid() = id );
8
9create policy "Users can update own profile."
10  on profiles for update
11  using ( auth.uid() = id );

私人访问

如果数据只能由拥有数据的用户读取,我们只需要更改上面的for select查询。

1create policy "Profiles are viewable by users who created them."
2  on profiles for select
3  using ( auth.uid() = id );

这种模式的好处是什么?我们现在可以通过API查询此表,我们不需要在API查询中包含数据过滤器-策略将为我们处理:

1// This will return nothing while the user is logged out
2const { data } = await supabase.from('profiles').select('id, username, avatar_url, website')
3
4// After the user is logged in, this will only return
5// the logged-in user's data - in this case a single row
6const { error } = await supabase.auth.signIn({ email })
7const { data: profile } = await supabase
8  .from('profiles')
9  .select('id, username, avatar_url, website')

绕过行级安全性

如果您需要获取完整的用户配置文件列表,我们将提供一个service_key,您可以使用它与API和客户端库一起绕过行级别安全性。

确保你从未公开披露过。但它可以在服务器端用于获取所有配置文件。

先进的技术

使用触发器

如果要将行添加到public。每次用户注册时,您都可以使用触发器。 然而,如果触发器失败,它可能会阻止用户注册,因此请确保代码经过良好测试。

例如:

1-- inserts a row into public.users
2create function public.handle_new_user()
3returns trigger
4language plpgsql
5security definer set search_path = public
6as $$
7begin
8  insert into public.profiles (id)
9  values (new.id);
10  return new;
11end;
12$$;
13
14-- trigger the function every time a user is created
15create trigger on_auth_user_created
16  after insert on auth.users
17  for each row execute procedure public.handle_new_user();