Databases
Entities, Operations and Automatic CRUD together make a high-level interface for working with your app's data. Still, all that data has to live somewhere, so let's see how Wasp deals with databases.
Supported Database Backends
Wasp supports multiple database backends. We'll list and explain each one.
SQLite
The default database Wasp uses is SQLite.
When you create a new Wasp project, the schema.prisma
file will have SQLite as the default database provider:
datasource db {
provider = "sqlite"
url = env("DATABASE_URL")
}
// ...
Read more about how Wasp uses the Prisma schema file in the Prisma schema file section.
When you use the SQLite database, Wasp sets the DATABASE_URL
environment variable for you.
SQLite is a great way to get started with a new project because it doesn't require any configuration, but Wasp can only use it in development. Once you want to deploy your Wasp app to production, you'll need to switch to PostgreSQL and stick with it.
Fortunately, migrating from SQLite to PostgreSQL is pretty simple, and we have a guide to help you.
PostgreSQL
PostgreSQL is the most advanced open-source database and one of the most popular databases overall. It's been in active development for 20+ years. Therefore, if you're looking for a battle-tested database, look no further.
To use PostgreSQL with Wasp, set the provider to "postgresql"
in the schema.prisma
file:
datasource db {
provider = "postgresql"
url = env("DATABASE_URL")
}
// ...
Read more about how Wasp uses the Prisma schema file in the Prisma schema file section.
You'll have to ensure a database instance is running during development to use PostgreSQL. Wasp needs access to your database for commands such as wasp start
or wasp db migrate-dev
.
We cover all supported ways of connecting to a database in the next section.
Connecting to a Database
SQLite
If you are using SQLite, you don't need to do anything special to connect to the database. Wasp will take care of it for you.
PostgreSQL
If you are using PostgreSQL, Wasp supports two ways of connecting to a database:
- For managed experience, let Wasp spin up a ready-to-go development database for you.
- For more control, you can specify a database URL and connect to an existing database that you provisioned yourself.
Using the Dev Database provided by Wasp
The command wasp start db
will start a default PostgreSQL dev database for you.
Your Wasp app will automatically connect to it, just keep wasp start db
running in the background.
Also, make sure that:
- You have Docker installed and it's available in your
PATH
. - The port
5432
isn't taken.
In case you might want to connect to the dev database through the external tool like psql
or pgAdmin, the credentials are printed in the console when you run wasp db start
, at the very beginning.
Connecting to an existing database
If you want to spin up your own dev database (or connect to an external one), you can tell Wasp about it using the DATABASE_URL
environment variable. Wasp will use the value of DATABASE_URL
as a connection string.
The easiest way to set the necessary DATABASE_URL
environment variable is by adding it to the .env.server file in the root dir of your Wasp project (if that file doesn't yet exist, create it):
DATABASE_URL=postgresql://user:password@localhost:5432/mydb
Alternatively, you can set it inline when running wasp
(this applies to all environment variables):
DATABASE_URL=<my-db-url> wasp ...
This trick is useful for running a certain wasp
command on a specific database.
For example, you could do:
DATABASE_URL=<production-db-url> wasp db seed myProductionSeed
This command seeds the data for a fresh staging or production database. Read more about seeding the database.
Migrating from SQLite to PostgreSQL
To run your Wasp app in production, you'll need to switch from SQLite to PostgreSQL.
Set the provider to
"postgresql"
in theschema.prisma
file:schema.prismadatasource db {
provider = "postgresql"
url = env("DATABASE_URL")
}
// ...Delete all the old migrations, since they are SQLite migrations and can't be used with PostgreSQL, as well as the SQLite database by running
wasp clean
:rm -r migrations/
wasp cleanEnsure your new database is running (check the section on connecting to a database to see how). Leave it running, since we need it for the next step.
In a different terminal, run
wasp db migrate-dev
to apply the changes and create a new initial migration.That is it, you are all done!
Seeding the Database
Database seeding is a term used for populating the database with some initial data.
Seeding is most commonly used for:
- Getting the development database into a state convenient for working and testing.
- Initializing any database (
dev
,staging
, orprod
) with essential data it requires to operate. For example, populating the Currency table with default currencies, or the Country table with all available countries.
Writing a Seed Function
You can define as many seed functions as you want in an array under the app.db.seeds
field:
- JavaScript
- TypeScript
app MyApp {
// ...
db: {
seeds: [
import { devSeedSimple } from "@src/dbSeeds.js",
import { prodSeed } from "@src/dbSeeds.js"
]
}
}
app MyApp {
// ...
db: {
seeds: [
import { devSeedSimple } from "@src/dbSeeds.js",
import { prodSeed } from "@src/dbSeeds.js"
]
}
}
Each seed function must be an async function that takes one argument, prisma
, which is a Prisma Client instance used to interact with the database.
This is the same Prisma Client instance that Wasp uses internally.
Since a seed function falls under server-side code, it can import other server-side functions. This is convenient because you might want to seed the database using Actions.
Here's an example of a seed function that imports an Action:
- JavaScript
- TypeScript
import { createTask } from './actions.js'
import { sanitizeAndSerializeProviderData } from 'wasp/server/auth'
export const devSeedSimple = async (prisma) => {
const user = await createUser(prisma, {
username: 'RiuTheDog',
password: 'bark1234',
})
await createTask(
{ description: 'Chase the cat' },
{ user, entities: { Task: prisma.task } }
)
}
async function createUser(prisma, data) {
const newUser = await prisma.user.create({
data: {
auth: {
create: {
identities: {
create: {
providerName: 'username',
providerUserId: data.username,
providerData: sanitizeAndSerializeProviderData({
hashedPassword: data.password
}),
},
},
},
},
},
})
return newUser
}
import { createTask } from './actions.js'
import { type DbSeedFn } from 'wasp/server'
import { sanitizeAndSerializeProviderData } from 'wasp/server/auth'
import { type AuthUser } from 'wasp/auth'
import { PrismaClient } from '@prisma/client'
export const devSeedSimple: DbSeedFn = async (prisma) => {
const user = await createUser(prisma, {
username: 'RiuTheDog',
password: 'bark1234',
})
await createTask(
{ description: 'Chase the cat', isDone: false },
{ user, entities: { Task: prisma.task } }
)
};
async function createUser(
prisma: PrismaClient,
data: { username: string, password: string }
): Promise<AuthUser> {
const newUser = await prisma.user.create({
data: {
auth: {
create: {
identities: {
create: {
providerName: 'username',
providerUserId: data.username,
providerData: sanitizeAndSerializeProviderData<'username'>({
hashedPassword: data.password
}),
},
},
},
},
},
})
return newUser
}
Wasp exports a type called DbSeedFn
which you can use to easily type your seeding function.
Wasp defines DbSeedFn
like this:
type DbSeedFn = (prisma: PrismaClient) => Promise<void>
Annotating the function devSeedSimple
with this type tells TypeScript:
- The seeding function's argument (
prisma
) is of typePrismaClient
. - The seeding function's return value is
Promise<void>
.
Running seed functions
Run the command wasp db seed
and Wasp will ask you which seed function you'd like to run (if you've defined more than one).
Alternatively, run the command wasp db seed <seed-name>
to choose a specific seed function right away, for example:
wasp db seed devSeedSimple
Check the API Reference for more details on these commands.
You'll often want to call wasp db seed
right after you run wasp db reset
, as it makes sense to fill the database with initial data after clearing it.
API Reference
- JavaScript
- TypeScript
app MyApp {
title: "My app",
// ...
db: {
seeds: [
import devSeed from "@src/dbSeeds.js"
],
}
}
app MyApp {
title: "My app",
// ...
db: {
seeds: [
import devSeed from "@src/dbSeeds.js"
],
}
}
app.db
is a dictionary with the following fields (all fields are optional):
seeds: [ExtImport]
Defines the seed functions you can use with the
wasp db seed
command to seed your database with initial data. Read the Seeding section for more details.
CLI Commands for Seeding the Database
Use one of the following commands to run the seed functions:
wasp db seed
If you've only defined a single seed function, this command runs it. If you've defined multiple seed functions, it asks you to choose one interactively.
wasp db seed <seed-name>
This command runs the seed function with the specified name. The name is the identifier used in its
import
expression in theapp.db.seeds
list. For example, to run the seed functiondevSeedSimple
which was defined like this:- JavaScript
- TypeScript
main.waspapp MyApp {
// ...
db: {
seeds: [
// ...
import { devSeedSimple } from "@src/dbSeeds.js",
]
}
}main.waspapp MyApp {
// ...
db: {
seeds: [
// ...
import { devSeedSimple } from "@src/dbSeeds.js",
]
}
}Use the following command:
wasp db seed devSeedSimple