Skip to main content
Version: 4.xx.xx

Data Provider

Data provider acts as a data layer for your app, making HTTP requests and encapsulating how the data is retrieved. The methods of these requests are then consumed by Refine via data hooks.

You don’t need to worry about creating data providers from scratch, as Refine offers built-in data provider support for the most popular API providers.

Good to know:

Usage

To activate the data provider in Refine, we have to pass the dataProvider to the <Refine /> component.

App.tsx
import { Refine } from "@refinedev/core";

import dataProvider from "./dataProvider";

const App = () => (
<Refine
/* ... */
dataProvider={dataProvider}
/>
);

Refer to the Data Provider tutorial for more information and usage examples →

Multiple Data Providers

Refine allows you to use multiple data providers in your app. All you need to do is pass key and value pairs to the dataProvider prop of the <Refine /> component. In the pair object, the key corresponds to the data provider name, and the value corresponds to the data provider itself.

When defining multiple data providers, default key is required for defining the default data provider.

Here is an example which uses multiple data providers:

localhost:3000/posts
import { Refine, useList } from "@refinedev/core";
import routerProvider from "@refinedev/react-router-v6";
import dataProvider from "@refinedev/simple-rest";

import { BrowserRouter, Route, Routes } from "react-router-dom";

import { Collapse, Tag } from "antd";

const API_URL = "https://api.fake-rest.refine.dev";
const FINE_FOODS_API_URL = "https://api.finefoods.refine.dev";

interface IPost {
id: number;
title: string;
status: "published" | "draft" | "rejected";
}

interface IProduct {
id: number;
name: string;
price: number;
}

const App = () => {
return (
<BrowserRouter>
<Refine
routerProvider={routerProvider}
dataProvider={{
// `default` is required to determine the default data provider
default: dataProvider(API_URL),
fineFoods: dataProvider(FINE_FOODS_API_URL),
}}
resources={[
{
// Refine will use the `default` data provider for this resource
name: "posts",
list: "/posts",
},
{
name: "products",
meta: {
// Refine will use the `fineFoods` data provider for this resource
dataProviderName: "fineFoods",
},
},
]}
>
<Routes>
<Route path="/posts" element={<PostList />} />
</Routes>
</Refine>
</BrowserRouter>
);
};

const PostList = () => {
const { data: posts } = useList<IPost>({
resource: "posts",
// Data provider can be selected through props
dataProviderName: "default",
});
// We've defined the data provider for this resource as "fineFoods" in its config so we don't need to pass it here
const { data: products } = useList<IProduct>({ resource: "products" });

console.log({
posts,
products,
});

return (
<Collapse defaultActiveKey={["products"]}>
<Collapse.Panel header="Posts" key="posts">
{posts?.data.map((post) => (
<div
key={post.title}
style={{
display: "flex",
flexDirection: "row",
gap: "0.5rem",
marginBottom: "0.25rem",
}}
>
{post.title}
<Tag>{post.status}</Tag>
</div>
))}
</Collapse.Panel>
<Collapse.Panel header="Products" key="products">
{products?.data.map((product) => (
<div
key={product.name}
style={{
display: "flex",
flexDirection: "row",
gap: "0.5rem",
marginBottom: "0.25rem",
}}
>
{product.name}
<Tag>{product.price / 10}</Tag>
</div>
))}
</Collapse.Panel>
</Collapse>
);
};

Usage

You can pick data providers in two ways:

You can either use the dataProviderName prop in data hooks and data-related components/functions:

useTable({
dataProviderName: "example",
});

Or use the meta.dataProviderName property in your resource config, which will be the default data provider but can be overridden in data hooks and components:

const App = () => (
<Refine
dataProvider={{
default: defaultDataProvider,
example: exampleDataProvider,
}}
resources={[
{
// `default` data provider will be used for this resource
name: "posts",
},
{
name: "products",
// `exampleDataProvider` data provider will be used for this resource
meta: { dataProviderName: "exampleDataProvider" },
},
]}
/>
);

Methods

Data provider's methods are expected to return a promise, meaning that they are async and can be used to create a data provider. Refine consumes these data provider methods using data hooks, which are used for CRUD actions like creating a new record, listing a resource or deleting a record, etc.

import { DataProvider } from "@refinedev/core";

