supabase-known-pitfalls
Execute identify and avoid Supabase anti-patterns and common integration mistakes. Use when reviewing Supabase code for issues, onboarding new developers, or auditing existing Supabase integrations for best practices violations. Trigger with phrases like "supabase mistakes", "supabase anti-patterns", "supabase pitfalls", "supabase what not to do", "supabase code review".
Install
mkdir -p .claude/skills/supabase-known-pitfalls && curl -L -o skill.zip "https://mcp.directory/api/skills/download/7425" && unzip -o skill.zip -d .claude/skills/supabase-known-pitfalls && rm skill.zipInstalls to .claude/skills/supabase-known-pitfalls
About this skill
Supabase Known Pitfalls
Overview
The twelve most common Supabase mistakes, ranked by severity: security (service_role exposure, missing RLS, permissive policies), data integrity (ignoring { data, error }, missing .select() after mutations, .single() on optional results), performance (select('*'), N+1 queries, missing FK indexes, synchronous auth checks), and maintainability (no generated types, multiple client instances, hardcoded connection strings). Each pitfall shows the broken code, explains why it fails, and provides the correct pattern using createClient from @supabase/supabase-js.
Prerequisites
- Access to a Supabase project codebase for review
@supabase/supabase-jsv2+ installed- Basic understanding of Row Level Security (RLS)
Step 1 — Security Pitfalls (Critical)
These mistakes can expose all your data to any user with browser dev tools.
Pitfall 1: Exposing service_role Key in Client Code
// BAD: service_role key in a NEXT_PUBLIC_ variable — shipped to every browser
import { createClient } from '@supabase/supabase-js'
const supabase = createClient(
process.env.NEXT_PUBLIC_SUPABASE_URL!,
process.env.NEXT_PUBLIC_SUPABASE_SERVICE_ROLE_KEY! // CATASTROPHIC
)
// This key bypasses ALL RLS. Anyone can:
// - Read every row in every table
// - Delete the entire database
// - Create admin users
// - Access every file in storage
// CORRECT: anon key on client, service_role only on server
// Client (browser):
const supabase = createClient(
process.env.NEXT_PUBLIC_SUPABASE_URL!,
process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY! // respects RLS
)
// Server only (API routes, server actions):
const supabaseAdmin = createClient(
process.env.NEXT_PUBLIC_SUPABASE_URL!,
process.env.SUPABASE_SERVICE_ROLE_KEY!, // NO NEXT_PUBLIC_ prefix
{ auth: { autoRefreshToken: false, persistSession: false } }
)
Detection:
# Find service_role references in client-side files
grep -rn 'SERVICE_ROLE' --include="*.tsx" --include="*.jsx" --include="*.ts" src/ app/ components/ pages/
# Find NEXT_PUBLIC_ + SERVICE_ROLE combination
grep -rn 'NEXT_PUBLIC.*SERVICE_ROLE' .env* *.ts *.tsx
Pitfall 2: Tables Without RLS Enabled
-- BAD: table created without enabling RLS
CREATE TABLE public.medical_records (
id uuid PRIMARY KEY DEFAULT gen_random_uuid(),
patient_id uuid REFERENCES auth.users(id),
diagnosis text,
ssn text -- PII fully exposed to anyone with the anon key!
);
-- With RLS disabled, the anon key can read EVERY row via the PostgREST API
-- CORRECT: always enable RLS immediately after CREATE TABLE
CREATE TABLE public.medical_records (
id uuid PRIMARY KEY DEFAULT gen_random_uuid(),
patient_id uuid REFERENCES auth.users(id),
diagnosis text,
ssn text
);
ALTER TABLE public.medical_records ENABLE ROW LEVEL SECURITY;
-- Then add policies for legitimate access
CREATE POLICY "patients_read_own" ON public.medical_records
FOR SELECT USING (patient_id = auth.uid());
Detection:
-- Find all tables without RLS (run in SQL Editor)
SELECT schemaname, tablename
FROM pg_tables
WHERE schemaname = 'public'
AND rowsecurity = false
AND tablename NOT LIKE '\_%';
Pitfall 3: Overly Permissive RLS Policies
-- BAD: lets any authenticated user read ALL messages
CREATE POLICY "anyone_can_read" ON public.messages
FOR SELECT USING (auth.uid() IS NOT NULL);
-- Every logged-in user sees every other user's private messages
-- BAD: lets any authenticated user update ANY row
CREATE POLICY "anyone_can_update" ON public.profiles
FOR UPDATE USING (auth.uid() IS NOT NULL);
-- Users can edit each other's profiles
-- CORRECT: scope to the user's own data
CREATE POLICY "read_own_messages" ON public.messages
FOR SELECT USING (
sender_id = auth.uid() OR recipient_id = auth.uid()
);
CREATE POLICY "update_own_profile" ON public.profiles
FOR UPDATE USING (id = auth.uid());
Pitfall 4: Not Using Connection Pooling in Serverless
// BAD: direct connection string in a serverless function
// Each Lambda/Edge invocation opens a new connection — exhausts pool in minutes
const connectionString = 'postgresql://postgres:pass@db.xxx.supabase.co:5432/postgres'
// CORRECT: use the pooled connection string (Supavisor, port 6543)
const connectionString = 'postgresql://postgres.xxx:pass@aws-0-us-east-1.pooler.supabase.com:6543/postgres'
// Transaction mode: shares connections across requests
// Required for serverless (Vercel, Netlify, Cloudflare Workers, AWS Lambda)
Step 2 — Data Integrity Pitfalls (High)
These mistakes cause silent data loss, null pointer errors, and inconsistent state.
Pitfall 5: Not Handling { data, error }
import { createClient } from '@supabase/supabase-js'
const supabase = createClient(url, key)
// BAD: destructuring only data — errors silently ignored
const { data } = await supabase.from('orders').insert(order).select().single()
console.log(data.id) // TypeError: Cannot read property 'id' of null
// The insert failed (maybe RLS blocked it), data is null, error has the reason
// CORRECT: always check error before using data
const { data, error } = await supabase.from('orders').insert(order).select().single()
if (error) {
console.error('Insert failed:', error.code, error.message, error.details)
throw new Error(`Order creation failed: ${error.message}`)
}
// Now data is guaranteed to be non-null
console.log(data.id)
Pitfall 6: Missing .select() After Insert/Update/Upsert
import { createClient } from '@supabase/supabase-js'
const supabase = createClient(url, key)
// BAD: insert without .select() returns NO data
const { data } = await supabase.from('todos').insert({ title: 'Buy milk' })
console.log(data) // null! Not the inserted row.
// Supabase mutations return null by default (like SQL INSERT without RETURNING)
// CORRECT: chain .select() to get the inserted/updated row back
const { data, error } = await supabase
.from('todos')
.insert({ title: 'Buy milk' })
.select('id, title, is_complete, created_at') // like SQL RETURNING
.single()
if (error) throw new Error(`Insert failed: ${error.message}`)
console.log(data) // { id: '...', title: 'Buy milk', is_complete: false, ... }
Pitfall 7: .single() on Empty or Multiple Results
import { createClient } from '@supabase/supabase-js'
const supabase = createClient(url, key)
// BAD: .single() throws PGRST116 when no rows match
const { data, error } = await supabase
.from('profiles')
.select('id, username, avatar_url')
.eq('username', searchTerm)
.single()
// error: { code: 'PGRST116', message: 'JSON object requested, multiple (or no) rows returned' }
// This is an ERROR, not just null — it breaks your flow
// BAD: .single() also throws when MULTIPLE rows match (PGRST200)
// CORRECT: use .maybeSingle() for 0-or-1 results
const { data, error } = await supabase
.from('profiles')
.select('id, username, avatar_url')
.eq('username', searchTerm)
.maybeSingle()
// data is null if no match (no error thrown)
// data is the row if exactly one match
// error only if 2+ rows match
// RULE OF THUMB:
// .single() — use ONLY when you KNOW exactly 1 row exists (e.g., by primary key)
// .maybeSingle() — use when 0 or 1 rows might match (lookups by unique field)
// neither — use when you expect an array of results
Step 3 — Performance and Maintainability Pitfalls (Medium/Low)
Pitfall 8: select('*') Everywhere
import { createClient } from '@supabase/supabase-js'
const supabase = createClient(url, key)
// BAD: fetches ALL columns including large text/jsonb/bytea fields
const { data } = await supabase.from('posts').select('*')
// Problems:
// 1. Transfers unnecessary data (slower, more bandwidth)
// 2. May leak sensitive columns (SSN, internal notes, hashed passwords)
// 3. No TypeScript autocompletion — type is too broad
// 4. Cannot benefit from covering indexes
// CORRECT: specify only the columns you need
const { data } = await supabase
.from('posts')
.select('id, title, slug, excerpt, published_at, author:profiles(name, avatar_url)')
// Benefits: smaller payload, typed results, index-friendly, no data leakage
Pitfall 9: N+1 Query Pattern
import { createClient } from '@supabase/supabase-js'
const supabase = createClient(url, key)
// BAD: 1 query to get projects + N queries to get tasks per project
const { data: projects } = await supabase.from('projects').select('id, name')
for (const project of projects ?? []) {
const { data: tasks } = await supabase
.from('tasks')
.select('id, title, status')
.eq('project_id', project.id)
project.tasks = tasks // N additional queries!
}
// Total: 1 + N queries (if you have 50 projects, that's 51 queries)
// CORRECT: use PostgREST embedded joins (single query)
const { data } = await supabase
.from('projects')
.select(`
id, name,
tasks (id, title, status)
`)
// Total: 1 query with automatic JOIN
// PostgREST detects the foreign key and embeds the related data
// ALSO CORRECT: batch with .in() for non-FK relationships
const projectIds = projects?.map(p => p.id) ?? []
const { data: allTasks } = await supabase
.from('tasks')
.select('id, title, status, project_id')
.in('project_id', projectIds)
// Total: 2 queries regardless of N
Pitfall 10: Missing Indexes on Foreign Key Columns
-- BAD: foreign key without index
CREATE TABLE public.comments (
id uuid PRIMARY KEY DEFAULT gen_random_uuid(),
post_id uuid REFERENCES public.posts(id), -- no index!
author_id uuid REFERENCES auth.users(id), -- no index!
body text,
created_at timestamptz DEFAULT now()
);
-- Every query filtering by post_id or author_id does a sequential scan
-- RLS policies checking these columns also become slow
-- CORRECT: always index foreign key columns
CREATE TABLE public.comments (
id uuid PRIMARY KE
---
*Content truncated.*
More by jeremylongshore
View all skills by jeremylongshore →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversConnect Blender to Claude AI for seamless 3D modeling. Use AI 3D model generator tools for faster, intuitive, interactiv
Terminal control, file system search, and diff-based file editing for Claude and other AI assistants. Execute shell comm
Connect Supabase projects to AI with Supabase MCP Server. Standardize LLM communication for secure, efficient developmen
Securely join MySQL databases with Read MySQL for read-only query access and in-depth data analysis.
Boost AI coding agents with Ref Tools—efficient documentation access for faster, smarter code generation than GitHub Cop
Semgrep is a leading code analysis tool that scans code for vulnerabilities, helping developers fix issues swiftly withi
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.