PostgreSQL manages permissions through roles. To create these roles, a database user needs the CREATEROLE
privilege,
which not only allows role creation but also modification of any role (except superusers).
At Supabase, we use dedicated roles for each of our customers' backend services. For instance, our Storage API
uses the supabase_storage_admin
role for connecting to the database. Giving the CREATEROLE
privilege to our customers would allow them to
drop this role and take their own Storage API down.
And yet, we want to give our customers the ability to manage roles the same as they do it in on-premises databases,
with the usual CREATE ROLE
, ALTER ROLE
, and DROP ROLE
statements.
So, how do we grant them the CREATEROLE
privilege and, at the same time, protect our own roles? In this blog post,
we explain how we managed to do this by using PostgreSQL Hooks in our SupaUtils extension.
Reserved Roles
PostgreSQL has a list of predefined roles — all prefixed with "pg_" — that cannot be dropped or altered. Attempting to do so will throw an error mentioning that the role is "reserved".
alter role pg_monitor createdb;
ERROR: role name "pg_monitor" is reserved
DETAIL: Cannot alter reserved roles.
This mechanism is an internal implementation detail. Unfortunately Postgres doesn't allow us to define our own reserved roles.
RDS reserved roles
Amazon RDS has a similar defense mechanism, all of its predefined roles — prefixed with "rds" — cannot be modified.
alter role rdsadmin rename to another;
ERROR: The "rdsadmin" role cannot be renamed.
DETAIL: The "rdsadmin" role cannot be renamed because either the source
or the target name refer to an Amazon RDS reserved role name.
LOCATION: handle_rename, rdsutils.c:1534
Again, the error mentions that the role is "reserved".
Also note the rdsutils.c
mention. That's not a stock Postgres source file. This means that the logic comes
from an RDS extension. We can confirm this is the case by showing the preloaded libraries.
show shared_preload_libraries;
shared_preload_libraries
-----------------------------
rdsutils,pg_stat_statements
rdsutils
can be seen there. Naturally this lead us into thinking we can achieve the same logic with an extension
of our own, and thus the SupaUtils idea was born.
Extending PostgreSQL with Hooks
PostgreSQL hooks allow us to extend internal functionality. Hooks can modify behavior at different places, including when running SQL statements.
For example, if we wanted to enforce our own password restrictions whenever a user changes passwords, we could
use the check_password_hook
to verify the password. We would write out our own Custom Logic, and raise an error
if the password fails the password requirements.
For SupaUtils
, we're particularly interested in the ProcessUtility_hook
, which allows us to hook into utility statements: every statement except select
, insert
, delete
or update
. They include alter role
and drop role
, which are the statements we want to hook on.
Hooks are global function pointers
To use hooks, we can override functions pointers that are global. On the Postgres codebase, the ProcessUtility_hook
is basically used1 like this:
// src/backend/tcop/utility.c
// ProcessUtility_hook is NULL by default
ProcessUtility_hook_type ProcessUtility_hook = NULL;
// This function is used for processing all the utility statements
void
ProcessUtility(PARAMS_OMITTED_FOR_BREVITY)
{
// call the ProcessUtility_hook if it's not NULL
if (ProcessUtility_hook)
(*ProcessUtility_hook)(PARAMS_OMITTED_FOR_BREVITY);
// otherwise call the standard function used to process utility statements
else
standard_ProcessUtility(PARAMS_OMITTED_FOR_BREVITY);
}
As you can see, ProcessUtility_hook
is NULL
by default, so our extension should set it for the hook to run. Also, the standard_ProcessUtility
function is the one that actually does the job of creating or modifying the roles (among other things) so our hook should also call it.
Loading and running the hook
Each extension set in shared_preload_libraries
will get its _PG_init
function called. This function will allow us to set our hook onto ProcessUtility_hook
.
Since hooks are global function pointers, it might be the case that another extension modifies the hook pointer (on its own _PG_init
) before us and sets its own hook. So we need to ensure we also run this previously-set hook, before or after our own hook runs.
It's typically2 done like this:
// variable to store the previous hook
static ProcessUtility_hook_type prev_hook = NULL;
// initialize our extension
void
_PG_init(void)
{
// ProcessUtility_hook has the global function pointer.
// Store its value in case another extension already set its own hook.
prev_hook = ProcessUtility_hook;
// Now override the ProcessUtility_hook with our hook
ProcessUtility_hook = our_hook;
}
static void
our_hook(PARAMS_OMITTED_FOR_BREVITY)
{
// our hook logic goes here
// If there was a previous hook, run it after our hook
if (prev_hook)
prev_hook(PARAMS_OMITTED_FOR_BREVITY);
// If there's no previous hook, call the standard function
else
standard_ProcessUtility(PARAMS_OMITTED_FOR_BREVITY);
}
Setting up the SupaUtils extension
We can use the concepts above to build our extension.
First we'll need a Makefile in order to compile the extension code and include it into our PostgreSQL installation.
# Makefile
# Our shared library
MODULE_big = supautils
# Our object files to build for the library
OBJS = src/supautils.o
# Tell pg_config to pass us the PostgreSQL extensions makefile(PGXS)
# and include it into our own Makefile through the standard "include" directive.
PG_CONFIG = pg_config
PGXS := $(shell $(PG_CONFIG) --pgxs)
include $(PGXS)
For the source file, we'll start with variable definitions and functions declarations.
// src/supautils.c
// include common declarations
#include "postgres.h"
// required macro for extension libraries to work
PG_MODULE_MAGIC;
// variable for the previous hook
static ProcessUtility_hook_type prev_hook = NULL;
// variable for our reserved roles configuration parameter
static char *reserved_roles = NULL;
// function declaration for extension initialization
void _PG_init(void);
// function declaration for our hook
static void supautils_hook(
PlannedStmt *pstmt,
const char *queryString,
ProcessUtilityContext context,
ParamListInfo params,
QueryEnvironment *queryEnv,
DestReceiver *dest,
QueryCompletion *completionTag
);
// function declaration for our pure function that will return a reserved role
static char* look_for_reserved_role(Node *utility_stmt, List *reserved_role_list);
Up next we'll define each one of these function declarations.
Initializing the extension
Let's now _PG_init
our extension. Besides setting the hook here, we want to define our reserved roles as a configuration parameter, that way they can be modified by editing the postgresql.conf
file. For this, we can use the DefineCustomStringVariable
function, which inserts the parameter into Postgres "Grand Unified Configuration"(GUC) system.
void
_PG_init(void)
{
// Store the previous hook
prev_hook = ProcessUtility_hook;
// Set our hook
ProcessUtility_hook = supautils_hook;
// Define our "supautils.reserved_roles" parameter
// some arguments are unused so they are left as NULL
DefineCustomStringVariable("supautils.reserved_roles",
"Comma-separated list of roles that cannot be altered or dropped",
NULL,
// It will be assigned to the reserved_roles variable
&reserved_roles,
NULL,
// We should be able to reload this parameter without restarting the server,
// e.g. with "select pg_reload_conf()".
PGC_SIGHUP,
0,
NULL, NULL, NULL);
}
Running the SupaUtils hook
Now that our hook is set, we'll define what it will do. As specified in the ProcessUtility_hook_type, the hook's first parameter is a PlannedStmt
, this represents the planned statement — the output from the Postgres planner. This is a step before the statement is executed.
We'll look for the presence of a reserved role in the planned statement. If there's one present, we'll report an error and abort the statement execution step.
static void
supautils_hook(
// The planned statement
PlannedStmt *pstmt,
// These parameters are here for completion, we'll not use any of them
const char *queryString,
ProcessUtilityContext context,
ParamListInfo params,
QueryEnvironment *queryEnv,
DestReceiver *dest,
QueryCompletion *completionTag
)
{
// Get the utility statement from the planned statement
Node *utility_stmt = pstmt->utilityStmt;
// Only do the logic if supautils.reserved_roles is not NULL
if(reserved_roles){
// The found reserved role, assume none was found by default
char *reserved_role = NULL;
// Temp var for storing the list of reserved roles
List *reserved_role_list;
// split the comma-separated string into a List by using a
// helper function from varlena.h
if (!SplitIdentifierString(pstrdup(reserved_roles), ',', &reserved_role_list))
// abort and report an error if the splitting fails
ereport(ERROR,
(errcode(ERRCODE_INVALID_PARAMETER_VALUE),
errmsg("parameter \"%s\" must be a comma-separated list of "
"identifiers", reserved_roles)));
// look for the reserved role in an internal function
reserved_role = look_for_reserved_role(utility_stmt, reserved_role_list);
// we're done with the list so free it from memory
list_free(reserved_role_list);
// abort and report an error if a reserved role was found
if(reserved_role)
ereport(ERROR,
(errcode(ERRCODE_INSUFFICIENT_PRIVILEGE),
errmsg("\"%s\" is a reserved role, it cannot be modified", reserved_role)));
}
// Run the previous hook if defined or call the standard function
if (prev_hook)
prev_hook(pstmt, queryString,
context, params, queryEnv,
dest, completionTag);
else
standard_ProcessUtility(pstmt, queryString,
context, params, queryEnv,
dest, completionTag);
}
Looking for the reserved role
Lastly, we'll define how we look for the reserved role.
At this stage, we already have the utility statement and the reserved role list. All that's left to do is to define if the utility statement is an ALTER ROLE
or DROP ROLE
statement, and whether if the role it affects is a reserved one.
static char*
look_for_reserved_role(Node *utility_stmt, List *reserved_role_list)
{
// Check the utility statement type
switch (utility_stmt->type)
{
// Matches statements like:
// ALTER ROLE role NOLOGIN
case T_AlterRoleStmt:
{
// cast the utility statement to an alter role statement
AlterRoleStmt *stmt = (AlterRoleStmt *) utility_stmt;
//RoleSpec has the role name plus some attributes
RoleSpec *role = stmt->role;
// postgres defines its own list utilities in pg_list.h
// ListCell is an element of the list that we'll use for iteration
ListCell *role_cell;
// pg_list.h includes the foreach macro for iterating over lists
foreach(role_cell, reserved_role_list)
{
// get the list element
char *reserved_role = (char *) lfirst(role_cell);
// compare the statement role with the reserved role
// get_rolespec_name will get the RoleSpec role name,
// even in cases where the role is the special case of
// "current_user" or "session_user"
if (strcmp(get_rolespec_name(role), reserved_role) == 0)
return reserved_role;
}
break;
}
// Matches statements like:
// DROP ROLE role
case T_DropRoleStmt:
{
// cast the utility statement to a drop role statement
DropRoleStmt *stmt = (DropRoleStmt *) utility_stmt;
ListCell *item;
// the logic is the same as before, iterate over the reserved role list
// and find a match
foreach(item, stmt->roles)
{
RoleSpec *role = lfirst(item);
ListCell *role_cell;
foreach(role_cell, reserved_role_list)
{
char *reserved_role = (char *) lfirst(role_cell);
if (strcmp(get_rolespec_name(role), reserved_role) == 0)
return reserved_role;
}
}
break;
}
default:
break;
}
// Didn't find any reserved role on the statement, so return NULL
return NULL;
}
Testing the extension
Now that the code is finished, we can test the extension. Since we already have a Makefile
, the extension can be installed by doing make && make install
. Then, in postgresql.conf:
# set the extension as preloaded, this will require a restart
shared_preload_libraries="supautils"
# the reserved roles
supautils.reserved_roles="supabase_storage_admin, supabase_auth_admin"
We'll now try to alter or drop the reserved roles:
alter role supabase_storage_admin nologin password 'fake';
ERROR: "supabase_storage_admin" is a reserved role, it cannot be modified
drop role supabase_auth_admin;
ERROR: "supabase_auth_admin" is a reserved role, it cannot be modified
-- Success!!
Wrapping up
As you can see, PostgreSQL Hooks allow us to intercept SQL statements. There are many types of hooks, you can see unofficial documentation for these at AmatanHead/psql-hooks.
The full SupaUtils code is in our GitHub repository.
By the way, if you like working on PostgreSQL tooling and extensions: we are hiring PostgreSQL experts!
More Postgres resources
- Implementing "seen by" functionality with Postgres
- Partial data dumps using Postgres Row Level Security
- Postgres Views
- Postgres Auditing in 150 lines of SQL
- Cracking PostgreSQL Interview Questions
- What are PostgreSQL Templates?
- Realtime Postgres RLS on Supabase