DEV Community

Cover image for Building a CRUD app with Material UI and Strapi
Necati Özmen for Refine

Posted on • Updated on • Originally published at refine.dev

Building a CRUD app with Material UI and Strapi

Introduction

We will build an admin panel that supports CRUD operations, has built-in authentication, and a mutation mode feature using industry-standard best tools.

Industry-standard tools and practices can be hard to reach and time-consuming to maintain on your own. Frameworks can save you time by doing these jobs for you. So, we'll use powerful frameworks including Material UI, Strapi, and refine to build a high-quality admin panel.

UI design can be a complex and time-consuming process, but a tool like Material UI can help simplify the process and speed up the development cycle. In this tutorial, we'll use Material UI's benefits and refine's built-in hooks to handle data fetching and mutations. We'll also integrate the Strapi data provider that refine has built-in support.

We'll walk through the process of listing, creating and deleting posts in a refine application and make use of refine's components and hooks to build out our functionality.

Steps we'll cover includes:

Prerequisities

Before we dive into the meat of the article, let's first take a look at the tools documents we'll be using.

Your node version need to be mininum v16.14.0

What are the benefits of using refine?

refine is a headless React internal tool framework that helps you develop quickly while developing both B2B and B2C applications. It speeds you up while allowing full customization, making it an ideal choice for rapid development with pro features.

  • It is Open Source under the MIT license.
  • It is easy to use and learn. There are many examples to help you get started, as well as documentation.
  • Is a framework that does not require you to use any UI libraries or frameworks.
  • Supports Ant Design and Material UI natively for quick and easy solutions. Thanks to the headless approach, you can easily integrate your own UI solution.
  • Backend agnostic, so you can connect to any backend you want.
  • Customizable, which means you can change it to fit your needs.
  • Some of the main features are data fetching and state management, routings, authentication, authorization, internationalization, real-time, mutation modes with optimistic and pessimistic and undoable modes

Bootstrapping the refine app

We'll use superplate CLI wizard to create and customize refine application.

Run the following command

npx superplate-cli -p refine-react material-ui-example
Enter fullscreen mode Exit fullscreen mode

Select the following options to complete CLI wizard:

? Do you want to use a UI Framework?:
❯ Material UI

? Do you want an extended theme?:
❯ No

? Do you want to add dark mode support?:
❯ No

? Router Provider:
❯ React Router v6

? Data Provider:
❯ Strapi v4

? Do you want a customized layout?
❯ No

? i18n - Internationalization:
❯ No
Enter fullscreen mode Exit fullscreen mode

CLI should be create a project and install the selected dependencies.

Implementing Strapi v4 data provider

Data providers are refine hooks making it possible to consume different API's and data services conveniently.
The required Strapi data provider setups are added automatically by the CLI wizard.

To consume refine's Fake Strapi API, we'll need to change the API URL in the project folder.

// src/constants.ts
export const API_URL = "https://api.strapi-v4.refine.dev";
Enter fullscreen mode Exit fullscreen mode

Refer to refine docs for more detailed information about refine Strapi V4 support→

Refer to refine's data provider documentation for detailed information→

Refer to official Strapi v4 documentation→

CRUD operations

We are going to implement CRUD operations features like listing, creating, and editing records.

Listing records

We need to create PostList page to show data on the UI.

First, we'll need an interface to work with the data from the API endpoint.

We'll create a new folder named interfaces under /src if you don't already have one. Then create a index.d.ts file with the following code:

// src/interfaces/index.d.ts
export interface ICategory {
    id: number;
    title: string;
}

export interface IPost {
    id: number;
    title: string;
    content: string;
    status: "published" | "draft" | "rejected";
    category: ICategory;
    createdAt: string;
}
Enter fullscreen mode Exit fullscreen mode

Now, we'll create a new folder named pages/posts under /src. Under that folder, create a list.tsx file with the following code:

// src/pages/posts/list.tsx
import React from "react";
import {
    useDataGrid,
    DataGrid,
    GridColumns,
    DateField,
    List,
} from "@pankod/refine-mui";

import { IPost } from "interfaces";

