Environment Variables
Create T3 App uses its own package @t3-oss/env-nextjs↗ along with zod↗ under the hood for validating environment variables at runtime and buildtime by providing a simple logic in
src/env.js
env.js
TLDR; If you want to add a new environment variable, you must add a validator for it in src/env.js
.env
import { createEnv } from "@t3-oss/env-nextjs";
import { z } from "zod";
export const env = createEnv({
server: {
NODE_ENV: z.enum(["development", "test", "production"]),
},
client: {
// NEXT_PUBLIC_CLIENTVAR: z.string(),
},
runtimeEnv: {
NODE_ENV: process.env.NODE_ENV,
},
});
T3 Env uses the
createEnv
For more information about how
createEnv
Using Environment Variables
When you want to use your environment variables, you can import them from the created
env.js
import { env } from "../../env.js";
// `env` is fully typesafe and provides autocompletion
const dbUrl = env.DATABASE_URL;
import { env } from "../env.js";
// ❌ This will throw a runtime error
const dbUrl = env.DATABASE_URL;
// ✅ This is fine
const wsKey = env.NEXT_PUBLIC_WS_KEY;
.env.example
Since the default
.env
.env.example
.env
Some frameworks and build tools, like Next.js, suggest that you store secrets in a
.env.local
.env
.env
.env
.gitignore
.env.example
Adding Environment Variables
To ensure your build never completes without the environment variables the project needs, you will need to add new environment variables in two locations:
📄
.env
.env
KEY=VALUE
📄
env.js
createEnv
KEY: z.string()
runtimeEnv
KEY: process.env.KEY
Why do I need to destructure the environment variable in the
runtimeEnv
Optionally, you can also keep
.env.example
📄
.env.example
KEY=VALUE
KEY=
Example
I want to add my Twitter API Token as a server-side environment variable
- Add the environment variable to :
.env
TWITTER_API_TOKEN=1234567890
- Add the environment variable to :
env.js
import { createEnv } from "@t3-oss/env-nextjs";
import { z } from "zod";
export const env = createEnv({
server: {
TWITTER_API_TOKEN: z.string(),
},
// ...
runtimeEnv: {
// ...
TWITTER_API_TOKEN: process.env.TWITTER_API_TOKEN,
},
});
- Optional: Add the environment variable to and make sure not to include the secret in the
.env.example
optionruntimeEnv
TWITTER_API_TOKEN=
Type Coercion
All variables you add to
.env
coerce
Add the variables to your
.env
SOME_NUMBER=123
SOME_BOOLEAN=true
Then, validate them in
env.js
import { createEnv } from "@t3-oss/env-nextjs";
import { z } from "zod";
export const env = createEnv({
server: {
SOME_NUMBER: z.coerce.number(),
SOME_BOOLEAN: z.coerce.boolean(),
},
// ...
runtimeEnv: {
SOME_NUMBER: process.env.SOME_NUMBER,
SOME_BOOLEAN: process.env.SOME_BOOLEAN,
},
});