useCreate
useCreate is used when creating new records. It is an extended version of TanStack Query's useMutation and not only supports all features of the mutation but also adds some extra features.
It uses the create method as the mutation function from the dataProvider which is passed to <Refine />.
Usage​
The useCreate hook returns many useful properties and methods. One of them is the mutate method which is used to trigger a mutation with the given parameters. Additionally, the mutation object contains all the TanStack Query's useMutation return values.
import { useCreate } from "@refinedev/core";
const { mutate, mutation } = useCreate({
  resource: "products",
});
mutate({
  values: {
    name: "New Product",
    material: "Wood",
  },
});
// You can access mutation state through the mutation object:
console.log(mutation.isLoading); // mutation loading state
console.log(mutation.data); // mutation response data
console.log(mutation.error); // mutation error
Realtime Updates​
This feature is only available if you use a Live Provider.
When the useCreate mutation runs successfully, it will call the publish method from liveProvider with some parameters such as channel, type etc. This is useful when you want to publish the changes to the subscribers on the client side.
Invalidating Queries​
When the useCreate mutation runs successfully, it will invalidate the following queries from the current resource: "list" and "many" by default. Which means that, if you use useList or useMany hooks on the same page, they will refetch the data after the mutation is completed. You can change this behavior by passing the invalidates prop.
For more information, refer to the query invalidation documentation→
Audit Logs​
This feature is only available if you use a Audit Log Provider.
When the useCreate mutation runs successfully, it will call the log method from auditLogProvider with some parameters such as resource, action, data etc. This is useful when you want to log the changes to the database.
Properties​
mutationOptions​
mutationOptions is used to pass options to the useMutation hook. It is useful when you want to pass additional options to the useMutation hook.
const { mutate, mutation } = useCreate({
  resource: "products",
  mutationOptions: {
    retry: 3,
    onSuccess: (data, variables, context) => {
      // Let's celebrate!
    },
    onError: (error, variables, context) => {
      // An error occurred!
    },
  },
});
mutate({
  values: {
    name: "New Product",
    material: "Wood",
  },
});
// You can access mutation status through the mutation object
if (mutation.isLoading) {
  console.log("Creating product...");
}
if (mutation.isSuccess) {
  console.log("Product created:", mutation.data);
}
Refer to the useMutation documentation for more information →
overtimeOptions​
If you want loading overtime for the request, you can pass the overtimeOptions prop to the this hook. It is useful when you want to show a loading indicator when the request takes too long.
interval is the time interval in milliseconds. onInterval is the function that will be called on each interval.
Return overtime object from this hook. elapsedTime is the elapsed time in milliseconds. It becomes undefined when the request is completed.
const { overtime, mutation } = useCreate({
  //...
  overtimeOptions: {
    interval: 1000,
    onInterval(elapsedInterval) {
      console.log(elapsedInterval);
    },
  },
});
console.log(overtime.elapsedTime); // undefined, 1000, 2000, 3000 4000, ...
// You can use it like this:
{
  overtime.elapsedTime >= 4000 && (
    <div>this takes a bit longer than expected</div>
  );
}
Mutation Parameters​
Mutation parameters are passed to the mutate function and can also be provided as props to the useCreate hook. Parameters given to the mutate function override those from the hook. Think of the hook's parameters as default values, and the mutate function's parameters as specific or dynamic values for each mutation.
import { useCreate } from "@refinedev/core";
const { mutate, mutation } = useCreate({
  /* parameters */
});
mutate({
  /* this will override the parameters given to the useCreate hook */
});
// Access mutation state
if (mutation.isLoading) {
  // Handle loading state
}
if (mutation.isError) {
  // Handle error state
  console.error(mutation.error);
}
🚨 Parameters marked as required can be provided either as props to the
useCreatehook or as parameters to themutatefunction.
resource required​
This parameter will be passed to the create method from the dataProvider as a parameter. It is usually used as an API endpoint path but it all depends on how you handle the resource in the create method.
const { mutate, mutation } = useCreate();
mutate({
  resource: "categories",
});
For more information, refer to the creating a data provider tutorial →
If you have multiple resources with the same name, you can pass the identifier instead of the name of the resource. It will only be used as the main matching key for the resource, data provider methods will still work with the name of the resource defined in the <Refine/> component.
For more information, refer to the
identifierof the<Refine/>component documentation →
values required​
This prop will be passed to the create method from the dataProvider as a parameter. It is usually used as the data to be created and contains the data that will be sent to the server.
const { mutate, mutation } = useCreate();
mutate({
  values: {
    name: "New Category",
    description: "New Category Description",
  },
});
successNotification​
NotificationProvideris required for this prop to work.
This prop allows you to customize the success notification that shows up when the data is fetched successfully and useCreate calls the open function from NotificationProvider:
const { mutate, mutation } = useCreate();
mutate({
  successNotification: (data, values, resource) => {
    return {
      message: `${data.title} Successfully fetched.`,
      description: "Success with no errors",
      type: "success",
    };
  },
});
errorNotification​
NotificationProvideris required for this prop to work.
This prop allows you to customize the error notification that shows up when the data fetching fails and the useCreate calls the open function from NotificationProvider
const { mutate, mutation } = useCreate();
mutate({
  errorNotification: (data, values, resource) => {
    return {
      message: `Something went wrong when getting ${data.id}`,
      description: "Error",
      type: "error",
    };
  },
});
meta​
meta is a special property that can be used to pass additional information to data provider methods for the following purposes:
- Customizing the data provider methods for specific use cases.
- Generating GraphQL queries using plain JavaScript Objects (JSON).
In the following example, we pass the headers property in the meta object to the create method. You can pass any properties to specifically handle the data provider methods with similar logic.
const { mutate, mutation } = useCreate();
mutate({
  meta: {
    headers: { "x-meta-data": "true" },
  },
});
const myDataProvider = {
  //...
  create: async ({
    resource,
    variables,
    meta,
  }) => {
    const headers = meta?.headers ?? {};
    const url = `${apiUrl}/${resource}`;
    //...
    //...
    const { data } = await httpClient.post(url, variables, { headers });
    return {
      data,
    };
  },
  //...
};
For more information, refer to the
metasection of the General Concepts documentation→
dataProviderName​
This prop allows you to specify which dataProvider if you have more than one. Just pass it like in the example:
const { mutate, mutation } = useCreate();
mutate({
  dataProviderName: "second-data-provider",
});
invalidates​
invalidates is used to specify which queries should be invalidated after the mutation is completed.
By default, it invalidates the following queries from the current resource: "list" and "many". That means, if you use useList or useMany hooks on the same page, they will refetch the data after the mutation is completed.
const { mutate, mutation } = useCreate();
mutate({
  invalidates: ["list", "many"],
});
Return Values​
Returns an object with TanStack Query's useMutation return values.
For more information, refer to the
useMutationdocumentation →
Additional Values​
overtime​
overtime object is returned from this hook. elapsedTime is the elapsed time in milliseconds. It becomes undefined when the request is completed.
const { overtime, mutation } = useCreate();
console.log(overtime.elapsedTime); // undefined, 1000, 2000, 3000 4000, ...
// Also access mutation state
console.log(mutation.isLoading); // true/false
API Reference​
Mutation Parameters​
| Property | Description | Type | Default | 
|---|---|---|---|
| resource ﹡ | Resource name for API data interactions | string | |
| values ﹡ | Values for mutation function | TVariables | {} | 
| successNotification | Successful Mutation notification | SuccessErrorNotification | "Successfully created resource" | 
| errorNotification | Unsuccessful Mutation notification | SuccessErrorNotification | "There was an error creating resource(status code:statusCode)" | 
| meta | Meta data query for dataProvider | MetaDataQuery | {} | 
| dataProviderName | If there is more than one dataProvider, you should use thedataProviderNamethat you will use. | string | default | 
| invalidates | You can use it to manage the invalidations that will occur at the end of the mutation. | all,resourceAll,list,many,detail,false | ["list", "many"] | 
Type Parameters​
| Property | Description | Type | Default | 
|---|---|---|---|
| TData | Result data of the mutation. Extends BaseRecord | BaseRecord | BaseRecord | 
| TError | Custom error object that extends HttpError | HttpError | HttpError | 
| TVariables | Values for mutation function | {} | {} | 
Return value​
| Property | Description | Type | 
|---|---|---|
| mutation | Result of the TanStack Query's useMutation | UseMutationResult<{ data: TData }, TError, { resource: string; values: TVariables; }, unknown> | 
| mutate | Mutation function | (params?: { resource?: string, values?: TVariables, ... }) => void | 
| mutateAsync | Async mutation function | (params?: { resource?: string, values?: TVariables, ... }) => Promise<{ data: TData }> | 
| overtime | Overtime loading information | { elapsedTime?: number } |