DEV Community

Cover image for Migrating a React-Admin Application to refine 💖
Umut Özdemir for Refine

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

Migrating a React-Admin Application to refine 💖

refine is an extremely customizable Ant Design based React framework for data-intensive applications and it handles most of the CRUD functionality that can be a requirement in many applications, without much effort. Providing the rest of the desired functionality (outside CRUD) is up to you, like in any React application.

React-Admin is an amazing B2B application framework based on Material Design, using Material UI. It provides ready-to-fetch-data components, so you just compose them together to create an application.

refine is different in the way it makes you compose your application. refine directly provides Ant Design components and some hooks to work with those components. Hooks give you the required props for those Ant Design components.

It is, also, one step forward towards the dream of making it headless.

To learn more about refine, see: https://refine.dev/docs/getting-started/overview

Recently, our team decided to migrate a B2B admin panel of one of our customers from React-Admin to refine to battle test our new framework and improve our productivity. My mission was to migrate it and it took one and a half days for me to rewrite the panel in refine.

resources menu after migration to refine
Our panel has 7 resources (all listable), which 4 of them must have create and edit pages, 6 of them must be exportable to .csv files and some of those resources have images, all images must be uploaded in base64 format.

This is how it looks before the migration (React-Admin):

Admin panel in React-Admin

And this is how it looks like after the migration (refine):

Admin panel in refine

Both of these images show a list page of a resource (campaign).

Migrating Listing Pages

List pages have one/more tables inside them. Ideally, all table state should be managed by the framework in use.

refine is very flexible with tables. You can put them anywhere, configure it as much as you want with useTable. See the fineFoods example and it's code.

Here is an example list page from React-Admin that shows you the list of id, name, isActive, startDate, endDate from the API endpoint for campaigns resource.

import React from "react";
import {
  List as ReactAdminList,
  Datagrid,
  TextField,
  BooleanField,
  EditButton
} from "react-admin";

import LocalizeDateField from '../../fields/LocalizeDateField'; 

const List = (props) => (
  <ReactAdminList {...props}>
    <Datagrid>
      <TextField source="id" label="ID" />
      <TextField source="name" label="Name" />
      <BooleanField source="isActive" label="Active" />
      <LocalizeDateField source="startDate" />
      <LocalizeDateField source="endDate" />
      <EditButton basePath="/campaigns" />
    </Datagrid>
  </ReactAdminList>
);

export default List;
Enter fullscreen mode Exit fullscreen mode

And looks like this:

Admin panel in React-Admin

Here's the code that renders this same list in refine:

import React from "react";
import {
    List,
    Table,
    Space,
    Button,
    BooleanField,
    DateField,
    CreateButton,
    EditButton,
    ExportButton,
    Icons,
    useTable,
    getDefaultSortOrder,
    useExport,
    useDeleteMany,
    IResourceComponentsProps,
} from "@pankod/refine";

import { ICampaign } from "interfaces";

export const CampaignsList: React.FC<IResourceComponentsProps> = () => {
    const { tableProps, sorter } = useTable<ICampaign>({
        initialSorter: [
            {
                field: "id",
                order: "asc",
            },
        ],
    });

    const { isLoading: isExportLoading, triggerExport } = useExport();

    const [selectedRowKeys, setSelectedRowKeys] = React.useState<React.Key[]>(
        [],
    );

    const handleSelectChange = (selectedRowKeys: React.Key[]) => {
        setSelectedRowKeys(selectedRowKeys);
    };

    const rowSelection = {
        selectedRowKeys,
        onChange: handleSelectChange,
    };

    const { mutate, isLoading } = useDeleteMany<ICampaign>();

    const deleteSelectedItems = () => {
        mutate(
            {
                resource: "campaigns",
                ids: selectedRowKeys.map(String),
                mutationMode: "undoable",
            },
            {
                onSuccess: () => {
                    setSelectedRowKeys([]);
                },
            },
        );
    };

    const hasSelected = selectedRowKeys.length > 0;

    return (
        <List pageHeaderProps={{
            subTitle: hasSelected && (
                <Button
                    type="text"
                    onClick={() => deleteSelectedItems()}
                    loading={isLoading}
                    icon={
                        <Icons.DeleteOutlined
                            style={{ color: "green" }}
                        />
                    }
                >
                    Delete
                </Button>
            ),
            extra: (
                <Space>
                    <CreateButton />
                    <ExportButton
                        onClick={triggerExport}
                        loading={isExportLoading}
                    />
                </Space>
            ),
        }}>
            <Table {...tableProps} rowSelection={rowSelection} rowKey="id">
                <Table.Column
                    dataIndex="id"
                    title="ID"
                    sorter
                    defaultSortOrder={getDefaultSortOrder("id", sorter)}
                    width="70px"
                />
                <Table.Column
                    dataIndex="name"
                    title="Name"
                    sorter
                    defaultSortOrder={getDefaultSortOrder("name", sorter)}
                />
                <Table.Column
                    dataIndex="isActive"
                    title="Active"
                    render={(isActive) => <BooleanField value={isActive} />}
                    sorter
                    defaultSortOrder={getDefaultSortOrder("isActive", sorter)}
                />
                <Table.Column
                    dataIndex="startDate"
                    title="Start Date"
                    render={(value) => (
                        <DateField value={value} format="LLL" />
                    )}
                    sorter
                    defaultSortOrder={getDefaultSortOrder("startDate", sorter)}
                />
                <Table.Column
                    dataIndex="endDate"
                    title="End Date"
                    render={(value) => (
                        <DateField value={value} format="LLL" />
                    )}
                    sorter
                    defaultSortOrder={getDefaultSortOrder("endDate", sorter)}
                />
                <Table.Column<ICampaign>
                    fixed="right"
                    title="Actions"
                    dataIndex="actions"
                    render={(_, { id }) => (
                        <EditButton recordItemId={id} />
                    )}
                />
            </Table>
        </List>
    );
};
Enter fullscreen mode Exit fullscreen mode

