Tutorials
Create Your First Crud

Create your first CRUD

Make sure you followed the Getting Started before starting this tutorial.

Let's dive into creating a full new entity with database, backend and ui.
We will create a "Project" entity with the full CRUD (Create Read Update Delete) screens.

Step 1: Create the Project database schema

Update the Prisma Database Schema

We will use Prisma (opens in a new tab) to add the project entity to our database schema.
Open the prisma/schema.prisma file and add a new model called Project with the following fields.

prisma/schema.prisma
model Project {
  id          String   @id @default(cuid())
  createdAt   DateTime @default(now())
  updatedAt   DateTime @updatedAt
  name        String   @unique
  description String?
}

Cut the running pnpm dev if needed, and then run the pnpm db:push command to update your database.

You can run pnpm dev again.

Create you first project

We can see what is inside of our database with the pnpm db:ui command.
You should see your Project model and be able to create a new project like the following.

Step 01
Step 02
Step 03

Create database seeds

For easy development and better Developer eXperience (DX), we will create a new seed for our new Project model.
This will allows every new developer to start with some projects instead of an empty database.

Create an new file project.ts in the prisma/seed/models folder with a createProjects function.

prisma/seed/models/project.ts
export async function createProjects() {
  // ...
}

Add a console.log for better DX.

prisma/seed/models/project.ts
export async function createProjects() {
  console.log(`⏳ Seeding projects`);
  // ...
}

Check if the project exist to make the seed idempotent.

prisma/seed/models/project.ts
import { prisma } from "prisma/seed/utils";
 
export async function createProjects() {
  console.log(`⏳ Seeding projects`);
 
  if (!(await prisma.project.findUnique({ where: { name: "My Project" } }))) {
    // ...
  }
}

Create the project with prisma.

prisma/seed/models/project.ts
import { prisma } from "prisma/seed/utils";
 
export async function createProjects() {
  console.log(`⏳ Seeding projects`);
 
  if (!(await prisma.project.findUnique({ where: { name: "My Project" } }))) {
    await prisma.project.create({
      data: {
        name: "My Project",
        description: "This is a project created with the seed command",
      },
    });
  }
}

Now, import the function into the prisma/seed/index.ts file.

prisma/seed/index.ts
import { createRepositories } from "prisma/seed/models/repository";
import { createUsers } from "prisma/seed/models/user";
import { createProjects } from "prisma/seed/models/project";
import { prisma } from "prisma/seed/utils";
 
async function main() {
  await createRepositories();
  await createUsers();
  await createProjects();
}
 
main()
  .catch((e) => {
    console.error(e);
    process.exit(1);
  })
  .finally(() => {
    prisma.$disconnect();
  });

Finally, run the seed command.

pnpm db:seed

You can check that the project is created by running the pnpm db:ui command again.

Seed result


Step 2: Create the backend router

Create the tRPC router

Create a projects.ts file in the src/server/routers folder and create an empty tRPC router with the following code.

src/server/routers/projects.ts
import { createTRPCRouter } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  //...
});

Add the first query to list the projects

We will create a query to get all the projects from the database.
In the projects router file (src/server/routers/projects.ts), create a getAll key for our query.

src/server/routers/projects.ts
import { createTRPCRouter } from '@/server/config/trpc';
 
export const projectsRouter = createTRPCRouter({
  getAll: //...
});

We need this query to be protected and be accessible only by the admin users. So we will use the protectedProcedure.

src/server/routers/projects.ts
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] }), //...
});

Then we need to create the input and the output of our query. For now, the input will be void and the output will only return an array of projects with id, name and description properties.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .input(z.void())
    .output(
      z.array(
        z.object({
          id: z.string().cuid(),
          name: z.string(),
          description: z.string().nullish(),
        })
      )
    ), //...
});

Will will add some meta to auto generate the REST api based on the tRPC api.

This step is optional, if you don't plan to support and maintain the REST api, you can skip this step.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(z.void())
    .output(
      z.array(
        z.object({
          id: z.string().cuid(),
          name: z.string(),
          description: z.string().nullish(),
        })
      )
    ), //...
});

And now, let create the query with the projects.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(z.void())
    .output(
      z.array(
        z.object({
          id: z.string().cuid(),
          name: z.string(),
          description: z.string().nullish(),
        })
      )
    )
    .query(async ({ ctx }) => {
      const projects = await ctx.db.project.findMany();
      return projects;
    }),
});

Add load more capability

We will allows the query to be paginated with a load more strategy.

First, let's update our input to accept a limit and a cursor params.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(
      z
        .object({
          cursor: z.string().cuid().optional(),
          limit: z.number().min(1).max(100).default(20),
        })
        .default({})
    )
    .output(
      z.array(
        z.object({
          id: z.string().cuid(),
          name: z.string(),
          description: z.string().nullish(),
        })
      )
    )
    .query(async ({ ctx }) => {
      const projects = await ctx.db.project.findMany();
      return projects;
    }),
});

Then we will need to update our prisma query.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(
      z
        .object({
          cursor: z.string().cuid().optional(),
          limit: z.number().min(1).max(100).default(20),
        })
        .default({})
    )
    .output(
      z.array(
        z.object({
          id: z.string().cuid(),
          name: z.string(),
          description: z.string().nullish(),
        })
      )
    )
    .query(async ({ ctx, input }) => {
      const projects = await ctx.db.project.findMany({
        // Get an extra item at the end which we'll use as next cursor
        take: input.limit + 1,
        cursor: input.cursor ? { id: input.cursor } : undefined,
      });
      return projects;
    }),
});

Now, we need to update our output to send not only the projects but also the nextCursor.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(
      z
        .object({
          cursor: z.string().cuid().optional(),
          limit: z.number().min(1).max(100).default(20),
        })
        .default({})
    )
    .output(
      z.object({
        items: z.array(
          z.object({
            id: z.string().cuid(),
            name: z.string(),
            description: z.string().nullish(),
          })
        ),
        nextCursor: z.string().cuid().nullish(),
      })
    )
    .query(async ({ ctx, input }) => {
      const projects = await ctx.db.project.findMany({
        // Get an extra item at the end which we'll use as next cursor
        take: input.limit + 1,
        cursor: input.cursor ? { id: input.cursor } : undefined,
      });
 
      let nextCursor: typeof input.cursor | undefined = undefined;
      if (projects.length > input.limit) {
        const nextProject = projects.pop();
        nextCursor = nextProject?.id;
      }
 
      return { items: projects, nextCursor };
    }),
});

