Stack logo
Bright ideas and techniques for building with Convex.
Profile image
Jamie Turner
6 days ago

CRUD APIs: Functional, but Inefficient

icons representing create, read, update and delete

Implementing basic CRUD endpoints

The term CRUD, or CRUD API, is often tossed around when interacting with databases or building backend APIs. This article will examine what CRUD is, what it’s suitable for, and its shortcomings. Finally, we’ll explore how to quickly implement a CRUD API using a modern backend like Convex.

What is CRUD, and why should I care?

CRUD is a common and straightforward way to model API services by addressing data inside database tables as individual objects. Imagine our app has a posts table:

IdBodyAuthor
1I just went to the park today.Jack
2Careful! Don’t fall down the hill!Jill

To evolve this table data over time, there are four specific operations we need to perform on individual records.

1. Create a new object

When a user adds a post, we’ll insert one into the table:

IdBodyAuthor
1I just went to the park today.Jack
2Careful! Don’t fall down the hill!Jill
3Hills are overratedGus

2. Read an existing object

When someone wants to retrieve a post, typically, they’ll provide some unique information like the post ID. In this case, someone wants to see what Jack initially said:

IdBodyAuthor
1I just went to the park today.Jack
2Careful! Don’t fall down the hill!Jill
3Hills are overratedGus

3. Update an object

At times, we’ll need to modify an object we already stored. We typically do this by providing a unique ID for a specific object and the new field data for that object. If Gus started to think more favorably of hills, we might see an update like this:

IdBodyAuthor
1I just went to the park today.Jack
2Careful! Don’t fall down the hill!Jill
3Hills are underratedGus

4. Delete an object

Finally, sometimes, our app needs to take a post out of the table altogether. Perhaps after all this inane discourse about hills, Jill no longer cares if Jack or Gus falls down one. If so, she can choose to remove message 2:

IdBodyAuthor
1I just went to the park today.Jack
2Careful! Don’t fall down the hill!Jill
3Hills are underratedGus

... becomes:

IdBodyAuthor
1I just went to the park today.Jack
3Hills are underratedGus

This simple object model combined with these four operations (Create, Read, Update, Delete) constitutes a flexible way to manage all table data. So, the acronym CRUD refers to this very approach to API design.

Is this like REST?

REST is one common way to implement CRUD APIs over HTTP. REST combines the semantics of certain HTTP methods with resource paths to achieve the create, read, update, and delete CRUD operations.

Here’s how our previous scenario would be implemented with REST:

1. Creation with REST involves using the POST HTTP method and providing the object contents in the request body. This generates a new object for the collection at the given resource path and returns the associated unique ID (in this case, as a JSON response):

Request:
	POST /posts/
	{"body": "Hills are overrated","author":"Gus"}
Response (201 Created):
  {"id":3}

The created entity now has an HTTP resource path associated with it. The path convention is the concatenation of the collection path and the unique ID as a child document—in this case, /posts/3.

2. Reading an object with REST simply uses the GET method at the resource’s path:

Request:
	GET /posts/1
Response (200 OK):
  {"id":1,"body": "I just went to the park today.","author":"Jack"}

3. Updating an object with a REST API involves the PUT (or PATCH for partial updates) HTTP method. The body data of the request should contain the new object contents:

Request:
	PUT /posts/3
	{"body": "Hills are underrated","author":"Gus"}
Response (200 OK)

4. Finally, deleting an object uses the HTTP DELETE method:

Request:
  DELETE /posts/2
Response (200 OK)
 
// Later...
Request:
	GET /posts/2
Response (404 Not found)

That’s it! Simple, right? And since CRUD maps so cleanly to the HTTP services we use everywhere, why use anything other than RESTful APIs to manage our backend data?

While that would be nice and simple, CRUD and REST have some significant limitations that require us to be pretty thoughtful about where we can and cannot use it. Let’s dive into them now.

Common CRUD (and REST) pitfalls