It is long. Because we had to handle selection and bulk delete button manually. That's because refine is decoupled from Ant Design components' code, too. But the advantage here is that you use Ant Design. You can use the Ant Design's Table as however you like, and then connect its data with refine. The point is customizability.
And it looks like this:

Admin panel in refine

In refine, we use Ant Design's Table components.

Migrating Create/Edit Pages

A resource creation page's code looked like this in React-Admin:

import React from "react";
import {
  required,
  Create as ReactAdminCreate,
  SimpleForm,
  BooleanInput,
  TextInput,
  DateTimeInput
} from "react-admin";

const Create = (props: any) => (
  <ReactAdminCreate {...props}>
    <SimpleForm>
      <TextInput fullWidth variant="outlined" source="name" validate={[required()]} />
      <BooleanInput fullWidth variant="outlined" source="isActive" label="Active" />
      <DateTimeInput
        source="startDate"
        label="Start Date"
        validate={[required()]}
        fullWidth variant="outlined"
      />
      <DateTimeInput
        source="endDate"
        label="End Date"
        validate={[required()]}
        fullWidth variant="outlined"
      />
    </SimpleForm>
  </ReactAdminCreate>
);

export default Create;
Enter fullscreen mode Exit fullscreen mode

And it looks like this:

React-Admin create page example

For refine, code of our campaign create page looks like:

import {
    Create,
    DatePicker,
    Form,
    Input,
    IResourceComponentsProps,
    Switch,
    useForm,
} from "@pankod/refine";
import dayjs from "dayjs";

export const CampaignsCreate: React.FC<IResourceComponentsProps> = () => {
    const { formProps, saveButtonProps } = useForm();

    return (
        <Create saveButtonProps={saveButtonProps}>
            <Form
                {...formProps}
                layout="vertical"
                initialValues={{ isActive: false }}
            >
                <Form.Item
                    label="Name"
                    name="name"
                    rules={[
                        {
                            required: true,
                        },
                    ]}
                >
                    <Input />
                </Form.Item>
                <Form.Item
                    label="Is Active"
                    name="isActive"
                    valuePropName="checked"
                >
                    <Switch />
                </Form.Item>
                <Form.Item
                    label="Start Date"
                    name="startDate"
                    rules={[
                        {
                            required: true,
                        },
                    ]}
                    getValueProps={(value) => dayjs(value)}
                >
                    <DatePicker />
                </Form.Item>
                <Form.Item
                    label="End Date"
                    name="endDate"
                    rules={[
                        {
                            required: true,
                        },
                    ]}
                    getValueProps={(value) => dayjs(value)}
                >
                    <DatePicker />
                </Form.Item>
            </Form>
        </Create>
    );
};
Enter fullscreen mode Exit fullscreen mode

In both refine and React-Admin, by default, there aren't much differences between new resource page's code and resource edit page's code.

Also note that for both refine and React-Admin, this is all customizable. These code examples and screenshots mean little or no extra customization in resource list/create/edit pages.

Advantage of refine is that you use Ant Design directly. Let's assume you have your own way around your Ant Design application. refine doesn't interfere. Instead, it provides you the necessary data for your Ant Design application. This way, refine gives you all the freedom to customize all the components as you wish.

Happy hacking with refine 🪄

GitHub logo refinedev / refine

A React Framework for building internal tools, admin panels, dashboards & B2B apps with unmatched flexibility.





Build your React-based CRUD applications, without constraints.
An open-source, headless web application framework developed with flexibility in mind

Awesome OpenSSF Best Practices npm version Contributor Covenant

Discord Twitter Follow

refine - 100% open source React framework to build web apps 3x faster | Product Hunt

how-refine-works

What is Refine?

Refine is a meta React framework that enables the rapid✨ development of a wide range of web applications.

From internal tools to admin panels, B2B apps, and dashboards, it serves as a comprehensive solution for building any type of CRUD application.

Refine's internal hooks and components simplify the development process and eliminate repetitive tasks by providing industry-standard solutions for crucial aspects of a project, including authentication, access control, routing, networking, state management, and i18n.

Refine is headless by design, thereby offering unlimited styling and customization options.

What do you mean by "headless" ?

Instead of being limited to a set of pre-styled components, Refine provides collections of helper hooks, components




Top comments (0)