React Formik:如何使用自定义 onChange 和 onBlur

IT技术 javascript forms reactjs
2021-04-27 08:25:51

我开始使用formik库进行 react,我无法弄清楚props handleChange 和 handleBlur 的用法。

根据文档,可以将 handleBlur 设置为 上的props<Formik/>,然后必须手动向下传递到<input/>.

我已经尝试过了,但没有成功:(为了更清晰,我保留了有关 handleBlur 的代码)

import React from "react";
import { Formik, Field, Form } from "formik";
import { indexBy, map, compose } from "ramda";
import { withReducer } from "recompose";

const MyInput = ({ field, form, handleBlur, ...rest }) =>
  <div>
    <input {...field} onBlur={handleBlur} {...rest} />
    {form.errors[field.name] &&
      form.touched[field.name] &&
      <div>
        {form.errors[field.name]}
      </div>}
  </div>;

const indexById = indexBy(o => o.id);
const mapToEmpty = map(() => "");

const EmailsForm = ({ fieldsList }) =>
  <Formik
    initialValues={compose(mapToEmpty, indexById)(fieldsList)}
    validate={values => {
      // console.log("validate", { values });
      const errors = { values };
      return errors;
    }}
    onSubmit={values => {
      console.log("onSubmit", { values });
    }}
    handleBlur={e => console.log("bluuuuurr", { e })}
    render={({ isSubmitting, handleBlur }) =>
      <Form>
        <Field
          component={MyInput}
          name="email"
          type="email"
          handleBlur={handleBlur}
        />
        <button type="submit" disabled={isSubmitting}>
          Submit
        </button>
      </Form>}
  />;

这种方法有什么问题?实际上应该如何使用 handleBlur 和 handleChange ?

2个回答

您需要删除第一个handleBlurfromFormik因为模糊事件仅在字段级别有效,并在您的 Field 元素中执行以下操作:

<Field
    component={MyInput}
    name="email"
    type="email"
    onBlur={e => {
        // call the built-in handleBur
        handleBlur(e)
        // and do something about e
        let someValue = e.currentTarget.value
        ...
    }}
/>

https://github.com/jaredpalmer/formik/issues/157

我使用 onChange 方法遇到了同样的问题,我认为这在 formik props 中不存在。

所以我使用了 onSubmit 方法,因为它在 formik props 中可用,它为我们提供字段值,然后将该值传递给关注函数,就像这样......

<Formik
          initialValues={initialValues}
          validationSchema={signInSchema}
          onSubmit={(values) => {
            registerWithApp(values);
            console.log(values);
          }}
        >

在那里你可以使用,我只是更新了状态并将它传递给 axios 就像这样......

    const [user, setUser] = useState({
    name: "",
    email: "",
    password: ""
  });

  const registerWithApp = (data) => {
    const { name, email, password } = data;
    setUser({
      name:name,
      email:email,
      password:password
    })
   
    if (name && email && password) {
      axios.post("http://localhost:5000/signup", user)
        .then(res => console.log(res.data))
    }
    else {
      alert("invalid input")
    };
  }

和它的工作......我希望它可以帮助你。