Action-ness vs. object-ness

There are times when the thing you want to happen to your backend is—simply put—more of an arbitrary action than an addition or modification of persistent data. So if you find yourself doing strange convolutions to figure out which “object” should be POSTed to in order to kick off some side effect—perhaps a login or a call to a third-party API—CRUD just may not be the right fit for that task.

In fact, many teams find that when they try to wedge CRUD into this situation, they end up POSTing entries into a table that becomes a de-facto task/job queue. Now, they’ve accidentally created a need for some sort of asynchronous background work—even if a short blocking operation without any persisted records would have been adequate and simpler.

So, if your intuition says a particular backend call might not need to persist anything, avoiding CRUD is probably wise.

Grouped changes to objects

Instead of no records needing to be written, at times your server endpoint needs to update (or insert) two or more records atomically in one transaction. In this case, there is, again, no obvious single object to act as the target of your PUT or POST.

A CRUD/REST die-hard may argue that “restful” paths are abstract, logical objects, and so they don’t need to map 1:1 with a single database record. In practice, though, tracking how these logical objects map to backend data can be complex. It can also be messy to try to maintain cogent and sound implementations of the full set of create, read, update, and delete CRUD operations.

Request waterfalls

Request waterfalls occur when a server-provided parent object contains references to additional “child” objects. The application must then fetch each of those children, and possibly even they contain further references that must be fetched. Each one of these iterations requires another request/response cycle between the app and the server API, which often takes hundreds of milliseconds. If your app does enough of these cycles, it can make your app appear sluggish to load and update—a frustrating experience for your users!

To mitigate this, a common optimization developers pursue is implementing a single server endpoint that recursively resolves the object reference hierarchy and then combines the whole tree of descendants into a single composite response. That way, the application gets everything it needs in one “round trip.”

It’s very difficult to use this strategy with simple CRUD. Since each endpoint returns a single object, request waterfalls occur naturally. Again, you can create composite objects that are logical views of combined data, but can you also PUT to them and POST to them? The CRUD paradigm breaks down.

Authorization without sufficient context

Consider that simple CRUD APIs propose changes to an object with little more parameterization than an object ID and the new fields. However, application authorization logic often needs more contextual information about the intent or environment of the requestor. Since CRUD is so specific about what information is necessary to read or change backend data, your backend lacks the flexibility it sometimes needs to authorize the operation securely.

Our Advice: unless you know simple CRUD is sufficient, prefer functions

Modern systems like tRPC and Convex are converging on representing the boundary between the app and the backend modeled precisely the same way as every other interface in your app: with functions.

Functions are powerful enough to:

  • Modify single objects
  • Modify groups of objects transactionally
  • Trigger a secure server action that persists no database state
  • Resolve dependent reads into a single composite response
  • Utilize rich authorization context for sophisticated permissions schemes

Basically, functions are the most potent building blocks of abstraction we have in programming languages. So don’t get too ideological about CRUD (or REST) for your APIs. When CRUD patterns feel awkward, try a simple functional/RPC-style API for that endpoint instead.

Get some CRUD in your Convex

Now that we’ve explored the pros and cons of CRUD, here’s what a simple implementation would look like in a Convex backend:

import { v } from "convex/values";
import { partial } from "convex-helpers/validators";
import schema from "./schema";
import {
  internalMutation,
  internalQuery,
} from "./_generated/server";

const teamFields = schema.tables.teams.validator.fields;

export const create = internalMutation({
  args: teamFields,
  handler: (ctx, args) => ctx.db.insert("teams", args),
});

export const read = internalQuery({
  args: { id: v.id("teams") },
  handler: (ctx, args) => ctx.db.get(args.id),
});

export const update = internalMutation({
  args: {
    id: v.id("teams"),
    patch: v.object(partial(teamFields)),
  },
  handler: (ctx, args) => ctx.db.patch(args.id, args.patch),
});