export const PostList: React.FC = () => {
    const { dataGridProps } = useDataGrid<IPost>();

    const columns = React.useMemo<GridColumns<IPost>>(
        () => [
            { field: "title", headerName: "Title", flex: 1, minWidth: 350 },
            {
                field: "createdAt",
                headerName: "CreatedAt",
                minWidth: 220,
                renderCell: function render({row}) {
                    return (
                        <DateField format="LLL" value={row.createdAt} />
                    );
                },
            }
        ],
        [],
    );

    return (
        <List>
            <DataGrid {...dataGridProps} columns={columns} autoHeight />
        </List>
    );
};
Enter fullscreen mode Exit fullscreen mode

We import and use Material UI components from refine's @pankod/refine-mui to show data.

<DataGrid/> is a native Material UI component. It renders records row by row as a table. <DataGrid/> expects a columns prop as a required.

refine hook useDataGrid fetches data from API and wraps them with various helper hooks required for the <DataGrid/> component. Data interaction functions like sorting, filtering, and pagination will be instantly available on the <DataGrid/> with this single line of code.

Refer to refine's useDataGrid hook docs to more information→

columns array are used for mapping and formatting each field shown on the <DataGrid/> field prop maps the field to a matching key from the API response. renderCell prop is used to choose the appropriate Field component for the given data type.

Info: "The useDataGrid hook works in compatible with both the <DataGrid> and the <DataGridPro> component."

Note you will need src/App.tsx file to find your pages and posts. In the /pages folder, put this index.tsx file in it which allows everything in the posts folder to be used elsewhere.

// src/pages/posts/index.tsx
export * from "./list";
Enter fullscreen mode Exit fullscreen mode

Refer to offical refine's Material UI tutorial for detailed explanations and examples→

Adding resources and connect pages to refine app

Now we are ready to start connecting to our API by adding a resource to our application.
We'll add /posts/ endpoint from our example API as a resource.

We'll add the highlighted code to our App.tsx to connect to the endpoint and List page.

// App.tsx
import { Refine } from "@pankod/refine-core";
import {
    notificationProvider,
    RefineSnackbarProvider,
    CssBaseline,
    GlobalStyles,
    Layout,
    ThemeProvider,
    LightTheme,
    ReadyPage,
    ErrorComponent,
} from "@pankod/refine-mui";
import routerProvider from "@pankod/refine-react-router-v6";
import { DataProvider } from "@pankod/refine-strapi-v4";

import { authProvider, axiosInstance } from "./authProvider";
import { API_URL } from "./constants";
// ====>
import { PostList } from "./pages/posts";
// <====

function App() {
    return (
        <ThemeProvider theme={LightTheme}>
            <CssBaseline />
            <GlobalStyles styles={{ html: { WebkitFontSmoothing: "auto" } }} />
            <RefineSnackbarProvider>
                <Refine
                    notificationProvider={notificationProvider}
                    Layout={Layout}
                    ReadyPage={ReadyPage}
                    catchAll={<ErrorComponent />}
                    routerProvider={routerProvider}
                    authProvider={authProvider}
                    dataProvider={DataProvider(API_URL + `/api`, axiosInstance)}
                    // ====>
                    resources={[
                        {
                            name: "posts",
                            list: PostList,
                        },
                    ]}
                    // <====
                />
            </RefineSnackbarProvider>
        </ThemeProvider>
    );
}

export default App;

Enter fullscreen mode Exit fullscreen mode

Info: resources is a property of <Refine/> representing API Endpoints. The name property of every single resource should match one of the endpoints in your API!

After setup is complete, navigate to the project folder and start your project with:

npm run dev
Enter fullscreen mode Exit fullscreen mode

The application should redirect now to an URL defined by the name property.

It'll ask you to login to the app. Try with these credentials:

Username: demo@refine.dev

Password: demodemo

Check that the URL is routed to /posts and posts are displayed correctly in a table structure and even the pagination works out-of-the box.

Handling relational data

Relations are not populated when fetching entries. We'll use metaData option to use relational population for Strapi v4 API.

The records from /posts endpoint that had a category id field. To get category titles automatically from /categories endpoint for each record and show on our table, we need to use populate feature of Strapi v4.

We'll set populate parameter to define which fields will be populated.

// src/pages/post/list.tsx
  const { dataGridProps } = useDataGrid<IPost>({
        // ====>
        metaData: {
            populate: ["category"],
        },
        // <====
    });