We will now add the total of projects in the data in the output to let the UI now how many projects are available even if now the UI will not request all projects at once.

src/server/routers/projects.ts
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(
      z
        .object({
          cursor: z.string().cuid().optional(),
          limit: z.number().min(1).max(100).default(20),
        })
        .default({})
    )
    .output(
      z.object({
        items: z.array(
          z.object({
            id: z.string().cuid(),
            name: z.string(),
            description: z.string().nullish(),
          })
        ),
        nextCursor: z.string().cuid().nullish(),
        total: z.number(),
      })
    )
    .query(async ({ ctx, input }) => {
      const [total, projects] = await ctx.db.$transaction([
        ctx.db.project.count(),
        ctx.db.project.findMany({
          // Get an extra item at the end which we'll use as next cursor
          take: input.limit + 1,
          cursor: input.cursor ? { id: input.cursor } : undefined,
        }),
      ]);
 
      let nextCursor: typeof input.cursor | undefined = undefined;
      if (projects.length > input.limit) {
        const nextProject = projects.pop();
        nextCursor = nextProject?.id;
      }
 
      return { items: projects, nextCursor, total };
    }),
});

Add search capability

Let's add the possibility to search a project by name. We are adding a searchTerm in the input and add a where clause. We need to put this where on both prisma requests, so we can create a constant with the help of the Prisma.ProjectWhereInput generated types.

src/server/routers/projects.ts
import { Prisma } from "@prisma/client";
import { z } from "zod";
 
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta({
      openapi: {
        method: "GET",
        path: "/projects",
        protect: true,
        tags: ["projects"],
      },
    })
    .input(
      z
        .object({
          cursor: z.string().cuid().optional(),
          limit: z.number().min(1).max(100).default(20),
          searchTerm: z.string().optional(),
        })
        .default({})
    )
    .output(
      z.object({
        items: z.array(
          z.object({
            id: z.string().cuid(),
            name: z.string(),
            description: z.string().nullish(),
          })
        ),
        nextCursor: z.string().cuid().nullish(),
        total: z.number(),
      })
    )
    .query(async ({ ctx, input }) => {
      const where = {
        name: {
          contains: input.searchTerm,
          mode: "insensitive",
        },
      } satisfies Prisma.ProjectWhereInput;
 
      const [total, projects] = await ctx.db.$transaction([
        ctx.db.project.count({ where }),
        ctx.db.project.findMany({
          // Get an extra item at the end which we'll use as next cursor
          take: input.limit + 1,
          cursor: input.cursor ? { id: input.cursor } : undefined,
          where,
        }),
      ]);
 
      let nextCursor: typeof input.cursor | undefined = undefined;
      if (projects.length > input.limit) {
        const nextProject = projects.pop();
        nextCursor = nextProject?.id;
      }
 
      return { items: projects, nextCursor, total };
    }),
});

Add the router to the Router.ts file

Finally, import this router in the src/server/router.ts file.

src/server/router.ts
// ...
import { accountRouter } from "@/server/routers/account";
import { authRouter } from "@/server/routers/auth";
import { projectsRouter } from "@/server/routers/projects";
import { repositoriesRouter } from "@/server/routers/repositories";
import { usersRouter } from "@/server/routers/users";
 
// ...
export const appRouter = createTRPCRouter({
  account: accountRouter,
  auth: authRouter,
  projects: projectsRouter,
  repositories: repositoriesRouter,
  users: usersRouter,
});
 
// ...

Step 3: Create the feature folder

Create the feature folder

To put the UI and shared code, let's create a projects folder in the src/features folder. It's in this folder that we will put all the UI of the projects feature and also the shared code between server and UI.

Extract project zod schema

First to we will extract the zod schema for the project from the tRPC router and put it into a schemas.ts file in the src/features/projects folder.

Let's create the src/features/projects/schemas.ts file with the zod schema for one project.

src/features/projects/schemas.ts
import { z } from "zod";
 
export const zProject = () =>
  z.object({
    id: z.string().cuid(),
    name: z.string(),
    description: z.string().nullish(),
  });

Let's create the type from this schema.

src/features/projects/schemas.ts
import { z } from "zod";
 
export type Project = z.infer<ReturnType<typeof zProject>>;
export const zProject = () =>
  z.object({
    id: z.string().cuid(),
    name: z.string(),
    description: z.string().nullish(),
  });

Use this schema in the tRPC router in the src/server/routers/projects.ts file.

src/server/routers/projects.ts
import { Prisma } from "@prisma/client";
import { z } from "zod";
 
import { zProject } from "@/features/projects/schemas";
import { createTRPCRouter, protectedProcedure } from "@/server/config/trpc";
 
export const projectsRouter = createTRPCRouter({
  getAll: protectedProcedure({ authorizations: ["ADMIN"] })
    .meta(/* ... */)
    .input(/* ... */)
    .output(
      z.object({
        items: z.array(zProject()),
        nextCursor: z.string().cuid().nullish(),
        total: z.number(),
      })
    )
    .query(/* ... */),
});

Step 4: List all the projects in the UI

Create the page

Create the file PageAdminProjects.tsx in the src/features/projects folder with the following content.

src/features/projects/PageAdminProjects.tsx
import { Heading } from "@chakra-ui/react";
 
import {
  AdminLayoutPage,
  AdminLayoutPageContent,
} from "@/features/admin/AdminLayoutPage";
 
export default function PageAdminProjects() {
  return (
    <AdminLayoutPage>
      <AdminLayoutPageContent>
        <Heading flex="none" size="md">
          Projects
        </Heading>
        ...
      </AdminLayoutPageContent>
    </AdminLayoutPage>
  );
}

Create the NextJS route

