Skip to main content
Version: 3.xx.xx

Custom Form Validation

In refine, we can use the form validation that comes with Ant Design with the rules property of the Form.Item component.

<Form>
<Form.Item
label="Title"
name="title"
rules={[
{
required: true,
},
{
min: 5,
},
]}
>
<Input />
</Form.Item>
...
</Form>

In addition to pre-defined rules, we can also prepare custom rules with the validator function.

Example

Now let's prepare a rule that checks if the titles of the posts are unique. We have an endpoint like the below. We will do the uniqueness check here.

https://api.fake-rest.refine.dev/posts-unique-check?title=Example
{
"isAvailable": true
}
import { useState } from "react";
import { useApiUrl, useCustom, HttpError } from "@pankod/refine-core";
import { useForm, Form, Create, Input } from "@pankod/refine-antd";

export const PostCreate = () => {
const { formProps, saveButtonProps } = useForm<IPost>();

const [title, setTitle] = useState("");

const apiUrl = useApiUrl();
const url = `${apiUrl}/posts-unique-check`;
const { refetch } = useCustom<
PostUniqueCheckResponse,
HttpError,
PostUniqueCheckRequestQuery
>({
url,
method: "get",
config: {
query: {
title,
},
},
queryOptions: {
enabled: false,
},
});

return (
<Create saveButtonProps={saveButtonProps}>
<Form {...formProps} layout="vertical">
<Form.Item
label="Title"
name="title"
rules={[
{
required: true,
},
{
validator: async (_, value) => {
if (!value) return;
const { data } = await refetch();
if (data && data.data.isAvailable) {
return Promise.resolve();
}
return Promise.reject(
new Error("'title' must be unique"),
);
},
},
]}
>
<Input onChange={(event) => setTitle(event.target.value)} />
</Form.Item>
...
</Form>
</Create>
);
};

interface IPost {
title: string;
}

interface PostUniqueCheckResponse {
isAvailable: boolean;
}

interface PostUniqueCheckRequestQuery {
title: string;
}
custom form validation
important

Value must be kept in the state.

<Input onChange={(event) => setTitle(event.target.value)} />