Enter fullscreen mode Exit fullscreen mode

To show category field in table, we need to add new column to the PostList component.

// src/pages/post/list.tsx
  const columns = React.useMemo<GridColumns<IPost>>(
        () => [
           ...
           // ====>
            {
                field: "category.title",
                headerName: "Category",
                minWidth: 250,
                flex: 1,
                renderCell: function render({ row }) {
                    return row.category?.title;
                },
            },
           // <====
           ...
        ],
        [],
    );

Enter fullscreen mode Exit fullscreen mode

Tip: We use benefits of Strapi V4 relational population feature by using populate parameter. It handles to getting relational data automatically.

If you use another REST API that relational populations need to be handled manually you can check the example at the link→

Refer to refine Strapi v4 documentation for more information

refine list page

Creating a record

The Material UI provides already styled, but still very customizable inputs that encapsulate adding labels and error handling with helper texts. However, we need a third-party library to handle forms when using Material UI. React Hook Form is one of the best options for this job!

The React Hook Form library has been integrated with refine (@pankod/refine-react-hook-form) . This means you can now use Material UI for your forms and manage them using @pankod/refine-react-hook-form.

First, we'll create PostCreate page to create new records.

// src/pages/posts/create
import {
    Box,
    TextField,
    Autocomplete,
    useAutocomplete,
    Create,
} from "@pankod/refine-mui";
import { useForm, Controller } from "@pankod/refine-react-hook-form";

import { ICategory } from "interfaces";

export const PostCreate: React.FC = () => {
    const {
        refineCore: { formLoading },
        saveButtonProps,
        register,
        control,
        formState: { errors },
    } = useForm();

    const { autocompleteProps } = useAutocomplete<ICategory>({
        resource: "categories",
    });

    return (
        <Create isLoading={formLoading} saveButtonProps={saveButtonProps}>
            <Box
                component="form"
                sx={{ display: "flex", flexDirection: "column" }}
                autoComplete="off"
            >
                <TextField
                    {...register("title", { required: "Title is required" })}
                    error={!!errors?.title}
                    helperText={errors.title?.message}
                    margin="normal"
                    required
                    fullWidth
                    id="title"
                    label="Title"
                    name="title"
                    autoFocus
                />
                <Controller
                    control={control}
                    name="category"
                    rules={{ required: "Category is required" }}
                    render={({ field }) => (
                        <Autocomplete
                            {...autocompleteProps}
                            {...field}
                            onChange={(_, value) => {
                                field.onChange(value);
                            }}
                            getOptionLabel={(item) => {
                                return item.title ? item.title : "";
                            }}
                            isOptionEqualToValue={(option, value) =>
                                value === undefined || option.id === value.id
                            }
                            renderInput={(params) => (
                                <TextField
                                    {...params}
                                    label="Category"
                                    margin="normal"
                                    variant="outlined"
                                    error={!!errors.category}
                                    helperText={errors.category?.message}
                                    required
                                />
                            )}
                        />
                    )}
                />
            </Box>
        </Create>
    );
};


Enter fullscreen mode Exit fullscreen mode

Add component export to index.tsx.

// src/pages/posts/index.tsx
export * from "./create";
Enter fullscreen mode Exit fullscreen mode

After creating the <PostCreate> component, add it to resource with create prop:

// App.tsx
...

import {
    PostList, 
 // ====>
    PostCreate,
 // <====
} from "pages/posts";

...

const App: React.FC = () => {
    return (
        <ThemeProvider theme={LightTheme}>
            <CssBaseline />
            <GlobalStyles styles={{ html: { WebkitFontSmoothing: "auto" } }} />
            <RefineSnackbarProvider>
                <Refine
                    authProvider={authProvider}
                    routerProvider={routerProvider}
                    dataProvider={dataProvider(API_URL)}
                    notificationProvider={notificationProvider}
                    ReadyPage={ReadyPage}
                    Layout={Layout}
                    catchAll={<ErrorComponent />}
                    resources={[
                        {
                            name: "posts",
                            list: PostList,
                            // ===>
                            create: PostCreate,
                            // <===
                        },
                    ]}
                />
            </RefineSnackbarProvider>
        </ThemeProvider>
    );
};
Enter fullscreen mode Exit fullscreen mode