const dataProvider: DataProvider = {
// required methods
getList: ({ resource, pagination, sorters, filters, meta }) => Promise,
create: ({ resource, variables, meta }) => Promise,
update: ({ resource, id, variables, meta }) => Promise,
deleteOne: ({ resource, id, variables, meta }) => Promise,
getOne: ({ resource, id, meta }) => Promise,
getApiUrl: () => "",
// optional methods
getMany: ({ resource, ids, meta }) => Promise,
createMany: ({ resource, variables, meta }) => Promise,
deleteMany: ({ resource, ids, variables, meta }) => Promise,
updateMany: ({ resource, ids, variables, meta }) => Promise,
custom: ({ url, method, filters, sorters, payload, query, headers, meta }) =>
Promise,
};

Refer to the Data Provider tutorial for more information and usage examples

getList
required

getList method is used to get a list of resources with sorting, filtering, and pagination features. It takes resource, sorters, pagination, and, filters as parameters and returns data and total.

Refine will consume this method using the useList or useInfiniteList data hook.

getList: async ({ resource, pagination, sorters, filters, meta }) => {
const { current, pageSize, mode } = pagination;
const { field, order } = sorters;
const { field, operator, value } = filters;

// You can handle the request according to your API requirements.

return {
data,
total,
};
};
TIP

getList can also support cursor-based pagination. Refer to related section in the useInfiniteList documentation for more information.

Parameter Types:

NameType
resourcestring
pagination?Pagination
sorters?CrudSorting
filters?CrudFilters
meta?MetaDataQuery

create
required

The create method creates a new record with the resource and variables parameters.

Refine will consume this method using the useCreate data hook.

