article·December 2, 2023

Building a Modern SaaS Dashboard with Saas UI and Next.js App Router

Dashboards are essential for every SaaS app, and UI libraries do help you build them fast. Let's look at how Saas UI can help.

Posted by

EW

Eelco Wiersma

@eelcodotdev

The global SaaS or Software as a Service market size is increasing at an incredible pace. In 2022, the market size was

. And it is expected to grow to USD 908.21 billion by 2030.

For aspiring indie developers venturing into the realm of SaaS - regardless of your business niche - is the user-facing dashboard. This dashboard functions as a centralized nexus, orchestrating the monitoring, analysis, and visualization of data stemming from your application. There's just no substitute for a good administrative dashboard.

Building an efficient, responsive, and good-looking dashboard can take significant time. However, if you'd rather prioritize channeling your energy into product refinement rather than exhaustive UI/UX design,

can be a great addition to your UI kit for building smooth and beautiful dashboards. Saas UI provides a comprehensive set of design components, and combining it with a Next.js 14 application serves as a powerful foundation for any SaaS application.

The objective of this article is to guide you through the process of building a modern dashboard for a SaaS app using Saas UI and the Next.js app router.

Dashboard with Next.js and SaaS UI

Let's get started!

Saas UI is a React component library and a starter kit that helps you build intuitive SaaS products with speed. It provides accessible, themeable, and composable UI elements that look and feel great. It is based on Chakra and includes 40 essential elements that are open-sourced.

On the other hand,

is a React framework that allows you to create full-stack web applications by extending the latest React features. It offers a powerful combination of server-side rendering, efficient client-side navigation, and a robust development ecosystem. The latest iteration - NextJS 14 - provides intuitive layouts and routing, improved SEO, and additional features like built-in font, image, script optimization, and, critically, React server components...with one cat

Combining the two can help you build high-performance, responsive, data-dense dashboards with speed.

Let's begin by creating a Next.js project and setting it up.

Scaffolding a new Next.js application using the Next.js CLI is very simple.

npx create-next-app@latest

Running the command will ask you a few questions about the project setup. To keep this tutorial straightforward, Typescript will not be used. Since Saas UI is built on top of Chakra UI, we also don't need Tailwind CSS. You can use the following options to set up the project:

Next.js configuration for creating a dashboard with SaaS UI

Once the required packages install successfully, you are ready to install the Saas UI. Installing Saas UI is straightforward. Let's set up the Next.js application using Saas UI.

First, run the following command in your terminal to install the required packages:

npm i @saas-ui/react @chakra-ui/react @chakra-ui/next-js @emotion/react@^11 @emotion/styled@^11 framer-motion@^6

Here's a brief explanation of these packages:

We also want to add some nice icons.

npm i react-icons

Once the packages are successfully installed, create a new file called providers.jsx inside the app directory. Paste the following content in it:

'use client'

import { CacheProvider } from '@chakra-ui/next-js'
import { SaasProvider } from '@saas-ui/react'

export function Providers({ children }) {
  return (
    <CacheProvider>
      <SaasProvider>{children}</SaasProvider>
    </CacheProvider>
  )
}

The SaasProvider adds the Saas UI theme to your application. It also provides the ChakraProvider and ColorModeProvider from Chakra UI.

Chakra UI (and by extension, Saas UI) make extensive use of React context, and thus are client components. To make your life easier, all components are annotated with 'use client' directives, so they can simply be used in your server components.

The @chakra-ui/next-js package provides the CacheProvider for smoother integration into the Next.js app router setup - composing

with Next.js's new to make sure Chakra UI generated styles are included in the initial server payload for Streaming SSR.

So, import this providers.jsx file into your root component - the layout.js file. The layout.js file inside the src directory works as a top-level layout for your entire application.

At this point, remove everything from the layout.js file and paste the following content to it:

import { Providers } from './providers'

export default function RootLayout({ children }) {
  return (
    <html lang="en">
      <body>
        <Providers>{children}</Providers>
      </body>
    </html>
  )
}

The code here is simple. Only the Providers component we built before is imported, and it wraps all children components, allowing you to use the Saas UI components throughout your application.

The initial setup for Saas UI is now complete. Now, let's explore the different parts of our dashboard design and see how we can implement them using Saas UI components.

