I'm dipping my toes in the React pool and can't seem to get my head round one aspect mainly around the amount of times the function renders the page.
Using the below example when the form validation fails I see the toast display TWICE.
The toast I am using is react-hot-toast
My understanding is that;
The page first renders and
formErrors
from theuseState()
is empty.When the submit button is pressed it calls the onSubmit function and if the form fails validation it fires
setFormErrors
functionThis causes a re-render of the page, while also populating the
formErrors
variableAs
formErrors
is not falsy etc it then fires thetoast
function.
But when I check the console I see it has fired toast
twice and I see two toasts, this means it's rendered twice? Why is this?
Am I going about this all the wrong way? Is there a better method of using a function like toast to display messages? Should I be putting it all in a context (might not be right terminology) ?
export default function RegistrationPage() {
const [formErrors, setFormErrors] = useState({})
const passwordField = useRef()
const password2Field = useRef()
useEffect(()=>{
usernameField.current.focus()
})
const onSubmit = (ev) =>{
ev.preventDefault()
if(passwordField.current.value !== password2Field.current.value){
setFormErrors({"password2": "Passwords do not match"})
}else{
console.log("Need to implement")
}
}
if(formErrors && Object.keys(formErrors).length > 0){
toast('Here is your toast.');
console.log("Toast Fired");
}
return (
<Body>
<h1>Login</h1>
<Form onSubmit={onSubmit}>
<InputField fieldRef={usernameField} name="username" label="Username" error={formErrors?.username}></InputField>
<InputField fieldRef={emailField} name="email" label="Email Address" type="email" error={formErrors?.email}></InputField>
<InputField fieldRef={passwordField} name="password" label="password" type="password" error={formErrors?.password}></InputField>
<InputField fieldRef={password2Field} name="password2" label="password again" type="password" error={formErrors?.password2}></InputField>
<Button variant="primary" type="submit">Register</Button>
</Form>
</Body>
);
}
CodePudding user response:
I am not familiar with the <InputField>
but I reckon error gets displayed right?
It probably toasts and then rerenders the error and then toasts again after because you still have the error there.
What you probably want is
useEffect(() => { //Code you want excecuted like toasting / alerting }, [formErrors]);
Which fires the code in the useEffect scope everytime the variable in the array gets updated.
Or you'd want to toast inside the scope that sets the form error which is simpler and arguably more elegant.
Also this is me being nosy but these inputfields could be self closing like this : <InputField props={props} />
UX wise its also probably better to show invalid input before the user clicks register or to also stop them from clicking it all together.
Hope this helps, happy coding!