useForm
useForm is used to manage forms. It is based on the Mantine useForm and the Refine useForm and supports all the features of both packages and adds some additional features.
All the data related hooks (useTable, useForm, useList etc.) of Refine can be given some common properties like resource, meta etc.
For more information, refer to the General Concepts documentation.
Usageβ
We'll show the basic usage of useForm by adding an editing form.
import { Select, TextInput } from "@mantine/core";
import { Edit, useForm } from "@refinedev/mantine";
const PostEdit: React.FC = () => {
  const { saveButtonProps, getInputProps } = useForm({
    initialValues: {
      title: "",
      status: "",
    },
    validate: {
      title: (value) => (value.length < 2 ? "Too short title" : null),
      status: (value) => (value.length <= 0 ? "Status is required" : null),
    },
  });
  return (
    <Edit saveButtonProps={saveButtonProps}>
      <form>
        <TextInput
          mt={8}
          label="Title"
          placeholder="Title"
          withAsterisk
          {...getInputProps("title")}
        />
        <Select
          mt={8}
          label="Status"
          placeholder="Pick one"
          data={[
            { label: "Published", value: "published" },
            { label: "Draft", value: "draft" },
            { label: "Rejected", value: "rejected" },
          ]}
          withAsterisk
          {...getInputProps("status")}
        />
      </form>
    </Edit>
  );
};
In the example if you navigate to /posts/edit/1234 it will manage the data of the post with id of 1234 in an editing context. See Actions on how useForm determines this is an editing context.
Since this is an edit form it will fill the form with the data of the post with id of 1234 and then the form will be ready to edit further and submit the changes.
Submit functionality is provided by saveButtonProps which includes all of the necessary props for a button to submit a form including automatically updating loading states.
If you want to show a form in a modal or drawer where necessary route params might not be there you can use the useModalForm or the useDrawerForm hook.
For more detailed usage examples please refer to the Mantine Form documentation.
Propertiesβ
actionβ
useForm can handle the edit, create and clone actions.
By default, useForm determines the action from route. The action is inferred by matching the resource's action path with the current route.
It can be overridden by passing the action prop when it isn't possible to determine the action from the route (e.g. when using form in a modal or using a custom route).
- create
- edit
- clone
create
action: "create" is used for creating a new record that didn't exist before.
useForm uses useCreate under the hood for mutations on create mode.
In the following example, we will show how to use useForm with action: "create":
edit
action: "edit" is used for editing an existing record. It requires the id for determining the record to edit. By default, it uses the id from the route. It can be changed with the setId function or id property.
It fetches the record data according to the id with useOne and returns the query for you to fill the form. After the form is submitted, it updates the record with useUpdate.
In the following example, we will show how to use useForm with action: "edit":
clone
action: "clone" is used for cloning an existing record. It requires the id for determining the record to clone. By default, it uses the id from the route. It can be changed with the setId function.
You can think action:clone like save as. It's similar to action:edit but it creates a new record instead of updating the existing one.
It fetches the record data according to the id with useOne and returns the query for you to fill the form. After the form is submitted, it creates a new record with useCreate.
In the following example, we will show how to use useForm with action: "clone". You will see action:clone toggle at the top of the page. You can toggle it to set the action to clone.
resourceβ
resource, read from the current URL by default, will be passed to the dataProvider's method as a params. This parameter is usually used to as a API endpoint path. It all depends on how to handle the resource in your dataProvider.
See the creating a data provider section for an example of how resource are handled.
- When actionis"create", it will be passed to thecreatemethod from thedataProvider.
- When actionis"edit", it will be passed to theupdateand thegetOnemethod from thedataProvider.
- When actionis"clone", it will be passed to thecreateand thegetOnemethod from thedataProvider.
useForm({
  refineCoreProps: {
    resource: "categories",
  },
});
If the resource is passed, the id from the current URL will be ignored because it may belong to a different resource. To retrieve the id value from the current URL, use the useParsed hook and pass the id value to the useForm hook.
import { useParsed } from "@refinedev/core";
import { useForm } from "@refinedev/mantine";
const { id } = useParsed();
useForm({
  refineCoreProps: {
    resource: "custom-resource",
    id,
  },
});
Or you can use the setId function to set the id value.
import { useForm } from "@refinedev/mantine";
const {
  refineCore: { setId },
} = useForm({
  refineCoreProps: {
    resource: "custom-resource",
  },
});
setId("123");
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
identifiersection of the<Refine/>component documentation β
idβ
id is used for determining the record to edit or clone. By default, it uses the id from the route. It can be changed with the setId function or id property.
It is useful when you want to edit or clone a resource from a different page.
id is required when action: "edit" or action: "clone".
useForm({
  refineCoreProps: {
    action: "edit", // or clone
    resource: "categories",
    id: 1, // <BASE_URL_FROM_DATA_PROVIDER>/categories/1
  },
});
redirectβ
redirect is used for determining the page to redirect after the form is submitted. By default, it uses the list. It can be changed with the redirect property.
It can be set to "show" | "edit" | "list" | "create" or false based on whether you want to redirect the user after the form is submitted, and to where.
useForm({
  refineCoreProps: {
    redirect: false,
  },
});
onMutationSuccessβ
onMutationSuccess is a callback function that will be called after the mutation is successful.
It receives the following parameters:
- data: Returned value from- useCreateor- useUpdatedepending on the- action.
- variables: The variables passed to the mutation.
- context: react-query context.
- isAutoSave: It's a boolean value that indicates whether the mutation is triggered by the- autoSavefeature or not.
useForm({
  refineCoreProps: {
    onMutationSuccess: (data, variables, context, isAutoSave) => {
      console.log({ data, variables, context, isAutoSave });
    },
  },
});
onMutationErrorβ
onMutationError is a callback function that will be called after the mutation is failed.
It receives the following parameters:
- data: Returned value from- useCreateor- useUpdatedepending on the- action.
- variables: The variables passed to the mutation.
- context: react-query context.
- isAutoSave: It's a boolean value that indicates whether the mutation is triggered by the- autoSavefeature or not.
useForm({
  refineCoreProps: {
    onMutationError: (data, variables, context, isAutoSave) => {
      console.log({ data, variables, context, isAutoSave });
    },
  },
});
invalidatesβ
You can use it to manage the invalidations that will occur at the end of the mutation.
By default it invalidates following queries from the current resource:
- on createorclonemode:"list"and"many"
- on "edit"mode:"list","many"and"detail"
useForm({
  refineCoreProps: {
    invalidates: ["list", "many", "detail"],
  },
});
dataProviderNameβ
If there is more than one dataProvider, you should use pass the name of the dataProvider you want to use to dataProviderName.
It is useful when you want to use a different dataProvider for a specific resource.
If you want to use a different dataProvider on all resource pages, you can use the dataProvider prop of the <Refine> component.
useForm({
  refineCoreProps: {
    dataProviderName: "second-data-provider",
  },
});
mutationModeβ
Mutation mode determines which mode the mutation runs with. Mutations can run under three different modes: pessimistic, optimistic and undoable. Default mode is pessimistic.
Each mode corresponds to a different type of user experience.
For more information about mutation modes, please check the Mutation Mode documentation page.
useForm({
  refineCoreProps: {
    mutationMode: "undoable", // "pessimistic" | "optimistic" | "undoable",
  },
});
successNotificationβ
NotificationProvideris required for this prop to work.
After form is submitted successfully, useForm will call the open function from NotificationProvider to show a success notification. With this prop, you can customize that success notification.
useForm({
  refineCoreProps: {
    successNotification: (data, values, resource) => {
      return {
        message: `Post Successfully created with ${data.title}`,
        description: "Success with no errors",
        type: "success",
      };
    },
  },
});
errorNotificationβ
NotificationProvideris required for this prop to work.
After the form submit has failed, useForm will call the open function from NotificationProvider to show a error notification. With this prop, you can customize that error notification.
useForm({
  refineCoreProps: {
    action: "create",
    resource: "post",
    errorNotification: (data, values, resource) => {
      return {
        message: `Something went wrong when deleting ${data.id}`,
        description: "Error",
        type: "error",
      };
    },
  },
});
{
    "message": "Error when updating <resource-name> (status code: ${err.statusCode})" or "Error when creating <resource-name> (status code: ${err.statusCode})",
    "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).
- Providing additional parameters to the redirection path after the form is submitted.
For more information, please refer to the
metasection of the General Concepts documentation β
In the following example, we pass the headers property in the meta object to the create method. With similar logic, you can pass any properties to specifically handle the data provider methods.
useForm({
  refineCoreProps: {
    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,
    };
  },
  //...
};
queryMetaβ
In addition to the meta property, you can also pass the queryMeta property to the useForm hook. This property is used to pass additional information to the useOne hook that is used to fetch the data in the edit and clone modes. This is useful when you have to apply different values to the useOne hook from the useCreate or useUpdate hook mutations.
useForm({
  refineCoreProps: {
    queryMeta: {
      querySpecificValue: "someValue",
    },
  },
});
If you have overlapping properties in both meta and queryMeta, the queryMeta property will be used.
mutationMetaβ
In addition to the meta property, you can also pass the mutationMeta property to the useForm hook. This property is used to pass additional information to the useCreate or useUpdate hook mutations. This is useful when you have to apply different values to the useCreate or useUpdate hooks from the useOne hook query.
useForm({
  refineCoreProps: {
    mutationMeta: {
      mutationSpecificValue: "someValue",
    },
  },
});
If you have overlapping properties in both meta and mutationMeta, the mutationMeta property will be used.
queryOptionsβ
Works only in the action: "edit" or action: "clone" modes.
in edit or clone modes, Refine uses useOne hook to fetch data. You can pass the queryOptions options by passing the queryOptions property.
useForm({
  refineCoreProps: {
    queryOptions: {
      retry: 3,
    },
  },
});
createMutationOptionsβ
In create or clone modes, Refine uses useCreate hook to create data. You can pass the mutationOptions by passing createMutationOptions property. This option is only available when action: "create" or action: "clone".
useForm({
  refineCoreProps: {
    queryOptions: {
      retry: 3,
    },
  },
});
updateMutationOptionsβ
In edit mode, Refine uses useUpdate hook to update data. You can pass mutationOptions by passing updateMutationOptions property. This option is only available when action: "edit".
useForm({
  refineCoreProps: {
    queryOptions: {
      retry: 3,
    },
  },
});
warnWhenUnsavedChangesβ
When it's true, Shows a warning when the user tries to leave the page with unsaved changes. It can be used to prevent the user from accidentally leaving the page. It is false by default.
It can be set globally in Refine config.
useForm({
  refineCoreProps: {
    warnWhenUnsavedChanges: true,
  },
});
liveModeβ
Whether to update data automatically ("auto") or not ("manual") if a related live event is received. It can be used to update and show data in Realtime throughout your app.
For more information, refer to the Live / Realtime documentation
useForm({
  refineCoreProps: {
    liveMode: "auto",
  },
});
onLiveEventβ
onLiveEvent is a callback function that is executed when new events from a subscription are arrived.
useForm({
  refineCoreProps: {
    onLiveEvent: (event) => {
      console.log(event);
    },
  },
});
liveParamsβ
liveParams are the params to pass to liveProvider's subscribe method.
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 } = useForm({
  //...
  refineCoreProps: {
    overtimeOptions: {
      interval: 1000,
      onInterval(elapsedInterval) {
        console.log(elapsedInterval);
      },
    },
  },
});
console.log(overtime.elapsedTime); // undefined, 1000, 2000, 3000 4000, ...
// You can use it like this:
{
  elapsedTime >= 4000 && <div>this takes a bit longer than expected</div>;
}
autoSaveβ
If you want to save the form automatically after some delay when user edits the form, you can pass true to autoSave.enabled prop.
By default the autoSave feature does not invalidate queries. However, you can use the invalidateOnUnmount prop to invalidate queries upon unmount.
It also supports the onMutationSuccess and onMutationError callback functions. You can use the isAutoSave parameter to determine whether the mutation is triggered by autoSave or not.
autoSave feature operates exclusively in edit mode. Users can take advantage of this feature while editing data, as changes are automatically saved in editing mode. However, when creating new data, manual saving is still required.
onMutationSuccess and onMutationError callbacks will be called after the mutation is successful or failed.
enabledβ
To enable the autoSave feature, set the enabled parameter to true. Default value is false.
useForm({
  refineCoreProps: {
    autoSave: {
      enabled: true,
    },
  },
});
debounceβ
debounce allows you to set the debounce time for the autoSave prop. Default value is 1000 milliseconds.
useForm({
  refineCoreProps: {
    autoSave: {
      enabled: true,
      debounce: 2000,
    },
  },
});
invalidateOnUnmountβ
This prop is useful when you want to invalidate the list, many and detail queries from the current resource when the hook is unmounted. By default, it invalidates the list, many and detail queries associated with the current resource. Also, You can use the invalidates prop to select which queries to invalidate. Default value is false.
useForm({
  refineCoreProps: {
    autoSave: {
      enabled: true,
      invalidateOnUnmount: true,
    },
  },
});
Return Valuesβ
All mantine useForm and core useForm return values also available in useForm.
queryβ
If the action is set to "edit" or "clone" or if a resource with an id is provided, useForm will call useOne and set the returned values as the query property.
const {
  refineCore: { query },
} = useForm();
const { data } = query;
mutationβ
When in "create" or "clone" mode, useForm will call useCreate. When in "edit" mode, it will call useUpdate and set the resulting values as the mutation property."
const {
  refineCore: { mutation },
} = useForm();
const { data } = mutation;
setIdβ
useForm determine id from the router. If you want to change the id dynamically, you can use setId function.
const {
  refineCore: { id, setId },
} = useForm();
const handleIdChange = (id: string) => {
  setId(id);
};
return (
  <div>
    <input value={id} onChange={(e) => handleIdChange(e.target.value)} />
  </div>
);
redirectβ
"By default, after a successful mutation, useForm will redirect to the "list" page. To redirect to a different page, you can either use the redirect function to programmatically specify the destination, or set the redirect property in the hook's options.
In the following example we will redirect to the "show" page after a successful mutation:
const {
  refineCore: { onFinish, redirect },
} = useForm();
// --
const handleSubmit = async (e: React.FormEvent<HTMLFormElement>) => {
  e.preventDefault();
  const data = await onFinish(formValues);
  redirect("show", data?.data?.id);
};
// --
onFinishβ
onFinish is a function that is called when the form is submitted. It will call the appropriate mutation based on the action property.
You can override the default behavior by passing an onFinish function in the hook's options.
For example you can change values before sending to the API.
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 } = useForm();
console.log(overtime.elapsedTime); // undefined, 1000, 2000, 3000 4000, ...
autoSavePropsβ
If autoSave is enabled, this hook returns autoSaveProps object with data, error, and status properties from mutation.
FAQβ
How can invalidate other resources?β
You can invalidate other resources with help of the useInvalidate hook.
It is useful when you want to invalidate other resources that don't have relation with the current resource.
import { useInvalidate } from "@refinedev/core";
import { useForm } from "@refinedev/mantine";
const PostEdit = () => {
  const invalidate = useInvalidate();
  useForm({
    refineCoreProps: {
      onMutationSuccess: (data, variables, context) => {
        invalidate({
          resource: "users",
          invalidates: ["resourceAll"],
        });
      },
    },
  });
  // ---
};
How can I change the form data before submitting it to the API?β
You may need to modify the form data before it is sent to the API.
For example, let's send the values we received from the user in two separate inputs, name and surname, to the API as fullName.
import { TextInput } from "@mantine/core";
import { Create, useForm } from "@refinedev/mantine";
import React from "react";
const UserCreate: React.FC = () => {
  const { saveButtonProps, getInputProps } = useForm({
    initialValues: {
      name: "",
      surname: "",
    },
    transformValues: (values) => ({
      fullName: `${values.name} ${values.surname}`,
    }),
  });
  return (
    <Create saveButtonProps={saveButtonProps}>
      <form>
        <TextInput
          mt={8}
          label="Name"
          placeholder="Name"
          {...getInputProps("name")}
        />
        <TextInput
          mt={8}
          label="Surname"
          placeholder="Surname"
          {...getInputProps("surname")}
        />
      </form>
    </Create>
  );
};
How to pass meta values only for the mutation or query?β
You can use meta property to pass common values to the mutation and the query. But in some cases, you may want to pass different values to the mutation and the query. To do this, you can use mutationMeta and queryMeta properties.
How can I handle server-side form validation?β
API Referenceβ
Propertiesβ
It supports all the features of the useForm hook provided by @mantine/form.
Also, we added the following return values.
refineCoreProps: You can define all properties provided by useForm here. You can see all of them in here.
For example, we can define the refineCoreProps property in the useForm hook as:
import { useForm } from "@refinedev/mantine";
const { ... } = useForm({
    ..., // @mantine/form's useForm props
    refineCoreProps: {
        resource: "posts",
        redirect: false,
        //  @refinedev/core's useForm props
    },
});
Return valuesβ
Returns all the return values of the useForm hook provided by @mantine/form. Also, we added the following return values.
refineCore: Returns all values returned by useForm. You can see all of them in here.
For example, we can access the refineCore return value in the useForm hook as:
import { useForm } from "@refinedev/react-hook-form";
const {
    ..., // @mantine/form's useForm return values
    saveButtonProps,
    refineCore: {
        query,
        ...  // @refinedev/core's useForm return values
    },
} = useForm({ ... });
| Property | Description | Type | 
|---|---|---|
| saveButtonProps | Props for a submit button | { disabled: boolean; onClick: (e: React.FormEvent<HTMLFormElement>) => void; } | 
| overtime | Overtime loading props | { elapsedTime?: number } | 
| autoSaveProps | Auto save props | { data: UpdateResponse<TData>|undefined, error: HttpError|null, status: "loading"|"error"|"idle"|"success" } | 
Type Parametersβ
| Property | Description | Type | Default | 
|---|---|---|---|
| TQueryFnData | Result data returned by the query function. Extends BaseRecord | BaseRecord | BaseRecord | 
| TError | Custom error object that extends HttpError | HttpError | HttpError | 
| TVariables | Form values for mutation function | {} | Record<string, unknown> | 
| TTransformed | Form values after transformation for mutation function | {} | TVariables | 
| TData | Result data returned by the selectfunction. ExtendsBaseRecord. If not specified, the value ofTQueryFnDatawill be used as the default value. | BaseRecord | TQueryFnData | 
| TResponse | Result data returned by the mutation function. Extends BaseRecord. If not specified, the value ofTDatawill be used as the default value. | BaseRecord | TData | 
| TResponseError | Custom error object that extends HttpError. If not specified, the value ofTErrorwill be used as the default value. | HttpError | TError | 
Exampleβ
npm create refine-app@latest -- --example form-mantine-use-form
- Usage
- Properties
- action
- resource
- id
- redirect
- onMutationSuccess
- onMutationError
- invalidates
- dataProviderName
- mutationMode
- successNotification
- errorNotification
- meta
- queryMeta
- mutationMeta
- queryOptions
- createMutationOptions
- updateMutationOptions
- warnWhenUnsavedChanges
- liveMode
- onLiveEvent
- liveParams
- overtimeOptions
- autoSave
- enabled
- debounce
- invalidateOnUnmount
- Return Values
- query
- mutation
- setId
- redirect
- onFinish
- overtime
- autoSaveProps
- FAQ
- How can invalidate other resources?
- How can I change the form data before submitting it to the API?
- How to pass metavalues only for the mutation or query?
- How can I handle server-side form validation?
- API Reference
- Properties
- Return values
- Type Parameters
- Example