Try it on the browser and see if you can create new posts from scratch.

refine create record gif

Editing a record

We'll start by creating a new <PostEdit> page responsible for editing a existed single record:

// src/pages/posts/edit.tsx
import { Controller, useForm } from "@pankod/refine-react-hook-form";
import {
    Edit,
    Box,
    TextField,
    Autocomplete,
    useAutocomplete,
} from "@pankod/refine-mui";

import { ICategory } from "interfaces";

export const PostEdit: React.FC = () => {
    const {
        refineCore: { formLoading },
        saveButtonProps,
        register,
        control,
        formState: { errors },
    } = useForm({ refineCoreProps: { metaData: { populate: ["category"] } } });

    const { autocompleteProps } = useAutocomplete<ICategory>({
        resource: "categories",
        defaultValue: queryResult?.data?.data.category.id,
        queryOptions: { enabled: !!queryResult?.data?.data.category.id },
    });

    return (
        <Edit isLoading={formLoading} saveButtonProps={saveButtonProps}>
            <Box
                component="form"
                sx={{ display: "flex", flexDirection: "column" }}
                autoComplete="off"
            >
                <TextField
                    {...register("title", { required: "Title is required" })}
                    error={!!errors?.title}
                    helperText={errors.title?.message}
                    margin="normal"
                    required
                    fullWidth
                    id="title"
                    label="Title"
                    name="title"
                    defaultValue={" "}
                    autoFocus
                />
                <Controller
                    control={control}
                    name="category"
                    rules={{ required: "Category is required" }}
                    defaultValue=""
                    render={({ field }) => (
                        <Autocomplete
                            {...autocompleteProps}
                            {...field}
                            onChange={(_, value) => {
                                field.onChange(value);
                            }}
                            getOptionLabel={(item) => {
                                return item.title
                                    ? item.title
                                    : autocompleteProps?.options?.find(
                                          (p) =>
                                              p.id.toString() ===
                                              item.toString(),
                                      )?.title ?? "";
                            }}
                            isOptionEqualToValue={(option, value) =>
                                value === undefined ||
                                option.id.toString() === value.toString()
                            }
                            renderInput={(params) => (
                                <TextField
                                    {...params}
                                    label="Category"
                                    margin="normal"
                                    variant="outlined"
                                    error={!!errors.category}
                                    helperText={errors.category?.message}
                                    required
                                />
                            )}
                        />
                    )}
                />
            </Box>
        </Edit>
    );
};
Enter fullscreen mode Exit fullscreen mode

Add component export to index.tsx.

// src/pages/posts/index.tsx
export * from "./edit";
Enter fullscreen mode Exit fullscreen mode

We are going to add an edit button to the each row in the list by defining Actions column in PostList page.

// src/pages/posts/list.tsx
import React from "react";
import {
    useDataGrid,
    DataGrid,
    GridColumns,
    DateField,
    List,
    // ====>
    Stack,
    EditButton,
    // <====
} from "@pankod/refine-mui";

import { IPost } from "interfaces";

export const PostList: React.FC = () => {
    const { dataGridProps } = useDataGrid<IPost>({
        metaData: {
            populate: ["category"],
        },
    });

    const columns = React.useMemo<GridColumns<IPost>>(
        () => [
            { field: "title", headerName: "Title", flex: 1, minWidth: 350 },
            {
                field: "category.title",
                headerName: "Category",
                minWidth: 250,
                flex: 1,
                renderCell: function render({ row }) {
                    return row.category?.title;
                },
            },

            {
                field: "createdAt",
                headerName: "CreatedAt",
                minWidth: 220,
                renderCell: function render({ row }) {
                    return <DateField format="LLL" value={row.createdAt} />;
                },
            },
             // ====>
            {
                headerName: "Actions",
                headerAlign: "center",
                field: "actions",
                minWidth: 180,
                align: "center",
                flex: 1,
                sortable: false,
                renderCell: function render({ row }) {
                    return (
                        <Stack direction="row" spacing={1}>
                            <EditButton
                                size="small"
                                hideText
                                recordItemId={row.id}
                            />
                        </Stack>
                    );
                },
            },
           // <====
        ],
        [],
    );

    return (
        <List>
            <DataGrid {...dataGridProps} columns={columns} autoHeight />
        </List>
    );
};
Enter fullscreen mode Exit fullscreen mode

