setError:(name: string, error: FieldError, { shouldFocus?: boolean }) => void
The function allows you to manually set one or more errors.
Rules
This method will not persist the associated input error if the input passes validation.
An error that is not associated with an input field will be persisted until cleared with
clearErrors
.Can be useful in the
handleSubmit
method when you want to give error feedback to a user after async validation. (ex: API returns validation errors)shouldFocus
doesn't work when an input has been disabled.
Props
Name | Type | Description |
---|---|---|
name | string | input's name. |
error | { type: string, message?: string } | Set an error with its type and message. |
config | { shouldFocus?: boolean } | Should focus the input during setting an error. This only works when the input's reference is registered, it will not work for custom register as well. |
import React from "react"; import { useForm } from "react-hook-form"; const App = () => { const { register, handleSubmit, setError, formState: { errors } } = useForm(); const onSubmit = data => { console.log(data) }; const { onChange, ...rest } = register("username"); return ( <form onSubmit={handleSubmit(onSubmit)}> <input onChange={(e) => { setError("username", { type: "manual", message: "Dont Forget Your Username Should Be Cool!", }); onChange(e); }} {...rest} /> {errors.username && <p>{errors.username.message}</p>} <button type="button" onClick={() => { setError("test", { type: "focus" }, { shouldFocus: true }); }} > Set Error Focus </button> <input type="submit" /> </form> ); };
import * as React from "react"; import { useForm } from "react-hook-form"; type FormInputs = { username: string; }; const App = () => { const { register, handleSubmit, setError, errors } = useForm<FormInputs>(); const onSubmit = (data: FormInputs) => { console.log(data) }; React.useEffect(() => { setError("username", { type: "manual", message: "Dont Forget Your Username Should Be Cool!" }); }, [setError]) return ( <form onSubmit={handleSubmit(onSubmit)}> <input {...register("username")} /> {errors.username && <p>{errors.username.message}</p>} <input type="submit" /> </form> ); };