We're sticking to only the Users administrative section for our Dashboard design. We will have four components, essentially.

  1. A sidebar, for navigation.
  2. A summary section to provide KPI numbers to admin users at a glance
  3. A recent activity section to show new signups, plan changes, cancellations, etc.
  4. A list of users. This will be the main component of this page.

Let's make our way down this list.

Sidebars are usually the most common type of navigation. It can take quite some time if you want to create it from scratch, but Saas UI makes it super easy. It provides a component called

. AppShell offers a collection of components that can be shared throughout the application, consisting of a header, content aside, footer - and you guessed it, a .

Create a new folder called components inside your src directory and create a file called SidebarLayout.jsx inside it. Once the file is created, paste the following code inside it:

import {
  Box,
  IconButton,
  Menu,
  MenuButton,
  MenuItem,
  MenuList,
  Spacer,
} from '@chakra-ui/react'
import {
  AppShell,
  NavItem,
  PersonaAvatar,
  Sidebar,
  SidebarSection,
  SidebarToggleButton,
} from '@saas-ui/react'
import Image from 'next/image'
import Logo from 'public/logoipsum-288.svg'
import { FiBarChart, FiHome, FiSettings, FiUsers } from 'react-icons/fi'

export function SidebarLayout({ children }) {
  return (
    <AppShell
      height="$100vh"
      fontSize="md"
      sidebar={
        <Sidebar width="25%" bg="gray.100">
          <SidebarToggleButton />
          <SidebarSection direction="row">
            <Image src={Logo} width="100" alt="Logo" />
            <Spacer />
            <Menu>
              <MenuButton
                as={IconButton}
                icon={
                  <PersonaAvatar presence="online" size="xs" name="John Doe" />
                }
                variant="ghost"
              />
              <MenuList>
                <MenuItem>Sign out</MenuItem>
              </MenuList>
            </Menu>
          </SidebarSection>
          <SidebarSection flex="1" overflowY="auto">
            <NavItem icon={<FiHome size="1.1em" />}>Home</NavItem>
            <NavItem icon={<FiUsers size="1.1em" />} isActive={true}>
              Users
            </NavItem>
            <NavItem icon={<FiBarChart size="1.1em" />}>Analytics</NavItem>
            <NavItem icon={<FiSettings size="1.1em" />}>Settings</NavItem>
          </SidebarSection>
        </Sidebar>
      }
    >
      <Box as="main" overflow="auto" py="6" px="8" fontSize="md">
        {children}
      </Box>
    </AppShell>
  )
}

⚠️ As you can see, we didn't add the 'use client' directive, since this is already added by Chakra and Saas UI internally, you can safely use the components in your server components.

The Logo is a placeholder SVG logo for demonstration purposes. You can

if you want to use the same.

Let's quickly go over this code.

There's one last thing to add and that is a color mode switch, so users can switch between light and dark mode. We can use the useColorMode hook from Chakra UI to do this. Add the following code to the SidebarLayout.jsx file:

'use client'

import {
  Box,
  IconButton,
  Menu,
  MenuButton,
  MenuItem,
  MenuList,
  Spacer,
  useColorMode,
} from '@chakra-ui/react'
import {
  AppShell,
  NavItem,
  PersonaAvatar,
  Sidebar,
  SidebarSection,
  SidebarToggleButton,
} from '@saas-ui/react'
import Image from 'next/image'
import Logo from 'public/logoipsum-288.svg'
import {
  FiBarChart,
  FiHome,
  FiMoon,
  FiSettings,
  FiSun,
  FiUsers,
} from 'react-icons/fi'

export function SidebarLayout({ children }) {
  const { colorMode, toggleColorMode } = useColorMode()

  return (
    <AppShell
      height="$100vh"
      fontSize="md"
      sidebar={
        <Sidebar width="25%" bg="gray.100">
          <SidebarToggleButton />
          <SidebarSection direction="row">
            <Image src={Logo} width="100" alt="Logo" />
            <Spacer />
            <Menu>
              <MenuButton
                as={IconButton}
                icon={
                  <PersonaAvatar presence="online" size="xs" name="John Doe" />
                }
                variant="ghost"
              />
              <MenuList>
                <MenuItem>Sign out</MenuItem>
              </MenuList>
            </Menu>
          </SidebarSection>
          <SidebarSection flex="1" overflowY="auto">
            <NavItem icon={<FiHome size="1.2em" />}>Home</NavItem>
            <NavItem icon={<FiUsers size="1.2em" />} isActive={true}>
              Users
            </NavItem>
            <NavItem icon={<FiBarChart size="1.2em" />}>Analytics</NavItem>
            <NavItem icon={<FiSettings size="1.2em" />}>Settings</NavItem>
          </SidebarSection>
          <SidebarSection alignItems="flex-start">
            <IconButton
              icon={colorMode === 'dark' ? <FiMoon /> : <FiSun />}
              aria-label="Toggle color mode"
              onClick={toggleColorMode}
            />
          </SidebarSection>
        </Sidebar>
      }
    >
      <Box as="main" overflow="auto" py="6" px="8" fontSize="md">
        {children}
      </Box>
    </AppShell>
  )
}

