Performance of React Hook Form
Performance is one of the primary reasons why this library was created. React Hook Form relies on uncontrolled components, which is the reason why the register
function capture ref
. This approach reduces the amount of re-rendering that occurs due to a user typing in an input or other form values changing. Components mount to the page faster than controlled components because they have less overhead. As a reference, there is a quick comparison test that you can refer to at this repo link.
How to create an accessible input error and message?
React Hook Form is based on Uncontrolled Components, which gives you the ability to build an accessible custom form easily.
import React from "react"; import { useForm } from "react-hook-form"; export default function App() { const { register, handleSubmit, formState: { errors } } = useForm(); const onSubmit = data => console.log(data); return ( <form onSubmit={handleSubmit(onSubmit)}> <label htmlFor="firstName">First name</label> <input id="firstName" aria-invalid={errors.firstName ? "true" : "false"} {...register('firstName', { required: true })} /> {errors.firstName && ( <span role="alert"> This field is required </span> )} <input type="submit" /> </form> ); }
Does it work with Class Components?
No, not out of the box. If you wanted to do this, you could build a wrapper around it and use it in your Class Component.
You can’t use Hooks inside of a class component, but you can definitely mix classes and function components with Hooks in a single tree. Whether a component is a class or a function that uses Hooks is an implementation detail of that component. In the longer term, we expect Hooks to be the primary way people write React components.
How to reset the form?
There are two methods to clear the form:
- HTMLFormElement.reset()
This method does the same thing as clicking a form's reset button, and only clears
input/select/checkbox
values. - React Hook Form API:
reset()
React Hook Form's
reset
method will reset all field values, and will also clear allerrors
within the form.
How to initialize form values?
Being that React Hook Form relies on uncontrolled components, you can specify a defaultValue
or defaultChecked
to an individual field. However, it is more common to initialize a form by passing defaultValues
to useForm
.
import React from "react"; import { useForm } from "react-hook-form"; export default function App() { const { register, handleSubmit } = useForm({ defaultValues: { firstName: "bill", lastName: "luo", email: "bluebill1049@hotmail.com" } }); const onSubmit = data => console.log(data); return ( <form onSubmit={handleSubmit(onSubmit)}> <input {...register("firstName")} /> <input {...register("lastName")} /> <input {...register("email")} /> <button type="submit">Submit</button> </form> ); }
How to share ref usage?
React Hook Form needs a ref
to collect the input value, however, you may want to use ref
for other purposes (e.g. scroll into the view, or focus).
import React, { useRef } from "react"; import { useForm } from "react-hook-form"; export default function App() { const { register, handleSubmit } = useForm(); const firstNameRef = useRef(null); const onSubmit = data => console.log(data); const { ref, ...rest } = register('firstName'); return ( <form onSubmit={handleSubmit(onSubmit)}> <input {...rest} name="firstName" ref={(e) => { ref(e) firstNameRef.current = e // you can still assign to ref }} /> <button>Submit</button> </form> ); }
import React, { useRef } from "react"; import { useForm } from "react-hook-form"; type Inputs = { firstName: string, lastName: string, }; export default function App() { const { register, handleSubmit } = useForm<Inputs>(); const firstNameRef = useRef<HTMLInputElement | null>(null); const onSubmit = data => console.log(data); const { ref, ...rest } = register('firstName'); return ( <form onSubmit={handleSubmit(onSubmit)}> <input {...rest} name="firstName" ref={(e) => { ref(e) firstNameRef.current = e // you can still assign to ref }} /> <button>Submit</button> </form> ); }
What if you don't have access to ref?
You can actually register
an input without a ref
. In fact, you can manually setValue
, setError
and trigger
.
Note: Because ref
has not been registered, React Hook Form won't be able to register event listeners to the inputs. This means you will have to manually update value and error.
import React, { useEffect } from "react"; import { useForm } from "react-hook-form"; export default function App() { const { register, handleSubmit, setValue, setError } = useForm(); const onSubmit = data => console.log(data); useEffect(() => { register("firstName", { required: true }); register("lastName"); }, []); return ( <form onSubmit={handleSubmit(onSubmit)}> <input name="firstName" onChange={e => setValue("firstName", e.target.value)} /> <input name="lastName" onChange={e => { const value = e.target.value; if (value === "test") { setError("lastName", "notMatch") } else { setValue("lastName", e.target.value) } }} /> <button>Submit</button> </form> ); }
Why is the first keystroke not working?
Double check if you are using value
instead of defaultValue
.
React Hook Form is based on uncontrolled inputs, which means you don't need to change the input value
via state
via onChange
. This means you don't need value
at all, and in fact, you only need to set defaultValue
for the initial input value.
import { useForm } from 'react-hook-form/dist/index.ie11'; // V6 import { useForm } from 'react-hook-form/dist/react-hook-form.ie11'; // V5' // Resolvers import { yupResolver } from '@hookform/resolvers/dist/ie11/yup';
React Hook Form, Formik or Redux Form?
First of all, all libs try to solve the same problem: make the form building experience as easy as possible. However, there are some fundamental differences between the three. react-hook-form
is built with uncontrolled inputs in mind and tries to provide your form with the best performance and least amount of re-renders as possible. On top of that,react-hook-form
is built with React Hooks and used as a hook, which means there is no Component for you to import. Here are some of the detail differences:
React Hook Form | Formik | Redux Form | |
---|---|---|---|
Component | uncontrolled & controlled | controlled | controlled |
Rendering | minimum re-render | re-render according to local state changes which means as you type in the input. | re-render according to state management lib (Redux) changes which means as you type in the input. |
API | Hooks | Component (RenderProps, Form, Field) + Hooks | Component (RenderProps, Form, Field) |
Package size | Smallreact-hook-form@7.0.0 | Mediumformik@2.1.4 | Largeredux-form@8.3.6 |
Validation | Built-in, Yup, Zod, Joi, Superstruct and build your own. | Build yourself or Yup | Build yourself or Plugins |
Learning curve | Low to Medium | Medium | Medium |
watch vs getValues vs state
watch: subscribe to either all inputs or the specified inputs changes via event listener and re-render based on which fields that are subscribed. Check out this codesandbox for actual behaviour.
getValues: get values that are stored inside the custom hook as reference, fast and cheap. This method doesn’t trigger re-render.
local state: React local state represent more than just input’s state and also decide what to render. This will trigger on each input’s change.
Why is default value not changing correctly with ternary operator?
React Hook Form doesn't control your entire form and inputs, which is the reason why React wouldn't recognize the actual input that has been exchanged or swapped. As a solution, you can resolve this problem by giving a unique key
prop to your input. You can also read more about the key props from this article written by Kent C. Dodds.
import React from "react"; import { useForm } from "react-hook-form"; export default function App() { const { register } = useForm(); return ( <div> {watchChecked ? ( <input {...register("input3")} key="key1" defaultValue="1" /> ) : ( <input {...register("input4")} key="key2" defaultValue="2" /> )} </div> ); }
How to work with modal or tab forms?
It's important to understand React Hook Form embraces native form behavior by storing input state inside each input (except customregister
at useEffect
). One of the common misconceptions is that when working with modal or tab forms, by mounting and unmounting form/inputs that inputs state will remain. That is incorrect. Instead, the correct solution would be to build a new form for your form inside each modal or tab and capture your submission data in local or global state and then do something with the combined data.
Alternatively you can use the _deprecated_ option shouldUnregister: false
when calling `useForm`.
import React from "react"; import { useForm, Controller } from "react-hook-form"; function App() { const { control } = useForm(); return ( <Controller render={({ field }) => <input {...field} />} name="firstName" control={control} defaultValue="" /> ); }
React Native Hermes
If you are have enabled React Native Hermes, please make sure to include Proxy polyfill to enable the render performance enhancement.
We Need Your Support
If you find React Hook Form to be useful in your React project, please star to support the repo and contributors ❤