After creating the <PostEdit> component, add it to resource with edit prop:

// App.tsx
...

import {
    PostList,
    PostCreate,
 // ====>
    PostEdit
 // <====
} from "pages/posts";

...

const App: React.FC = () => {
    return (
        <ThemeProvider theme={LightTheme}>
            <CssBaseline />
            <GlobalStyles styles={{ html: { WebkitFontSmoothing: "auto" } }} />
            <RefineSnackbarProvider>
                <Refine
                    authProvider={authProvider}
                    routerProvider={routerProvider}
                    dataProvider={dataProvider(API_URL)}
                    notificationProvider={notificationProvider}
                    ReadyPage={ReadyPage}
                    Layout={Layout}
                    catchAll={<ErrorComponent />}
                    resources={[
                        {
                            name: "posts",
                            list: PostList,
                            create: PostCreate,
                            // ====>
                            edit: PostEdit
                            // <====
                        },
                    ]}
                />
            </RefineSnackbarProvider>
        </ThemeProvider>
    );
};
Enter fullscreen mode Exit fullscreen mode

You can try using edit buttons which will trigger the edit forms for each record, allowing you to update the record data.

Deleting a record

Deleting a record can be done in two ways.

The first way is adding a delete button on each row since refine doesn't automatically add one, so we have to update our <PostList> component to add a <DeleteButton> for each record.

We are going to add new cell to the Actions column to show delete button on each row.

// src/pages/list.tsx
import React from "react";
import {
    useDataGrid,
    DataGrid,
    GridColumns,
    EditButton,
    DateField,
    List,
    Stack,
 // ====>
    DeleteButton,
 // <====
} from "@pankod/refine-mui";

import { IPost } from "interfaces";

export const PostList: React.FC = () => {
    const { dataGridProps } = useDataGrid<IPost>({
        metaData: {
            populate: ["category"],
        },
    });


    const columns = React.useMemo<GridColumns<IPost>>(
      ...

            {
                headerName: "Actions",
                headerAlign: "center",
                field: "actions",
                minWidth: 180,
                align: "center",
                flex: 1,
                sortable: false,
                renderCell: function render({ row }) {
                    return (
                        <Stack direction="row" spacing={1}>
                            <EditButton
                                size="small"
                                hideText
                                recordItemId={row.id}
                            />
                             // ====>
                            <DeleteButton
                                size="small"
                                hideText
                                recordItemId={row.id}
                            />
                             // <====

                        </Stack>
                    );
                },
            },
        ],
        [],
    );

    return (
        <List>
            <DataGrid {...dataGridProps} columns={columns} autoHeight />
        </List>
    );
};
Enter fullscreen mode Exit fullscreen mode

Now we are able to delete record by clicking delete button and confirmation.

Delete record

The second way is showing delete button in <PostEdit> page. To show delete button in edit page, canDelete prop needs to be passed to resource object.

// App.tsx
... 

function App() {
    return (
        <ThemeProvider theme={LightTheme}>
            <CssBaseline />
            <GlobalStyles styles={{ html: { WebkitFontSmoothing: "auto" } }} />
            <RefineSnackbarProvider>
                <Refine
                    notificationProvider={notificationProvider}
                    Layout={Layout}
                    ReadyPage={ReadyPage}
                    catchAll={<ErrorComponent />}
                    routerProvider={routerProvider}
                    authProvider={authProvider}
                    dataProvider={DataProvider(API_URL + `/api`, axiosInstance)}
                    resources={[
                        {
                            name: "posts",
                            list: PostList,
                            create: PostCreate,
                            edit: PostEdit,
                             // ====>
                            canDelete: true,
                             // <====
                        },
                    ]}
                />
            </RefineSnackbarProvider>
        </ThemeProvider>
    );
}

export default App;


Enter fullscreen mode Exit fullscreen mode

The <DeleteButton> should be appear in an edit form.

Implementing mutation mode

We'll like to show how mutation modes making your app feel more responsive to the user. Refine offers three modes for mutations called pessimistic, optimistic, and undoable. This modes determines when the side effects are executed.