create: async ({ resource, variables, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types

NameTypeDefault
resourcestring
variablesTVariables{}
meta?MetaDataQuery

TVariables is a user defined type which can be passed to useCreate to type variables.

update
required

The update method updates the record with the resource, id, and, variables parameters.

Refine will consume this method using the useUpdate data hook.

update: async ({ resource, id, variables, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types:

NameTypeDefault
resourcestring
idBaseKey
variablesTVariables{}
meta?MetaDataQuery

TVariables is a user defined type which can be passed to useUpdate to type variables.

deleteOne
required

The deleteOne method delete the record with the resource and id parameters.

Refine will consume this method using the useDelete data hook.

deleteOne: async ({ resource, id, variables, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types:

NameTypeDefault
resourcestring
idBaseKey
variablesTVariables[]{}
meta?MetaDataQuery

TVariables is a user defined type which can be passed to useDelete to type variables.

getOne
required

The getOne method gets the record with the resource and id parameters.

Refine will consume this method using the useOne data hook.

getOne: async ({ resource, id, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types:

NameTypeDefault
resourcestring
idBaseKey
meta?MetaDataQuery

getApiUrl
required

The getApiUrl method returns the apiUrl value.

Refine will consume this method using the useApiUrl data hook.

src/data-provider.ts
import { DataProvider } from "@refinedev/core";

export const dataProvider = (apiUrl: string): DataProvider => ({
getApiUrl: () => apiUrl,
// ...
});

custom

An optional method named custom can be added to handle requests with custom parameters like URL, CRUD methods and configurations. It's useful if you have non-standard REST API endpoints or want to make a connection with external resources.

Refine will consume this method using the useCustom data hook.

custom: async ({
url,
method,
filters,
sorters,
payload,
query,
headers,
meta,
}) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types

NameType
urlstring
methodget, delete, head, options, post, put, patch
sorters?CrudSorting
filters?CrudFilters
payload?{}
query?{}
headers?{}
meta?MetaDataQuery

Bulk Actions

Bulk actions are actions that can be performed on multiple items at once to improve speed and efficiency. They are commonly used in admin panels. They can be used for data import and export, and are also atomic, meaning that they are treated as a single unit.

If your API supports bulk actions, you can implement them in your data provider.

getMany

The getMany method gets the records with the resource and ids parameters. This method is optional, and Refine will use the getOne method to handle multiple requests if you don't implement it.

Refine will consume this getMany method using the useMany data hook.

getMany: async ({ resource, ids, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types:

NameTypeDefault
resourcestring
ids[BaseKey]
meta?MetaDataQuery

createMany

This method allows us to create multiple items in a resource. This method is optional, and Refine will use the create method to handle multiple requests if you don't implement it.

Refine will consume this createMany method using the useCreateMany data hook.

createMany: async ({ resource, variables, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};

Parameter Types:

NameTypeDefault
resourcestring
variablesTVariables[]{}
meta?MetaDataQuery

TVariables is a user defined type which can be passed to useCreateMany to type variables.

deleteMany

This method allows us to delete multiple items in a resource. This method is optional, and Refine will use the deleteOne method to handle multiple requests if you don't implement it.

Refine will consume this deleteMany method using the useDeleteMany data hook.

deleteMany: async ({ resource, ids, variables, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};
NameTypeDefault
resourcestring
ids[BaseKey]
variablesTVariables[]{}
meta?MetaDataQuery

TVariables is a user defined type which can be passed to useDeleteMany to type variables.

updateMany

This method allows us to update multiple items in a resource. This method is optional, and Refine will use the update method to handle multiple requests if you don't implement it.

Refine will consume this updateMany method using the useUpdateMany data hook.

updateMany: async ({ resource, ids, variables, meta }) => {
// You can handle the request according to your API requirements.

return {
data,
};
};
NameTypeDefault
resourcestring
ids[BaseKey]
variablesTVariables[]{}
meta?MetaDataQuery

TVariables is a user defined type which can be passed to useUpdateMany to type variables.

Error Format

Refine expects errors to be extended from HttpError.

Here is a basic example of how to implement error handling in your data provider.

src/data-provider.ts
import { DataProvider, HttpError } from "@refinedev/core";

export const dataProvider = (apiUrl: string): DataProvider => ({
getOne: async ({ resource, id }) => {
try {
const response = await fetch(`https://api.example.com/${resource}/${id}`);

if (!response.ok) {
const error: HttpError = {
message: response.statusText,
statusCode: response.status,
};
return Promise.reject(error);
}

return {
data: response.data,
};
} catch (error) {
const error: HttpError = {
message: error?.message || "Something went wrong",
statusCode: error?.status || 500,
};
return Promise.reject(error);
}
},
// ...
});

Also, the Axios interceptor can be used to transform the error from the response before Axios returns the response to your code.

src/data-provider.ts
import axios from "axios";
import { DataProvider, HttpError } from "@refinedev/core";
import { stringify } from "query-string";

// Error handling with axios interceptors
const axiosInstance = axios.create();

axiosInstance.interceptors.response.use(
(response) => {
return response;
},
(error) => {
const customError: HttpError = {
...error,
message: error.response?.data?.message,
statusCode: error.response?.status,
};

return Promise.reject(customError);
},
);

export const dataProvider = (apiUrl: string): DataProvider => ({
// Methods
});

meta Usage

When using APIs, you may wish to include custom parameters, such as a custom header. To accomplish this, you can utilize the meta field, which allows the sent parameter to be easily accessed by the data provider.

Here is an example of how to send a custom header parameter to the getOne method using meta:

We first need to send a custom header parameter to the getOne method using meta.

post/edit.tsx
import { useOne } from "@refinedev/core";

useOne({
resource: "post",
id: "1",
meta: {
headers: {
"x-custom-header": "hello world",
},
},
});

Then we can get the meta parameter from the data provider:

src/data-provider.ts
import { DataProvider } from "@refinedev/core";

export const dataProvider = (apiUrl: string): DataProvider => ({
...
getOne: async ({ resource, id, variables, meta }) => {
const { headers } = meta;
const url = `${apiUrl}/${resource}/${id}`;

httpClient.defaults.headers = {
...headers,
};

const { data } = await httpClient.get(url, variables);

return {
data,
};
},
});

Supported Data Providers

Refine supports many data providers. To include them in your project, you can use npm install [packageName] or you can select the preferred data provider with the npm create refine-app@latest projectName during the project creation phase with CLI. This will allow you to easily use these data providers in your project.

Community ❤️

If you have created a custom data provider and would like to share it with the community, please don't hesitate to get in touch with us. We would be happy to include it on this page for others to use.

Supported Hooks

Refine will consume:

FAQ

How can I create a custom data provider?

How can I customize existing data providers?

How I can override a specific method of Data Providers?

In some cases, you may need to override the method of Refine data providers. The simplest way to do this is to use the Spread syntax

For example, Let's override the update function of the @refinedev/simple-rest. @refinedev/simple-rest uses the PATCH HTTP method for update, let's change it to PUT without forking the whole data provider.

import dataProvider from "@refinedev/simple-rest";

const simpleRestProvider = dataProvider("API_URL");
const myDataProvider = {
...simpleRestProvider,
update: async ({ resource, id, variables }) => {
const url = `${apiUrl}/${resource}/${id}`;

const { data } = await httpClient.put(url, variables);

return {
data,
};
},
};

<Refine dataProvider={myDataProvider}>{/* ... */}</Refine>;