Note that since we are using a hook here, we have to turns this into a client component by adding the 'use client' directive.

Now, open the layout.js file again and add the new SidebarLayout:

import SidebarLayout from '@/components/SidebarLayout'

import { Providers } from './providers'

export default function RootLayout({ children }) {
  return (
    <html lang="en">
      <body>
        <Providers>
          <SidebarLayout>{children}</SidebarLayout>
        </Providers>
      </body>
    </html>
  )
}

The new SidebarLayout will now be used as the top-level layout for your application. You can now start building the dashboard components.

Dashboards are built to display large amounts of data in a more readable format. A data table makes it easier. Let's implement a

now. But before that, let's fetch some data to display in the data table.

You'll be using the

to fetch user data. Our parent component - page.js - is a Server Component by default. Being natively stateless and async, we can make the fetch API call directly here!

Use the built-in

to fetch the data. Change the code of this file according to the following code sample:

export default async function Home() {
  const COLUMNS = [
    {
      accessorKey: 'id',
      header: 'ID',
    },
    {
      accessorKey: 'name',
      header: 'Name',
    },
    {
      accessorKey: 'username',
      header: 'Username',
    },
    {
      accessorKey: 'email',
      header: 'Email',
    },
    {
      accessorKey: 'phone',
      header: 'Phone',
    },
    {
      accessorKey: 'website',
      header: 'Website',
    },
  ]

  const users = await fetch('https://jsonplaceholder.typicode.com/users').then(
    (res) => res.json(),
  )

  console.log(users)

  return <div />
}

At this moment, you are only fetching the data from the JSON Placeholder and converting it to a JSON object. The data table in Saas UI uses

under the hood and usually takes two props - one for the table columns and the other one for data.

The columns are hard-coded in this case, but they can be easily made dynamic using some JavaScript magic. The accessorKey represents the identifier of the key, and the header is the text that you want to show for the key.

The data is returned and stored in the users variable. Running your app will display the contents in your server console. Once the data fetching is done, let's create the data table component for displaying it.

Create a new file inside the components directory and name it DataTable.jsx. Paste the below code into it:

'use client'

import { Card, CardBody } from '@chakra-ui/react'
import { DataTable as DataTableRoot } from '@saas-ui/react'

export function DataTable({ columns, data }) {
  return (
    <Card>
      <CardBody overflowX="auto" px="0">
        <DataTable columns={columns} data={data} />
      </CardBody>
    </Card>
  )
}

The DataTable component is built using the

imported from Saas UI. The DatatableComponent takes two props. One is for the columns, and the other is for the data. These props are passed into the columns and data props of the DataTable component.

Change the body of the page like this:

import { DataTable } from '@/components/DataTable'
import { Box } from '@chakra-ui/react'

export default async function Home() {
  const COLUMNS = [
    {
      accessorKey: 'id',
      header: 'ID',
    },
    // ...
  ]

  // ...

  return (
    <Box overflowX="auto">
      <Heading as="h2">Users</Heading>

      <DataTable columns={COLUMNS} data={users} />
    </Box>
  )
}

The DataTable component accepts props like isSortable, isSelectable, etc. Passing these props into the component will allow you to either sort or select the data from the table. This component is now ready. You can also add a search box at the top of the datable using the

from the Saas UI package. Importing and using it is pretty straightforward. Inside the parent Box component of the DatatableComponent, paste the following code:

import { Card, CardBody, CardHeader } from '@chakra-ui/react'
import { DataTable as DataTableRoot, SearchInput } from '@saas-ui/react'

