Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
201 changes: 201 additions & 0 deletions docs/docs/00100-intro/00200-quickstarts/00150-nextjs.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,201 @@
---
title: Next.js Quickstart
sidebar_label: Next.js
slug: /quickstarts/nextjs
hide_table_of_contents: true
---

import { InstallCardLink } from "@site/src/components/InstallCardLink";
import { StepByStep, Step, StepText, StepCode } from "@site/src/components/Steps";


Get a SpacetimeDB Next.js app running in under 5 minutes.

## Prerequisites

- [Node.js](https://nodejs.org/) 18+ installed
- [SpacetimeDB CLI](https://spacetimedb.com/install) installed

<InstallCardLink />

---

<StepByStep>
<Step title="Create your project">
<StepText>
Run the `spacetime dev` command to create a new project with a SpacetimeDB module and Next.js client.

This will start the local SpacetimeDB server, publish your module, generate TypeScript bindings, and start the Next.js development server.
</StepText>
<StepCode>
```bash
spacetime dev --template nextjs-ts my-nextjs-app
```
</StepCode>
</Step>

<Step title="Open your app">
<StepText>
Navigate to [http://localhost:3001](http://localhost:3001) to see your app running.

Note: The Next.js dev server runs on port 3001 to avoid conflict with SpacetimeDB on port 3000.
</StepText>
</Step>

<Step title="Explore the project structure">
<StepText>
Your project contains both server and client code using the Next.js App Router.

Edit `spacetimedb/src/index.ts` to add tables and reducers. Edit `app/page.tsx` to build your UI.
</StepText>
<StepCode>
```
my-nextjs-app/
├── spacetimedb/ # Your SpacetimeDB module
│ └── src/
│ └── index.ts # Server-side logic
├── app/ # Next.js App Router
│ ├── layout.tsx # Root layout with providers
│ ├── page.tsx # Home page
│ └── providers.tsx # SpacetimeDB provider (client component)
├── src/
│ └── module_bindings/ # Auto-generated types
└── package.json
```
</StepCode>
</Step>

<Step title="Understand tables and reducers">
<StepText>
Open `spacetimedb/src/index.ts` to see the module code. The template includes a `person` table and two reducers: `add` to insert a person, and `say_hello` to greet everyone.

Tables store your data. Reducers are functions that modify data — they're the only way to write to the database.
</StepText>
<StepCode>
```typescript
import { schema, table, t } from 'spacetimedb/server';

export const spacetimedb = schema(
table(
{ name: 'person', public: true },
{
name: t.string(),
}
)
);

spacetimedb.reducer('add', { name: t.string() }, (ctx, { name }) => {
ctx.db.person.insert({ name });
});

spacetimedb.reducer('say_hello', (ctx) => {
for (const person of ctx.db.person.iter()) {
console.info(`Hello, ${person.name}!`);
}
console.info('Hello, World!');
});
```
</StepCode>
</Step>

<Step title="Test with the CLI">
<StepText>
Use the SpacetimeDB CLI to call reducers and query your data directly.
</StepText>
<StepCode>
```bash
# Call the add reducer to insert a person
spacetime call my-nextjs-app add Alice

# Query the person table
spacetime sql my-nextjs-app "SELECT * FROM person"
name
---------
"Alice"

# Call say_hello to greet everyone
spacetime call my-nextjs-app say_hello

# View the module logs
spacetime logs my-nextjs-app
2025-01-13T12:00:00.000000Z INFO: Hello, Alice!
2025-01-13T12:00:00.000000Z INFO: Hello, World!
```
</StepCode>
</Step>

<Step title="Understand the provider pattern">
<StepText>
SpacetimeDB is client-side only — it cannot run during server-side rendering. The `app/providers.tsx` file uses the `"use client"` directive and wraps your app with `SpacetimeDBProvider`.

The template uses environment variables for configuration. Set `NEXT_PUBLIC_SPACETIMEDB_URI` and `NEXT_PUBLIC_SPACETIMEDB_MODULE` to override defaults.
</StepText>
<StepCode>
```tsx
// app/providers.tsx
'use client';

import { useMemo } from 'react';
import { SpacetimeDBProvider } from 'spacetimedb/react';
import { DbConnection } from '../src/module_bindings';

const URI = process.env.NEXT_PUBLIC_SPACETIMEDB_URI ?? 'ws://localhost:3000';
const MODULE = process.env.NEXT_PUBLIC_SPACETIMEDB_MODULE ?? 'my-nextjs-app';

export function Providers({ children }: { children: React.ReactNode }) {
const connectionBuilder = useMemo(() =>
DbConnection.builder()
.withUri(URI)
.withModuleName(MODULE),
[]
);

return (
<SpacetimeDBProvider connectionBuilder={connectionBuilder}>
{children}
</SpacetimeDBProvider>
);
}
```
</StepCode>
</Step>

<Step title="Use React hooks for data">
<StepText>
In your page components, use `useTable` to subscribe to table data and `useReducer` to call reducers. All components using these hooks must have the `"use client"` directive.
</StepText>
<StepCode>
```tsx
// app/page.tsx
'use client';

import { tables, reducers } from '../src/module_bindings';
import { useTable, useReducer } from 'spacetimedb/react';

export default function Home() {
// Subscribe to table data - returns [rows, isLoading]
const [people] = useTable(tables.person);

// Get a function to call a reducer
const addPerson = useReducer(reducers.add);

const handleAdd = () => {
// Call reducer with object syntax
addPerson({ name: 'Alice' });
};

return (
<ul>
{people.map((person, i) => <li key={i}>{person.name}</li>)}
</ul>
);
}
```
</StepCode>
</Step>
</StepByStep>

## Next steps

- See the [Chat App Tutorial](/tutorials/chat-app) for a complete example
- Read the [TypeScript SDK Reference](/sdks/typescript) for detailed API docs
5 changes: 5 additions & 0 deletions templates/nextjs-ts/.template.json
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
{
"description": "Next.js App Router with TypeScript server",
"client_lang": "typescript",
"server_lang": "typescript"
}
1 change: 1 addition & 0 deletions templates/nextjs-ts/LICENSE
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
../../licenses/apache2.txt
28 changes: 28 additions & 0 deletions templates/nextjs-ts/app/globals.css
Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
* {
box-sizing: border-box;
padding: 0;
margin: 0;
}

html,
body {
max-width: 100vw;
overflow-x: hidden;
}

body {
color: #333;
background: #fafafa;
}

a {
color: inherit;
text-decoration: none;
}

@media (prefers-color-scheme: dark) {
body {
color: #eee;
background: #111;
}
}
22 changes: 22 additions & 0 deletions templates/nextjs-ts/app/layout.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,22 @@
import type { Metadata } from 'next';
import { Providers } from './providers';
import './globals.css';

export const metadata: Metadata = {
title: 'SpacetimeDB Next.js App',
description: 'A Next.js app powered by SpacetimeDB',
};

export default function RootLayout({
children,
}: {
children: React.ReactNode;
}) {
return (
<html lang="en">
<body>
<Providers>{children}</Providers>
</body>
</html>
);
}
71 changes: 71 additions & 0 deletions templates/nextjs-ts/app/page.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,71 @@
'use client';

import { useState } from 'react';
import { tables, reducers } from '../src/module_bindings';
import { useSpacetimeDB, useTable, useReducer } from 'spacetimedb/react';

export default function Home() {
const [name, setName] = useState('');

const conn = useSpacetimeDB();
const { isActive: connected } = conn;

// Subscribe to all people in the database
// useTable returns [rows, isLoading] tuple
const [people] = useTable(tables.person);

const addReducer = useReducer(reducers.add);

const addPerson = (e: React.FormEvent) => {
e.preventDefault();
if (!name.trim() || !connected) return;

// Call the add reducer with object syntax
addReducer({ name: name });
setName('');
};

return (
<main style={{ padding: '2rem', fontFamily: 'system-ui, sans-serif' }}>
<h1>SpacetimeDB Next.js App</h1>

<div style={{ marginBottom: '1rem' }}>
Status:{' '}
<strong style={{ color: connected ? 'green' : 'red' }}>
{connected ? 'Connected' : 'Disconnected'}
</strong>
</div>

<form onSubmit={addPerson} style={{ marginBottom: '2rem' }}>
<input
type="text"
placeholder="Enter name"
value={name}
onChange={e => setName(e.target.value)}
style={{ padding: '0.5rem', marginRight: '0.5rem' }}
disabled={!connected}
/>
<button
type="submit"
style={{ padding: '0.5rem 1rem' }}
disabled={!connected}
>
Add Person
</button>
</form>

<div>
<h2>People ({people.length})</h2>
{people.length === 0 ? (
<p>No people yet. Add someone above!</p>
) : (
<ul>
{people.map((person, index) => (
<li key={index}>{person.name}</li>
))}
</ul>
)}
</div>
</main>
);
}
51 changes: 51 additions & 0 deletions templates/nextjs-ts/app/providers.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,51 @@
'use client';

import { useMemo } from 'react';
import { SpacetimeDBProvider } from 'spacetimedb/react';
import { DbConnection, ErrorContext } from '../src/module_bindings';
import { Identity } from 'spacetimedb';

const HOST = process.env.NEXT_PUBLIC_SPACETIMEDB_HOST ?? 'ws://localhost:3000';
const DB_NAME = process.env.NEXT_PUBLIC_SPACETIMEDB_DB_NAME ?? 'nextjs-ts';

const onConnect = (_conn: DbConnection, identity: Identity, token: string) => {
if (typeof window !== 'undefined') {
localStorage.setItem('auth_token', token);
}
console.log(
'Connected to SpacetimeDB with identity:',
identity.toHexString()
);
};

const onDisconnect = () => {
console.log('Disconnected from SpacetimeDB');
};

const onConnectError = (_ctx: ErrorContext, err: Error) => {
console.log('Error connecting to SpacetimeDB:', err);
};

export function Providers({ children }: { children: React.ReactNode }) {
const connectionBuilder = useMemo(
() =>
DbConnection.builder()
.withUri(HOST)
.withModuleName(DB_NAME)
.withToken(
typeof window !== 'undefined'
? localStorage.getItem('auth_token') || undefined
: undefined
)
.onConnect(onConnect)
.onDisconnect(onDisconnect)
.onConnectError(onConnectError),
[]
);

return (
<SpacetimeDBProvider connectionBuilder={connectionBuilder}>
{children}
</SpacetimeDBProvider>
);
}
8 changes: 8 additions & 0 deletions templates/nextjs-ts/next.config.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,8 @@
import type { NextConfig } from 'next';

const nextConfig: NextConfig = {
// Next.js configuration
// Note: Use port 3001 (via npm scripts) to avoid conflict with SpacetimeDB on port 3000
};

export default nextConfig;
Loading
Loading