export const delete_ = internalMutation({
  args: { id: v.id("teams") },
  handler: (ctx, args) => ctx.db.delete(args.id),
});

You may have noticed this example only utilizes the internal variants of Convex’s query and mutation functions. Why? Because exposing this API essentially lets the entire internet arbitrarily change your tables. And they can do it without any record of who and why!

If you’d like to publicly expose some of these CRUD functions for your Convex tables, simply alter the above examples to use the standard query and mutation functions. But be cautious and think through the security implications! Even better, read on for an example of using row-level security (RLS) along with CRUD to expose a safe public API.

Low-code CRUD

Sold on CRUD for some of your tables? Well, good news! convex-helpers has a library to make exposing selected crud API methods dead simple. Here’s an example that wraps an app’s users table to expose a CRUD-style read query and update mutation:

// in convex/users.ts
import { crud } from "convex-helpers/server/crud";
import schema from "./schema.js"

export const { create, read, update, destroy } = crud(schema, "users");

Then, you can access these functions from actions elsewhere in your code with references like internal.users.read:

// in some file
export const myAction = action({
  args: { userId: v.id("users") },
  handler: async (ctx, args) => {
  
    const user = await ctx.runQuery(internal.users.read, { id: args.userId });

    // Do something interesting

    await ctx.runMutation(internal.users.update, { 
      id: args.userId,
      patch: { status: "approved" },
    });
    
  }
});

To expose the CRUD API publicly, you can pass two more parameters to crud, allowing you to add access checks, as we’ll see next.

CRUD with Row Level Security

To protect your CRUD API when exposing it publicly, you can use row-level security to check access rules when reading/updating data on a per-document granularity. For CRUD, this means we can define rules for how documents can be accessed and modified and then use those rules to protect the public API we expose. This leverages “custom functions” in Convex, which let you create builders like query, mutation, or action that modify the ctx and args, similar to middleware. Here’s what this approach might look like in practice:

import { crud } from "convex-helpers/server/crud";
import { customCtx, customMutation, customQuery } from "convex-helpers/server/customFunctions";
import { Rules, wrapDatabaseReader, wrapDatabaseWriter } from "convex-helpers/server/rowLevelSecurity";
import { DataModel } from "./_generated/dataModel";
import { mutation, query, QueryCtx } from "./_generated/server";
import schema from "./schema";

async function rlsRules(ctx: QueryCtx) {
  const identity = await ctx.auth.getUserIdentity();
  return {
    users: {
      read: async (_, user) => {
        // Unauthenticated users can only read users over 18
        if (!identity && user.age < 18) return false;
        return true;
      },
      insert: async (_, user) => {
        return true;
      },
      modify: async (_, user) => {
        if (!identity)
          throw new Error("Must be authenticated to modify a user");
        // Users can only modify their own user
        return user.tokenIdentifier === identity.tokenIdentifier;
      },
    },
  } satisfies Rules<QueryCtx, DataModel>;
}

// makes a version of `query` that applies RLS rules
const queryWithRLS = customQuery(
  query,
  customCtx(async (ctx) => ({
    db: wrapDatabaseReader(ctx, ctx.db, await rlsRules(ctx)),
  })),
);

// makes a version of `mutation` that applies RLS rules
const mutationWithRLS = customMutation(
  mutation,
  customCtx(async (ctx) => ({
    db: wrapDatabaseWriter(ctx, ctx.db, await rlsRules(ctx)),
  })),
);

// exposing a CRUD interface for the users table.
export const { create, read, update, destroy } = crud(
  schema,
  "users",
  queryWithRLS,
  mutationWithRLS,
);

You can choose to only de-structure the functions that you need, so you can avoid exposing destroy altogether, for example.

Happy CRUDding!

Build in minutes, scale forever.

Convex is the backend application platform with everything you need to build your project. Cloud functions, a database, file storage, scheduling, search, and realtime updates fit together seamlessly.

Get started