export function DataTable({ columns, data }) {
  return (
    <Card>
      <CardHeader>
        <SearchInput width="40%" placeholder="Search" />
      </CardHeader>
      <CardBody overflowX="auto" px="0">
        <DataTableRoot columns={columns} data={data} />
      </CardBody>
    </Card>
  )
}

It'll display the search box, take 40% width of the parent, and add a margin-bottom of 3 rem. You can bind it with your search API to make it functional.

For the sake of this example we will connect the search box to the data table and use client side filtering.

First we'll need to install React Table, since filtering is not enabled by default in the DataTable.

npm i @tanstack/react-table

Now change the DataTable.jsx file to the following:

'use client'

import React from 'react'

import { Card, CardBody, CardHeader } from '@chakra-ui/react'
import { DataTable as DataTableRoot, SearchInput } from '@saas-ui/react'
import { getFilteredRowModel } from '@tanstack/react-table'

export function DataTable({ columns, data }) {
  const [globalFilter, setGlobalFilter] = React.useState('')

  return (
    <Card>
      <CardHeader>
        <SearchInput
          width="40%"
          placeholder="Search"
          value={globalFilter}
          onChange={(e) => setGlobalFilter(e.target.value)}
          onReset={() => setGlobalFilter('')}
        />
      </CardHeader>
      <CardBody overflowX="auto" px="0">
        <DataTableRoot
          columns={columns}
          data={data}
          getFilteredRowModel={getFilteredRowModel()}
          state={{ globalFilter }}
          onGlobalFilterChange={setGlobalFilter}
        />
      </CardBody>
    </Card>
  )
}

Note that we added the 'use client' here, this is because we're using React.useState which is a client side hook.

That's it! Now you can search through the data table, it will do a fuzzy search on all columns.

This is our simplest component. It exists just to display relevant company metrics in a high-visibility way, aiming to be the first thing the administrative user sees upon entering this section of the Dashboard.

Summary Display with Chakra UI

Create a new file called Summary.jsx inside the components folder and paste the following code into it:

import {
  Box,
  Card,
  CardBody,
  Grid,
  GridItem,
  Stat,
  StatArrow,
  StatHelpText,
  StatLabel,
  StatNumber,
} from '@chakra-ui/react'

export function Summary({ currentUsersCount, oldUsersCount }) {
  return (
    <Box mb="8" w="full">
      <Grid
        templateColumns={{ base: 'repeat(2, 1fr)', lg: 'repeat(4, 1fr)' }}
        gap="4"
        width="full"
      >
        <GridItem as={Card}>
          <CardBody>
            <Stat>
              <StatLabel>Total Users</StatLabel>
              <StatNumber>{currentUsersCount}</StatNumber>
              <StatHelpText>
                <StatArrow type="increase" />
                80%
              </StatHelpText>
            </Stat>
          </CardBody>
        </GridItem>
        <GridItem as={Card}>
          <CardBody>
            <Stat>
              <StatLabel>New Users (Q3 23)</StatLabel>
              <StatNumber>{currentUsersCount - oldUsersCount}</StatNumber>
              <StatHelpText>
                <StatArrow type="increase" />
                {((currentUsersCount - oldUsersCount) / oldUsersCount) * 100}%
              </StatHelpText>
            </Stat>
          </CardBody>
        </GridItem>
        <GridItem as={Card}>
          <CardBody>
            <Stat>
              <StatLabel>Revenue</StatLabel>
              <StatNumber> $12,345</StatNumber>
              <StatHelpText>
                <StatArrow type="increase" />
                78%
              </StatHelpText>
            </Stat>
          </CardBody>
        </GridItem>
        <GridItem as={Card}>
          <CardBody>
            <Stat>
              <StatLabel>Churn</StatLabel>
              <StatNumber>0</StatNumber>
              <StatHelpText>
                <StatArrow type="" />
                0%
              </StatHelpText>
            </Stat>
          </CardBody>
        </GridItem>
      </Grid>
    </Box>
  )
}

The data this component needs will be passed to it as props from the parent server component.

This section uses Saas UI's

component to display a list of events chronologically - user signups, plan changes, cancellations, and so on.

Recent Activity with Next.js and SaaS UI

The Timeline component can display a simple list of events, or - as we're doing here - custom content.

The

component lets us customize the component/icon we want to use for each item, and we'll use the here, again, to represent users, as each event in our Timeline has something to do with a user.