To expose the page component, we need to create the route in the NextJS app router (opens in a new tab).
Create a page.tsx file in the a new projects folder in src/app/admin/(authenticated) folder.

            • page.tsx
  • src/app/admin/(authenticated)/projects/page.tsx
    "use client";
     
    import { Suspense } from "react";
     
    import PageAdminProjects from "@/features/projects/PageAdminProjects";
     
    export default function Page() {
      return (
        <Suspense>
          <PageAdminProjects />
        </Suspense>
      );
    }

    You can run the pnpm dev and visit the localhost:3000/admin/projects (opens in a new tab) url to see the result. (You might need to login first).

    Display the data

    First, let's get the data with tRPC and the @tanstack/react-query integration in the PageAdminProjects.tsx file.

    src/features/projects/PageAdminProjects.tsx
    import { Heading } from "@chakra-ui/react";
     
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
    } from "@/features/admin/AdminLayoutPage";
    import { trpc } from '@/lib/trpc/client';
     
    export default function PageAdminProjects() {
      const projects = trpc.projects.getAll.useQuery();
     
      return (
        /* ... */
      );
    }

    Then, use the DataList component to display the data.

    src/features/projects/PageAdminProjects.tsx
    import { Heading, Stack } from "@chakra-ui/react";
     
    import {
      DataList,
      DataListCell,
      DataListRow,
      DataListText,
    } from "@/components/DataList";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
    } from "@/features/admin/AdminLayoutPage";
    import { trpc } from "@/lib/trpc/client";
     
    export default function PageAdminProjects() {
      const projects = trpc.projects.getAll.useQuery();
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Heading flex="none" size="md">
                Projects
              </Heading>
              <DataList>
                {projects.data?.items.map((project) => (
                  <DataListRow key={project.id}>
                    <DataListCell>
                      <DataListText fontWeight="bold">{project.name}</DataListText>
                    </DataListCell>
                    <DataListCell>
                      <DataListText color="text-dimmed">
                        {project.description}
                      </DataListText>
                    </DataListCell>
                  </DataListRow>
                ))}
              </DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    You should have this result on localhost:3000/admin/projects (opens in a new tab) 👇

    Display DataList

    Handle loading, empty and error state

    src/features/projects/PageAdminProjects.tsx
    import { Heading, Stack } from "@chakra-ui/react";
     
    import {
      DataList,
      DataListCell,
      DataListEmptyState,
      DataListErrorState,
      DataListLoadingState,
      DataListRow,
      DataListText,
    } from "@/components/DataList";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
    } from "@/features/admin/AdminLayoutPage";
    import { trpc } from "@/lib/trpc/client";
     
    export default function PageAdminProjects() {
      const projects = trpc.projects.getAll.useQuery();
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Heading flex="none" size="md">
                Projects
              </Heading>
              <DataList>
                {projects.isLoading && <DataListLoadingState />}
                {projects.isError && (
                  <DataListErrorState retry={() => projects.refetch()} />
                )}
                {projects.isSuccess && !projects.data.items.length && (
                  <DataListEmptyState />
                )}
                {projects.data?.items.map((project) => (
                  <DataListRow key={project.id}>
                    <DataListCell>
                      <DataListText fontWeight="bold">{project.name}</DataListText>
                    </DataListCell>
                    <DataListCell>
                      <DataListText color="text-dimmed">
                        {project.description}
                      </DataListText>
                    </DataListCell>
                  </DataListRow>
                ))}
              </DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Add load more

    First, we need to use useInfiniteQuery instead of useQuery and implement the getNextPageParam logic.

    src/features/projects/PageAdminProjects.tsx
    /* ... */
     
    export default function PageAdminProjects() {
      const projects = trpc.projects.getAll.useInfiniteQuery(
        {},
        {
          getNextPageParam: (lastPage) => lastPage.nextCursor,
        }
      );
     
      return (
        /* ... */
      );
    }

    Now, we need to update how we display the data.

    src/features/projects/PageAdminProjects.tsx
    /* ... */
     
    export default function PageAdminProjects() {
      /* ... */
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Heading flex="none" size="md">
                Projects
              </Heading>
              <DataList>
                {projects.isLoading && <DataListLoadingState />}
                {projects.isError && (
                  <DataListErrorState retry={() => projects.refetch()} />
                )}
                {projects.isSuccess &&
                  !projects.data.pages.flatMap((p) => p.items).length && (
                    <DataListEmptyState />
                  )}
                {projects.data?.pages
                  .flatMap((p) => p.items)
                  .map((project) => (
                    <DataListRow key={project.id}>
                      <DataListCell>
                        <DataListText fontWeight="bold">
                          {project.name}
                        </DataListText>
                      </DataListCell>
                      <DataListCell>
                        <DataListText color="text-dimmed">
                          {project.description}
                        </DataListText>
                      </DataListCell>
                    </DataListRow>
                  ))}
              </DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    And now, let's add the load more button.

    src/features/projects/PageAdminProjects.tsx
    import { Button, Heading, Stack } from "@chakra-ui/react";
     
    /* ... */
     
    export default function PageAdminProjects() {
      /* ... */
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Heading flex="none" size="md">
                Projects
              </Heading>
              <DataList>
                {projects.isLoading && <DataListLoadingState />}
                {projects.isError && (
                  <DataListErrorState retry={() => projects.refetch()} />
                )}
                {projects.isSuccess &&
                  !projects.data.pages.flatMap((p) => p.items).length && (
                    <DataListEmptyState />
                  )}
                {projects.data?.pages
                  .flatMap((p) => p.items)
                  .map((project) => (
                    <DataListRow key={project.id}>
                      <DataListCell>
                        <DataListText fontWeight="bold">
                          {project.name}
                        </DataListText>
                      </DataListCell>
                      <DataListCell>
                        <DataListText color="text-dimmed">
                          {project.description}
                        </DataListText>
                      </DataListCell>
                    </DataListRow>
                  ))}
                {projects.isSuccess && (
                  <DataListRow mt="auto">
                    <DataListCell>
                      <Button
                        size="sm"
                        onClick={() => projects.fetchNextPage()}
                        isLoading={projects.isFetchingNextPage}
                        isDisabled={!projects.hasNextPage}
                      >
                        Load more
                      </Button>
                    </DataListCell>
                  </DataListRow>
                )}
              </DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Want to test with only 2 projects? Add limit: 1 to the useInfiniteQuery and you should be able to see the first project and click on "Load more" to display the second projecT.

    src/features/projects/PageAdminProjects.tsx
    const projects = trpc.projects.getAll.useInfiniteQuery(
      { limit: 1 },
      {
        getNextPageParam: (lastPage) => lastPage.nextCursor,
      }
    );

    Revert this last change to continue.

    Add search

    First, let's add the SearchInput component in the UI.

    src/features/projects/PageAdminProjects.tsx
    import { SearchInput } from "@/components/SearchInput";
     
    /* ... */
     
    export default function PageAdminProjects() {
      /* ... */
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Flex
                flexDirection={{ base: "column", md: "row" }}
                alignItems={{ base: "start", md: "center" }}
                gap={4}
              >
                <Heading flex="none" size="md">
                  Projects
                </Heading>
                <SearchInput size="sm" maxW={{ base: "none", md: "20rem" }} />
              </Flex>
              <DataList>{/* ... */}</DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Then connect the SearchInput value to the useInfiniteQuery via a search param (s) in the url.

    src/features/projects/PageAdminProjects.tsx
    import { useQueryState } from "nuqs";
     
    /* ... */
     
    export default function PageAdminProjects() {
      const [searchTerm, setSearchTerm] = useQueryState("s", { defaultValue: "" });
     
      const projects = trpc.projects.getAll.useInfiniteQuery(
        {
          searchTerm,
        },
        {
          getNextPageParam: (lastPage) => lastPage.nextCursor,
        }
      );
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Flex
                flexDirection={{ base: "column", md: "row" }}
                alignItems={{ base: "start", md: "center" }}
                gap={4}
              >
                <Heading flex="none" size="md">
                  Projects
                </Heading>
                <SearchInput
                  value={searchTerm}
                  onChange={(value) => setSearchTerm(value || null)}
                  size="sm"
                  maxW={{ base: "none", md: "20rem" }}
                />
              </Flex>
              <DataList>{/* ... */}</DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Let's just add the search term to the existing <DataListEmptyState /> for a better UX.

    src/features/projects/PageAdminProjects.tsx
    /* ... */
    <DataListEmptyState searchTerm={searchTerm} />
    /* ... */

    Result

    You can view the projects at localhost:3000/admin/projects (opens in a new tab), the page should looks like this.

    Projects listing

    And the final code of PageAdminProjects.tsx file should look like this.

    src/features/projects/PageAdminProjects.tsx
    import { Button, Flex, Heading, Stack } from "@chakra-ui/react";
    import { useQueryState } from "nuqs";
     
    import {
      DataList,
      DataListCell,
      DataListEmptyState,
      DataListErrorState,
      DataListLoadingState,
      DataListRow,
      DataListText,
    } from "@/components/DataList";
    import { SearchInput } from "@/components/SearchInput";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
    } from "@/features/admin/AdminLayoutPage";
    import { trpc } from "@/lib/trpc/client";
     
    export default function PageAdminProjects() {
      const [searchTerm, setSearchTerm] = useQueryState("s", { defaultValue: "" });
     
      const projects = trpc.projects.getAll.useInfiniteQuery(
        {
          searchTerm,
        },
        {
          getNextPageParam: (lastPage) => lastPage.nextCursor,
        }
      );
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <Flex
                flexDirection={{ base: "column", md: "row" }}
                alignItems={{ base: "start", md: "center" }}
                gap={4}
              >
                <Heading flex="none" size="md">
                  Projects
                </Heading>
                <SearchInput
                  value={searchTerm}
                  onChange={(value) => setSearchTerm(value || null)}
                  size="sm"
                  maxW={{ base: "none", md: "20rem" }}
                />
              </Flex>
              <DataList>
                {projects.isLoading && <DataListLoadingState />}
                {projects.isError && (
                  <DataListErrorState retry={() => projects.refetch()} />
                )}
                {projects.isSuccess &&
                  !projects.data.pages.flatMap((p) => p.items).length && (
                    <DataListEmptyState searchTerm={searchTerm} />
                  )}
                {projects.data?.pages
                  .flatMap((p) => p.items)
                  .map((project) => (
                    <DataListRow key={project.id}>
                      <DataListCell>
                        <DataListText fontWeight="bold">
                          {project.name}
                        </DataListText>
                      </DataListCell>
                      <DataListCell>
                        <DataListText color="text-dimmed">
                          {project.description}
                        </DataListText>
                      </DataListCell>
                    </DataListRow>
                  ))}
                {projects.isSuccess && (
                  <DataListRow mt="auto">
                    <DataListCell>
                      <Button
                        size="sm"
                        onClick={() => projects.fetchNextPage()}
                        isLoading={projects.isFetchingNextPage}
                        isDisabled={!projects.hasNextPage}
                      >
                        Load more
                      </Button>
                    </DataListCell>
                  </DataListRow>
                )}
              </DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Step 5: Allows to create a project

    Create the tRPC mutation

    In the tRPC router we will add the mutation, add the create key in the src/server/routers/projects.ts file with meta, input and output like we did with the getAll query.

    src/server/routers/projects.ts
    /* ... */
     
    export const projectsRouter = createTRPCRouter({
      getAll: /* ... */,
     
      create: protectedProcedure({ authorizations: ['ADMIN'] })
        .meta({
          openapi: {
            method: 'POST',
            path: '/projects',
            protect: true,
            tags: ['projects'],
          },
        })
        .input(
          zProject().pick({
            name: true,
            description: true,
          })
        )
        .output(zProject())
    });

    Then, let's add the logic for the mutation.

    src/server/routers/projects.ts
    import { ExtendedTRPCError } from '@/server/config/errors';
    /* ... */
     
    export const projectsRouter = createTRPCRouter({
      getAll: /* ... */,
     
      create: protectedProcedure({ authorizations: ['ADMIN'] })
        .meta({
          openapi: {
            method: 'POST',
            path: '/projects',
            protect: true,
            tags: ['projects'],
          },
        })
        .input(
          zProject().pick({
            name: true,
            description: true,
          })
        )
        .output(zProject())
        .mutation(async ({ ctx, input }) => {
          try {
            ctx.logger.info('Creating project');
            return await ctx.db.project.create({
              data: input,
            });
          } catch (e) {
            throw new ExtendedTRPCError({
              cause: e,
            });
          }
        }),
    });

    Create the page

    Create the file PageAdminProjectCreate.tsx in the src/features/projects folder with the following content.

    src/features/projects/PageAdminProjectCreate.tsx
    import { Button, Heading } from "@chakra-ui/react";
     
    import { AdminBackButton } from "@/features/admin/AdminBackButton";
    import { AdminCancelButton } from "@/features/admin/AdminCancelButton";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
      AdminLayoutPageTopBar,
    } from "@/features/admin/AdminLayoutPage";
     
    export default function PageAdminProjectCreate() {
      return (
        <AdminLayoutPage containerMaxWidth="container.md" showNavBar={false}>
          <AdminLayoutPageTopBar
            leftActions={<AdminBackButton />}
            rightActions={
              <>
                <AdminCancelButton />
                <Button type="submit" variant="@primary">
                  Create
                </Button>
              </>
            }
          >
            <Heading size="sm">New Project</Heading>
          </AdminLayoutPageTopBar>
          <AdminLayoutPageContent>...</AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Create the NextJS route

    To expose the page component, we need to create the route in the NextJS app router.
    Create a page.tsx file in the a new create folder in src/app/admin/(authenticated)/projects folder.

              • page.tsx
  • src/app/admin/(authenticated)/projects/create/page.tsx
    "use client";
     
    import { Suspense } from "react";
     
    import PageAdminProjectCreate from "@/features/projects/PageAdminProjectCreate";
     
    export default function Page() {
      return (
        <Suspense>
          <PageAdminProjectCreate />
        </Suspense>
      );
    }

    Add the create button

    Now, in the PageAdminProjects.tsx file, let's add the create button.

    src/features/projects/PageAdminProjects.tsx
    import { Button, Flex, HStack, Heading, Stack } from "@chakra-ui/react";
    import Link from "next/link";
    import { LuPlus } from "react-icons/lu";
    import { ResponsiveIconButton } from "@/components/ResponsiveIconButton";
    import { ADMIN_PATH } from "@/features/admin/constants";
    /* ... */
     
    export default function PageAdminProjects() {
      /* ... */
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <HStack spacing={4} alignItems={{ base: "end", md: "center" }}>
                <Flex
                  flexDirection={{ base: "column", md: "row" }}
                  alignItems={{ base: "start", md: "center" }}
                  gap={4}
                  flex={1}
                >
                  <Heading flex="none" size="md">
                    Projects
                  </Heading>
                  <SearchInput
                    value={searchTerm}
                    onChange={(value) => searchParamsUpdater({ s: value || null })}
                    size="sm"
                    maxW={{ base: "none", md: "20rem" }}
                  />
                </Flex>
                <ResponsiveIconButton
                  as={Link}
                  href={`${ADMIN_PATH}/projects/create`}
                  variant="@primary"
                  size="sm"
                  icon={<LuPlus />}
                >
                  Create Project
                </ResponsiveIconButton>
              </HStack>
              <DataList>{/* ... */}</DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Create the form

    Let's create the form fields by creating a ProjectForm component. Create the ProjectForm.tsx in the src/features/projects folder and use the FieldInput and FieldTextarea like the following.

    src/features/projects/ProjectForm.tsx
    import { Stack } from "@chakra-ui/react";
     
    import { FieldInput } from "@/components/FieldInput";
    import { FieldTextarea } from "@/components/FieldTextarea";
     
    export type ProjectFormFields = {
      name: string;
      description?: string | null;
    };
     
    export const ProjectForm = () => {
      return (
        <Stack spacing={4}>
          <FieldInput name="name" label="Name" required="Name is required" />
          <FieldTextarea
            name="description"
            label="Description"
            textareaProps={{ rows: 6 }}
          />
        </Stack>
      );
    };

    Use the form

    Now, let's setup Formiz and use this ProjectForm in the PageAdminProjectCreate.tsx file.

    src/features/projects/PageAdminProjectCreate.tsx
    import { Button, Heading } from "@chakra-ui/react";
    import { Formiz, useForm } from "@formiz/core";
     
    import { AdminBackButton } from "@/features/admin/AdminBackButton";
    import { AdminCancelButton } from "@/features/admin/AdminCancelButton";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
      AdminLayoutPageTopBar,
    } from "@/features/admin/AdminLayoutPage";
    import {
      ProjectForm,
      ProjectFormFields,
    } from "@/features/projects/ProjectForm";
     
    export default function PageAdminProjectCreate() {
      const form = useForm<ProjectFormFields>();
     
      return (
        <Formiz connect={form} autoForm>
          <AdminLayoutPage containerMaxWidth="container.md" showNavBar={false}>
            <AdminLayoutPageTopBar
              leftActions={<AdminBackButton />}
              rightActions={
                <>
                  <AdminCancelButton />
                  <Button type="submit" variant="@primary">
                    Create
                  </Button>
                </>
              }
            >
              <Heading size="sm">New Project</Heading>
            </AdminLayoutPageTopBar>
            <AdminLayoutPageContent>
              <ProjectForm />
            </AdminLayoutPageContent>
          </AdminLayoutPage>
        </Formiz>
      );
    }

    Submit the form

    When the form is submitted and valid, we can submit the mutation to the server.

    src/features/projects/PageAdminProjectCreate.tsx
    import { trpc } from '@/lib/trpc/client';
    /* ... */
     
    export default function PageAdminProjectCreate() {
      const createProject = trpc.projects.create.useMutation();
     
      const form = useForm<ProjectFormFields>({
        onValidSubmit: (values) => {
          createProject.mutate(values);
        },
      });
     
      return (
        /* ... */
      );
    }

    And now, we need to invalidate the project list query and redirect the user when the mutation has succeeded.

    ⚠️

    useRouter is imported from next/navigation and not next/router

    src/features/projects/PageAdminProjectCreate.tsx
    import { useRouter } from 'next/navigation';
    /* ... */
     
    export default function PageAdminProjectCreate() {
      const trpcUtils = trpc.useUtils();
      const router = useRouter();
     
      const createProject = trpc.projects.create.useMutation({
        onSuccess: async () => {
          await trpcUtils.projects.getAll.invalidate();
          router.back();
        },
      });
     
      const form = /* ... */
     
      return (
        /* ... */
      );
    }

    Enhance UX

    Let's improve the UX of the form.

    src/features/projects/PageAdminProjectCreate.tsx
    import { useToastError, useToastSuccess } from "@/components/Toast";
    import { isErrorDatabaseConflict } from "@/lib/trpc/errors";
     
    /* ... */
     
    export default function PageAdminProjectCreate() {
      const trpcUtils = trpc.useUtils();
      const router = useRouter();
     
      const toastError = useToastError();
      const toastSuccess = useToastSuccess();
     
      const createProject = trpc.projects.create.useMutation({
        onSuccess: async () => {
          await trpcUtils.projects.getAll.invalidate();
          toastSuccess({
            title: "Project created with success",
          });
          router.back();
        },
        onError: (error) => {
          if (isErrorDatabaseConflict(error, "name")) {
            form.setErrors({ name: "Name already used" });
            return;
          }
          toastError({
            title: "Failed to create the project",
          });
        },
      });
     
      const form = /* ... */;
     
      return (
        <Formiz connect={form} autoForm>
          <AdminLayoutPage containerMaxWidth="container.md" showNavBar={false}>
            <AdminLayoutPageTopBar
              leftActions={<AdminBackButton />}
              rightActions={
                <>
                  <AdminCancelButton />
                  <Button
                    type="submit"
                    variant="@primary"
                    isLoading={createProject.isLoading || createProject.isSuccess}
                    isDisabled={!form.isValid && form.isSubmitted}
                  >
                    Create
                  </Button>
                </>
              }
            >
              <Heading size="sm">New Project</Heading>
            </AdminLayoutPageTopBar>
            <AdminLayoutPageContent>
              <ProjectForm />
            </AdminLayoutPageContent>
          </AdminLayoutPage>
        </Formiz>
      );
    }

    Result

    You can test the form at localhost:3000/admin/projects (opens in a new tab) by using the create button we previously added, the page should looks like this.

    Project create form

    And the final code of PageAdminProjectCreate.tsx file should look like this.

    src/features/projects/PageAdminProjectCreate.tsx
    import { Button, Heading } from "@chakra-ui/react";
    import { Formiz, useForm } from "@formiz/core";
    import { useRouter } from "next/navigation";
     
    import { useToastError, useToastSuccess } from "@/components/Toast";
    import { AdminBackButton } from "@/features/admin/AdminBackButton";
    import { AdminCancelButton } from "@/features/admin/AdminCancelButton";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
      AdminLayoutPageTopBar,
    } from "@/features/admin/AdminLayoutPage";
    import {
      ProjectForm,
      ProjectFormFields,
    } from "@/features/projects/ProjectForm";
    import { trpc } from "@/lib/trpc/client";
    import { isErrorDatabaseConflict } from "@/lib/trpc/errors";
     
    export default function PageAdminProjectCreate() {
      const trpcUtils = trpc.useUtils();
      const router = useRouter();
     
      const toastError = useToastError();
      const toastSuccess = useToastSuccess();
     
      const createProject = trpc.projects.create.useMutation({
        onSuccess: async () => {
          await trpcUtils.projects.getAll.invalidate();
          toastSuccess({
            title: "Project created with success",
          });
          router.back();
        },
        onError: (error) => {
          if (isErrorDatabaseConflict(error, "name")) {
            form.setErrors({ name: "Name already used" });
            return;
          }
          toastError({
            title: "Failed to create the project",
          });
        },
      });
     
      const form = useForm<ProjectFormFields>({
        onValidSubmit: (values) => {
          createProject.mutate(values);
        },
      });
     
      return (
        <Formiz connect={form} autoForm>
          <AdminLayoutPage containerMaxWidth="container.md" showNavBar={false}>
            <AdminLayoutPageTopBar
              leftActions={<AdminBackButton />}
              rightActions={
                <>
                  <AdminCancelButton />
                  <Button
                    type="submit"
                    variant="@primary"
                    isLoading={createProject.isLoading || createProject.isSuccess}
                    isDisabled={!form.isValid && form.isSubmitted}
                  >
                    Create
                  </Button>
                </>
              }
            >
              <Heading size="sm">New Project</Heading>
            </AdminLayoutPageTopBar>
            <AdminLayoutPageContent>
              <ProjectForm />
            </AdminLayoutPageContent>
          </AdminLayoutPage>
        </Formiz>
      );
    }

    Step 6: Allows to view a project

    Create the tRPC query

    In the tRPC router we can add the getById query in the src/server/routers/projects.ts file.

    src/server/routers/projects.ts
    import { TRPCError } from '@trpc/server';
    /* ... */
     
    export const projectsRouter = createTRPCRouter({
      getAll: /* ... */,
      create: /* ... */,
     
      getById: protectedProcedure({ authorizations: ['ADMIN'] })
        .meta({
          openapi: {
            method: 'GET',
            path: '/projects/{id}',
            protect: true,
            tags: ['projects'],
          },
        })
        .input(zProject().pick({ id: true }))
        .output(zProject())
        .query(async ({ ctx, input }) => {
          ctx.logger.info('Getting project');
          const project = await ctx.db.project.findUnique({
            where: { id: input.id },
          });
     
          if (!project) {
            ctx.logger.warn('Unable to find project with the provided input');
            throw new TRPCError({
              code: 'NOT_FOUND',
            });
          }
     
          return project;
        }),
    });

    Create the page

    Create the file PageAdminProject.tsx in the src/features/projects folder with the following content.

    ⚠️

    This file is not the same as PageAdminProjects.tsx which is used to diplay all projects, PageAdminProject.tsx will be to display a project details

    src/features/projects/PageAdminProject.tsx
    import {
      Box,
      Card,
      CardBody,
      Heading,
      SkeletonText,
      Stack,
      Text,
    } from "@chakra-ui/react";
    import { useParams } from "next/navigation";
     
    import { ErrorPage } from "@/components/ErrorPage";
    import { LoaderFull } from "@/components/LoaderFull";
    import { AdminBackButton } from "@/features/admin/AdminBackButton";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
      AdminLayoutPageTopBar,
    } from "@/features/admin/AdminLayoutPage";
    import { trpc } from "@/lib/trpc/client";
     
    export default function PageAdminProject() {
      const params = useParams();
      const project = trpc.projects.getById.useQuery({
        id: params?.id?.toString() ?? "",
      });
     
      return (
        <AdminLayoutPage showNavBar="desktop" containerMaxWidth="container.md">
          <AdminLayoutPageTopBar leftActions={<AdminBackButton />}>
            {project.isLoading && <SkeletonText maxW="6rem" noOfLines={2} />}
            {project.isSuccess && <Heading size="sm">{project.data?.name}</Heading>}
          </AdminLayoutPageTopBar>
          <AdminLayoutPageContent>
            {project.isLoading && <LoaderFull />}
            {project.isError && <ErrorPage />}
            {project.isSuccess && (
              <Card>
                <CardBody>
                  <Stack spacing={4}>
                    <Box>
                      <Text fontSize="sm" fontWeight="bold">
                        Name
                      </Text>
                      <Text>{project.data.name}</Text>
                    </Box>
                    <Box>
                      <Text fontSize="sm" fontWeight="bold">
                        Description
                      </Text>
                      <Text>{project.data.description || <small>-</small>}</Text>
                    </Box>
                  </Stack>
                </CardBody>
              </Card>
            )}
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Create the NextJS route

    To expose the page component, we need to create the route in the NextJS app router.
    Create a page.tsx file in the a new [id] folder in src/app/admin/(authenticated)/projects folder.

              • page.tsx
  • src/app/admin/(authenticated)/projects/[id]/page.tsx
    "use client";
     
    import { Suspense } from "react";
     
    import PageAdminProject from "@/features/projects/PageAdminProject";
     
    export default function Page() {
      return (
        <Suspense>
          <PageAdminProject />
        </Suspense>
      );
    }

    Add the links in the listing

    Now, in the PageAdminProjects.tsx we can add the link to each projects. We can use the LinkOverlay component (opens in a new tab) from Chakra UI.

    src/features/projects/PageAdminProjects.tsx
    import {
      Button,
      Flex,
      HStack,
      Heading,
      LinkBox,
      LinkOverlay,
      Stack,
    } from "@chakra-ui/react";
    /* ... */
     
    export default function PageAdminProjects() {
      /* ... */
     
      return (
        <AdminLayoutPage>
          <AdminLayoutPageContent>
            <Stack spacing={4}>
              <HStack spacing={4} alignItems={{ base: "end", md: "center" }}>
                {/* ... */}
              </HStack>
              <DataList>
                {/* ... */}
                {projects.data?.pages
                  .flatMap((p) => p.items)
                  .map((project) => (
                    <DataListRow as={LinkBox} key={project.id} withHover>
                      <DataListCell>
                        <DataListText fontWeight="bold">
                          <LinkOverlay
                            as={Link}
                            href={`${ADMIN_PATH}/projects/${project.id}`}
                          >
                            {project.name}
                          </LinkOverlay>
                        </DataListText>
                      </DataListCell>
                      {/* ... */}
                    </DataListRow>
                  ))}
                {/* ... */}
              </DataList>
            </Stack>
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Result

    The view page of a project should looks like this.

    Project view


    Step 7: Allows to update a project

    Create the tRPC mutation

    In the tRPC router we can add the updateById mutation in the src/server/routers/projects.ts file.

    src/server/routers/projects.ts
    /* ... */
     
    export const projectsRouter = createTRPCRouter({
      getAll: /* ... */,
      create: /* ... */,
      getById: /* ... */,
     
      updateById: protectedProcedure({ authorizations: ['ADMIN'] })
        .meta({
          openapi: {
            method: 'PUT',
            path: '/projects/{id}',
            protect: true,
            tags: ['projects'],
          },
        })
        .input(
          zProject().pick({
            id: true,
            name: true,
            description: true,
          })
        )
        .output(zProject())
        .mutation(async ({ ctx, input }) => {
          try {
            ctx.logger.info('Updating project');
            return await ctx.db.project.update({
              where: { id: input.id },
              data: input,
            });
          } catch (e) {
            throw new ExtendedTRPCError({
              cause: e,
            });
          }
        }),
    });

    Create the page

    Create the file PageAdminProjectUpdate.tsx in the src/features/projects folder with the following content.

    src/features/projects/PageAdminProjectUpdate.tsx
    import { Button, Heading, SkeletonText, Stack } from "@chakra-ui/react";
    import { Formiz, useForm } from "@formiz/core";
    import { useParams, useRouter } from "next/navigation";
     
    import { ErrorPage } from "@/components/ErrorPage";
    import { LoaderFull } from "@/components/LoaderFull";
    import { useToastError, useToastSuccess } from "@/components/Toast";
    import { AdminBackButton } from "@/features/admin/AdminBackButton";
    import { AdminCancelButton } from "@/features/admin/AdminCancelButton";
    import {
      AdminLayoutPage,
      AdminLayoutPageContent,
      AdminLayoutPageTopBar,
    } from "@/features/admin/AdminLayoutPage";
    import {
      ProjectForm,
      ProjectFormFields,
    } from "@/features/projects/ProjectForm";
    import { trpc } from "@/lib/trpc/client";
    import { isErrorDatabaseConflict } from "@/lib/trpc/errors";
     
    export default function PageAdminProjectUpdate() {
      const trpcUtils = trpc.useUtils();
     
      const params = useParams();
      const router = useRouter();
      const project = trpc.projects.getById.useQuery(
        {
          id: params?.id?.toString() ?? "",
        },
        {
          refetchOnReconnect: false,
          refetchOnWindowFocus: false,
        }
      );
     
      const isReady = !project.isFetching;
     
      const toastSuccess = useToastSuccess();
      const toastError = useToastError();
     
      const updateProject = trpc.projects.updateById.useMutation({
        onSuccess: async () => {
          await trpcUtils.projects.invalidate();
          toastSuccess({
            title: "Updated with success",
          });
          router.back();
        },
        onError: (error) => {
          if (isErrorDatabaseConflict(error, "name")) {
            form.setErrors({ name: "Name already used" });
            return;
          }
          toastError({
            title: "Update failed",
          });
        },
      });
     
      const form = useForm<ProjectFormFields>({
        ready: isReady,
        initialValues: project.data,
        onValidSubmit: (values) => {
          if (!project.data?.id) return;
          updateProject.mutate({
            ...project.data,
            ...values,
          });
        },
      });
     
      return (
        <Formiz connect={form} autoForm>
          <AdminLayoutPage containerMaxWidth="container.md" showNavBar={false}>
            <AdminLayoutPageTopBar
              leftActions={<AdminBackButton withConfrim={!form.isPristine} />}
              rightActions={
                <>
                  <AdminCancelButton withConfrim={!form.isPristine} />
                  <Button
                    type="submit"
                    variant="@primary"
                    isLoading={updateProject.isLoading || updateProject.isSuccess}
                    isDisabled={!form.isValid && form.isSubmitted}
                  >
                    Save
                  </Button>
                </>
              }
            >
              <Stack flex={1} spacing={0}>
                {project.isLoading && <SkeletonText maxW="6rem" noOfLines={2} />}
                {project.isSuccess && (
                  <Heading size="sm">{project.data?.name}</Heading>
                )}
              </Stack>
            </AdminLayoutPageTopBar>
            {!isReady && <LoaderFull />}
            {isReady && project.isError && <ErrorPage />}
            {isReady && project.isSuccess && (
              <AdminLayoutPageContent>
                <ProjectForm />
              </AdminLayoutPageContent>
            )}
          </AdminLayoutPage>
        </Formiz>
      );
    }

    Create the NextJS route

    To expose the page component, we need to create the route in the NextJS app router.
    Create a page.tsx file in the a new update folder in src/app/admin/(authenticated)/projects/[id] folder.

                • page.tsx
  • src/app/admin/(authenticated)/projects/[id]/update/page.tsx
    "use client";
     
    import { Suspense } from "react";
     
    import PageAdminProjectUpdate from "@/features/projects/PageAdminProjectUpdate";
     
    export default function Page() {
      return (
        <Suspense>
          <PageAdminProjectUpdate />
        </Suspense>
      );
    }

    Add the edit button in the view

    Now, in the PageAdminProject.tsx we can add edit button with the link to the update page.

    src/features/projects/PageAdminProject.tsx
    import Link from "next/link";
    import { LuPenLine } from "react-icons/lu";
    import { ResponsiveIconButton } from "@/components/ResponsiveIconButton";
    import { ADMIN_PATH } from "@/features/admin/constants";
    /* ... */
     
    export default function PageAdminProject() {
      /* ... */
     
      return (
        <AdminLayoutPage showNavBar="desktop" containerMaxWidth="container.md">
          <AdminLayoutPageTopBar
            leftActions={<AdminBackButton />}
            rightActions={
              <ResponsiveIconButton
                as={Link}
                href={`${ADMIN_PATH}/projects/${params?.id}/update`}
                icon={<LuPenLine />}
              >
                Edit
              </ResponsiveIconButton>
            }
          >
            {/* ... */}
          </AdminLayoutPageTopBar>
          <AdminLayoutPageContent>{/* ... */}</AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Result

    The update page of a project should looks like this.

    Project update


    Step 8: Allows to delete a project

    Create the tRPC mutation

    In the tRPC router we can add the removeById mutation in the src/server/routers/projects.ts file.

    src/server/routers/projects.ts
    /* ... */
     
    export const projectsRouter = createTRPCRouter({
      getAll: /* ... */,
      create: /* ... */,
      getById: /* ... */,
      updateById: /* ... */,
     
      removeById: protectedProcedure({ authorizations: ['ADMIN'] })
        .meta({
          openapi: {
            method: 'DELETE',
            path: '/projects/{id}',
            protect: true,
            tags: ['projects'],
          },
        })
        .input(zProject().pick({ id: true }))
        .output(zProject())
        .mutation(async ({ ctx, input }) => {
          ctx.logger.info({ input }, 'Removing project');
          try {
            return await ctx.db.project.delete({
              where: { id: input.id },
            });
          } catch (e) {
            throw new ExtendedTRPCError({
              cause: e,
            });
          }
        }),
    });

    Use the tRPC mutation

    Now, let's implement the delete button with a confirm modal in the PageAdminProject.tsx file.

    ⚠️

    useRouter is imported from next/navigation and not next/router

    src/features/projects/PageAdminProject.tsx
    import {
      /* ... */
      IconButton,
      /* ... */
    } from "@chakra-ui/react";
    import { /* ... */, useRouter } from "next/navigation";
    import { /* ... */, LuTrash2 } from "react-icons/lu";
    import { ConfirmModal } from "@/components/ConfirmModal";
    import { useToastError } from "@/components/Toast";
    /* ... */
     
    export default function PageAdminProject() {
      const router = useRouter();
      const trpcUtils = trpc.useUtils();
      const toastError = useToastError();
     
      const params = /* ... */;
      const project = /* ... */;
     
      const projectDelete = trpc.projects.removeById.useMutation({
        onSuccess: async () => {
          await trpcUtils.projects.getAll.invalidate();
          router.replace(`${ADMIN_PATH}/projects`);
        },
        onError: () => {
          toastError({
            title: "Deletion failed",
            description: "Failed to delete the project",
          });
        },
      });
     
      return (
        <AdminLayoutPage showNavBar="desktop" containerMaxWidth="container.md">
          <AdminLayoutPageTopBar
            leftActions={<AdminBackButton />}
            rightActions={
              <>
                <ResponsiveIconButton
                  as={Link}
                  href={`${ADMIN_PATH}/projects/${params?.id}/update`}
                  icon={<LuPenLine />}
                >
                  Edit
                </ResponsiveIconButton>
                <ConfirmModal
                  title="Confirm deleting the project"
                  message={`Would you like to delete "${project.data?.name}"? Delete will be permanent.`}
                  onConfirm={() =>
                    project.data &&
                    projectDelete.mutate({
                      id: project.data.id,
                    })
                  }
                  confirmText="Delete"
                  confirmVariant="@dangerSecondary"
                >
                  <IconButton
                    aria-label="Delete"
                    icon={<LuTrash2 />}
                    isDisabled={!project.data}
                    isLoading={projectDelete.isLoading}
                  />
                </ConfirmModal>
              </>
            }
          >
            {/* ... */}
          </AdminLayoutPageTopBar>
          <AdminLayoutPageContent>
            {/* ... */}
          </AdminLayoutPageContent>
        </AdminLayoutPage>
      );
    }

    Result

    The delete action of a project should looks like this.

    Project update

    That's a wrap

    Update the main menu

    Udpate the AdminNavBarMainMenu component in the src/features/admin/AdminNavBar.tsx file.

    src/features/admin/AdminNavBar.tsx
    /* ... */
     
    const AdminNavBarMainMenu = ({ ...rest }: StackProps) => {
      const { t } = useTranslation(["admin"]);
      return (
        <Stack direction="row" spacing="1" {...rest}>
          <AdminNavBarMainMenuItem href={`${ADMIN_PATH}/dashboard`}>
            {t("admin:layout.mainMenu.dashboard")}
          </AdminNavBarMainMenuItem>
          <AdminNavBarMainMenuItem href={`${ADMIN_PATH}/repositories`}>
            {t("admin:layout.mainMenu.repositories")}
          </AdminNavBarMainMenuItem>
          <AdminNavBarMainMenuItem href={`${ADMIN_PATH}/projects`}>
            Projects
          </AdminNavBarMainMenuItem>
          <AdminNavBarMainMenuItem href={`${ADMIN_PATH}/management`}>
            {t("admin:layout.mainMenu.management")}
          </AdminNavBarMainMenuItem>
        </Stack>
      );
    };
     
    /* ... */

    Congrats

    If you made it until this end, CONGRATS!

    Congrats

    Now have fun by adding all the translations 😅