How to Validate Forms with Zod and React-Hook-Form
[ad_1]
Forms allow you to collect user data on your websites and apps. And validation is essential to guarantee type safety and the proper format for collected data. You can perform validation on both the client and server side of the application.
This is where Zod and React-Hook-Form come in as a dynamic duo, ready to take your forms to the next level.
Zod is a validation library that provides a concise and expressive syntax for defining data schemas, making it an excellent choice for validating form data.
On the other hand, React-Hook-Form is a lightweight form library for React that embraces uncontrolled components and simplifies form-building with its intuitive hooks-based API.
In this tutorial, you will learn how to build a type-safe form using React-Hook-Form for form management and Zod for both client-side and server-side validation.
Here’s what we’ll cover:
- Getting Started
- How to Define Form Types
- How to Create a Form with react-hook-form
- How to Integrate Zod for Schema Validation
- How to Handle Server-Side Errors
- Conclusion
Getting Started
To get started, clone the starter boilerplate for the project. Open up your terminal and run this command:
git clone --branch starter https://github.com/Giftea/zod-rhf-fcc.git
You can find the final version on GitHub here.
Once you’ve got the boilerplate on your local machine, run the following commands to install dependencies and start the project:
npm install
npm run dev
Point your browser to http://localhost:3000, and you’ll be greeted by the starting page of our project.
How to Define Form Types
The /types.ts
file will contain the types and schemas related to our form fields and their validation. Update the /types.ts
file with the code below:
FormData
represents the structure of the data expected in the form.
FormFieldProps
defines the properties expected by the form field component (which we will build later on). It includes:
type
: The type of the input field (for example, text, password).placeholder
: Placeholder text for the input field.name
: The name of the field, which corresponds to one of the valid field names defined in theValidFieldNames
type.register
: A function fromreact-hook-form
(UseFormRegister<FormData>
) used to register the input field with the form.error
: Represents any validation error associated with the field. It can beundefined
if there are no errors.valueAsNumber
(optional): A boolean flag indicating whether the field value should be treated as a number. Defaults toundefined
.
ValidFieldNames
is a union type that enumerates the valid field names for the form. These correspond to the fields defined in the FormData
type.
How to Create a Form with React-Hook-Form
Now that we have defined the types for the form, let’s create a reusable form field component and the form component.
Create a Reusable Form Field Component
Let’s create a reusable FormField
component that handles rendering an input element, registering it with the form using react-hook-form
, and displaying a validation error message when necessary.
Head on to the /app/components/FormField.tsx
file and update the component:
Imports:
- The component imports the
FormFieldProps
type from the@/types
module. This type contains the expected properties for a form field, such astype
,placeholder
,name
,register
,error
, andvalueAsNumber
.
Input Element:
- The component renders an
<input>
element with attributes set based on the provided props (type
,placeholder
,name
). - The
...register(name, { valueAsNumber })
syntax is used to register the input field with the form, enabling form state management.
Error Handling:
- If there is a validation error, a
<span>
element is rendered, displaying the error message.
Create the Form Component
The Form
component will utilize the react-hook-form
library to manage the form state. It modularizes form fields by using our reusable FormField
component.
Navigate to app/components/Form.tsx
and update it with the code below:
Imports:
- The
useForm
hook provides functionality for managing form state and validation. -
FormData
represents the structure of the form data. FormField
is our reusable form field component.
Form Component:
- Form-related functions and state variables are destructured from the
useForm
hook, which is explicitly typed withFormData
to define the shape of the form data. - Within the form, the
FormField
components are rendered for different input fields such as email, GitHub URL, years of experience, password, and confirm password.
Run Code:
Import the Form
component into /app/page.tsx
file:
Visit http://localhost:3000/ to view the form:
In summary, our Form
component is a basic form structure that uses the react-hook-form
library for state management and employs a reusable FormField
component to handle the rendering and validation of individual form fields.
How to Integrate Zod for Schema Validation
Zod stands out as a schema declaration and validation library, with TypeScript as its primary focus. The term “schema” encompasses various data types, ranging from strings, numbers, and booleans to more complex objects.
Define a Form Schema with Zod
Let’s create a TypeScript-backed form schema using Zod for our form structure.
Head to your /types.ts
file, add the new imports, and create a user schema with the code below:
Imports:
z
is an instance of the Zod object.ZodType
is a generic type that represents a Zod schema type for a specific data structure.
User Schema:
export const UserSchema: ZodType<FormData> = ...
: TheUserSchema
represents a Zod type that corresponds to the structure defined by theFormData
type.z.object({...})
: This part defines an object schema using Zod. The object has several fields, each with its own validation rules.- Inside the object, each field is defined with its own validation rules using Zod methods like
z.string()
,z.url()
,z.number()
, andz.min()
. Optional custom error messages are provided for some of the fields. z.refine((data) => data.password === data.confirmPassword, { /* ... */ });
: Adds a refinement to the schema to check if thepassword
andconfirmPassword
fields match. If not, a custom error message is provided, and the error is associated with theconfirmPassword
field.
How to Integrate Zod with React-Hook-Form for validation
Now that we’ve set up the Zod schema for the form, let’s integrate it with our existing Form component. To do this, we’ll use zodResolver
from the @hookform
library.
zodResolver
is a resolver function that integrates the Zod schema validation with the form validation process.
Head over to the app/components/Form.tsx
file and update it with the code below:
If you try submitting the form with empty input fields, you will see error messages on the browser.
Additionally, our custom error messages, such as prompting users to provide a valid GitHub URL and checking if the passwords match, are demonstrated in the image below:
How to Handle Server-Side Errors
When creating forms, data integrity and type safety are very important, given that submitted data goes to the website’s server. This leads us to the significance of handling server-side errors — an extra security measure to make sure data from the client is accurate and non-malicious.
How to Implement Server-Side Validation
To implement server-side validation, we will leverage Next.js’ backend capabilities to build a simple server. This server will receive and validate the data submitted through our form.
Navigate to app/api/form/route.ts
and include the code below:
Imports:
- The
UserSchema
we defined earlier is imported. -
NextResponse
from thenext/server
module, which allows us to craft server responses in a Next.js environment.
POST Function:
const body = await request.json()
: Retrieves the JSON data from the request body and stores it in thebody
variable.const result = UserSchema.safeParse(body)
: Utilizes thesafeParse
method provided by Zod to validate the received data against theUserSchema
. The result contains information about whether the validation was successful and, if not, details about the validation issues.if (result.success) { return NextResponse.json({ success: true }); }
: If the validation is successful, a JSON response with{ success: true }
is sent.const serverErrors = Object.fromEntries(/* ... */)
: If there are validation errors, the code maps them into an object with field names and corresponding error messages.return NextResponse.json({ errors: serverErrors })
: Responds with a JSON object containing the validation errors.
In your terminal, stop running the project and run npm run dev
again to restart the server.
How to Integrate Server-Side Validation
To integrate the server-side validation, we have to update the onSubmit
function in the Form component.
Head over to the /app/components/Form.tsx
file and update the imports and onSubmit
function:
axios
is used to make a POST request to the server endpoint/api/form
with the form data.- The
errors
object is extracted from the response data. - A mapping (
fieldErrorMapping
) between field names and their correspondingValidFieldNames
is defined. - It then checks if there are any errors related to form fields by iterating over the
fieldErrorMapping
and finding the first field with an error. - If a field with an error is found, the
setError
function fromreact-hook-form
is used to set an error for the corresponding field. The error type is marked as “server,” and the error message comes from the server response. - If there’s an error in the entire try block, it catches the error and displays an alert: “Submitting form failed!”
Now, to test if we can receive errors from the server, we’ll deliberately send improperly formatted data to the server. In your onSubmit
function, replace the data
object with the incorrect data in the code block below:
Fill the form in the browser normally and submit the form.
Inspect the “Network” tab within the browser’s developer tools. You’ll find error messages coming directly from the server, as demonstrated in the image below:
If you’re not getting any response from your server, remember to stop running your project in your terminal and run npm run dev
again to re-start the server.
Conclusion
In this tutorial, we built a form with React-Hook-Form and validated it with Zod. With Zod, we explored schema validation, customized error messages, and server-side errors. The integration of React-Hook-Form and Zod presents a powerful, developer-friendly solution to creating resilient forms.
You can reach out to me on Twitter if you have any questions.
You can check out the source code and the deployed app.
Resources:
[ad_2]
Source link