import { Card, CardBody, CardHeader, Heading, Text } from '@chakra-ui/react'
import {
  PersonaAvatar,
  Timeline,
  TimelineContent,
  TimelineIcon,
  TimelineItem,
  TimelineSeparator,
  TimelineTrack,
} from '@saas-ui/react'

export function Recent() {
  return (
    <Card variant="solid" bg="transparent">
      <CardHeader pb="0">
        <Heading as="h3" size="md">
          Recent Activity
        </Heading>
      </CardHeader>
      <CardBody>
        <Timeline variant="outline">
          <TimelineItem>
            <TimelineSeparator>
              <TimelineIcon>
                <PersonaAvatar
                  name="Nicholas Runolfsdottir V"
                  size="xs"
                  presence="online"
                />
              </TimelineIcon>
              <TimelineTrack />
            </TimelineSeparator>
            <TimelineContent pt="2" px="3">
              <Text fontWeight="medium">Maxime_Nienow</Text>
              <Text color="muted">signed up.</Text>
            </TimelineContent>
          </TimelineItem>
          <TimelineItem>
            <TimelineSeparator>
              <TimelineIcon>
                <PersonaAvatar
                  name="Clementine Bauch"
                  size="xs"
                  presence="dnd"
                />
              </TimelineIcon>
              <TimelineTrack />
            </TimelineSeparator>
            <TimelineContent pt="2" px="3">
              <Text fontWeight="medium">Samantha</Text>
              <Text color="muted">subscription changed to </Text>
              <Text>12_PREMIUM</Text>
            </TimelineContent>
          </TimelineItem>
          <TimelineItem>
            <TimelineSeparator>
              <TimelineIcon>
                <PersonaAvatar
                  name="Leanne Graham"
                  size="xs"
                  presence="offline"
                />
              </TimelineIcon>
              <TimelineTrack />
            </TimelineSeparator>
            <TimelineContent pt="2" px="3">
              <Text fontWeight="medium">Bret</Text>
              <Text color="muted">subscription cancelled.</Text>
            </TimelineContent>
          </TimelineItem>
        </Timeline>
      </CardBody>
    </Card>
  )
}

Replace the current contents of the page.js file and paste this code:

import { DataTable } from '@/components/DataTable'
import { Recent } from '@/components/Recent'
import { Summary } from '@/components/Summary'
import { Box, Flex } from '@chakra-ui/react'

export default async function Home() {
  const COLUMNS = [
    {
      accessorKey: 'id',
      header: 'ID',
    },
    {
      accessorKey: 'name',
      header: 'Name',
    },
    {
      accessorKey: 'username',
      header: 'Username',
    },
    {
      accessorKey: 'email',
      header: 'Email',
    },
    {
      accessorKey: 'phone',
      header: 'Phone',
    },
    {
      accessorKey: 'website',
      header: 'Website',
    },
  ]

  const users = await fetch('https://jsonplaceholder.typicode.com/users').then(
    (res) => res.json(),
  )

  return (
    <Box>
      <Heading as="h2" mb="8" ms={{ base: 8, lg: 0 }}>
        Users
      </Heading>
      <Flex>
        <Summary currentUsersCount={users.length} oldUsersCount={2} />
      </Flex>
      <Flex gap="8" flexDirection={{ base: 'column', lg: 'row' }}>
        <Box flex="1" overflowX="auto">
          <DataTable columns={COLUMNS} data={users} />
        </Box>
        <Box width="30%" maxW="300px" flexShrink="0">
          <Recent />
        </Box>
      </Flex>
    </Box>
  )
}

The complete dashboard, at this moment, should look like the image below.

Dashboard with Data table, Timeline and Summary Display

We also added responsive styles so the dashboard will look good on mobile devices.

Responsive Dashboard with Next.js and SaaS UI

There are many other components Saas UI provides to make building SaaS applications easier. Check out the

to learn more. If you are not satisfied with the styling of your app, you can also change the theming. Follow to understand better how theming can be done in Saas UI.

The code of this article can be found in this

.

The aim of the article was to help you get started with building a modern dashboard using the Next.js app directory setup, using Saas UI to do so. To that end, hopefully, you now have a good idea of how Saas UI can be integrated into your Next.js 14 application and how its components could be used to build responsive, accessible, and customizable SaaS apps quickly.

The official Saas UI documentation is a great place if you want to learn more about it. Saas UI also provides a pro license that gives you access to further components like

, , and more. The pricing for the Pro license starts at €199. Check out the for more information.