If we briefly describe:

pessimistic: UI updates are delayed until the mutation is confirmed by the server.

optimistic: UI updates are immediately updated before confirmed by server.

undoable: UI updates are immediately updated, but you can undo the mutation.

We'll implement undoable mutation mode. The mutation is applied locally, redirection and UI updates are executed immediately as if the mutation is successful. Waits for a customizable amount of timeout period before mutation is applied.

During the timeout, mutation can be cancelled from the notification with an undo button and UI will revert back accordingly.

Refer to Refine mutation mode docs for more detailed information→

To activate mutation mode, we'll set mutationMode property to the <Refine/> component.

// App.tsx
...
function App() {
    return (
        <ThemeProvider theme={LightTheme}>
            <CssBaseline />
            <GlobalStyles styles={{ html: { WebkitFontSmoothing: "auto" } }} />
            <RefineSnackbarProvider>
                <Refine
                    notificationProvider={notificationProvider}
                    Layout={Layout}
                    ReadyPage={ReadyPage}
                    catchAll={<ErrorComponent />}
                    routerProvider={routerProvider}
                    authProvider={authProvider}
                    dataProvider={DataProvider(API_URL + `/api`, axiosInstance)}
                    resources={[
                        {
                            name: "posts",
                            list: PostList,
                            create: PostCreate,
                            edit: PostEdit,
                            canDelete: true,
                        },
                    ]}
                     // ====>
                    mutationMode="undoable"
                     // <====
                />
            </RefineSnackbarProvider>
        </ThemeProvider>
    );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

Tip:The default timeout period is setted to 5000ms. You can change it by setting undoableTimeout property to the <Refine> component.

Mutation mode gif

Sharing the current page with filters

Imagine we need to share the current page with filtering and sorting parameters to our colleagues. The proper way to do is, sharing the URL that has include all needed parameters like:

/posts?current=1&pageSize=8&sort[]=createdAt&order[]=desc
Enter fullscreen mode Exit fullscreen mode

Refine offers syncWithLocation property that allow us to editing query parameters manually and share current page, items count per page, sort and filter parameters easily to others.

// App.tsx
...
function App() {
    return (
        <ThemeProvider theme={LightTheme}>
            <CssBaseline />
            <GlobalStyles styles={{ html: { WebkitFontSmoothing: "auto" } }} />
            <RefineSnackbarProvider>
                <Refine
                    ...
                    mutationMode="undoable"
                    // ====>
                    syncWithLocation
                    // <====
                />
            </RefineSnackbarProvider>
        </ThemeProvider>
    );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

Now, we can get current information from URL as a query parameters. We can either use this link to share to others or define filter, pagination, and sorting parameters manually by changing URL parameters.

Conclusion

In this article, we'll show you how to build a CRUD admin panel using refine and Material UI. This approach will allow you to quickly create an admin interface for your application with minimal coding. We'll start by setting up our project with the required dependencies. Then, we'll create our CRUD components using Material UI. Finally, we'll wire everything up and add some extra features from refine like mutation mode.

We covered:

  • How to bootstrap refine app
  • Connecting Strapi v4 data provider to refine app.
  • Creating pages for CRUD operations
  • Implementing some of refine features like mutation mode and location sync.

refine is an open source tool that rapidly and flexibly develops for CRUD admin panels or web apps. It is easy to get started with and doesn't require a lot of code. It has nice documentation that covered examples, guidelines, and tutorials using best practices. refine is constantly being updated with new features and improvements.

Refer to official refine page for more information→

Live StackBlitz Example

Username: demo@refine.dev

Password: demodemo

Build your React-based CRUD applications without constraints

Low-code React frameworks are great for gaining development speed but they often fall short of flexibility if you need extensive styling and customization for your project.

Check out refine, if you are interested in a headless framework you can use with any custom design or UI-Kit for 100% control over styling.


refine blog logo

refine is a React-based framework for building CRUD applications without constraints.
It can speed up your development time up to 3X without compromising freedom on styling, customization and project workflow.

refine is headless by design and it connects 30+ backend services out-of-the-box including custom REST and GraphQL API’s.

Visit refine GitHub repository for more information, demos, tutorials and example projects.

Top comments (0)