12

我正在尝试使用 yup 概念实现对反应选择(单选)的验证。但我收到此错误:

对象作为 React 子对象无效(找到:带有键 {label, value} 的对象)。如果您打算渲染一组子项,请改用数组。

我想知道如何在验证模式中为 yup 概念分配对象

<Formik
  initialValues={{
    department:"",
  }}
  onSubmit={this.submitForm}
  validationSchema={Yup.object().shape({
    department: Yup.object().shape({
      label: Yup.string().required(),
      value: Yup.string().required(),
    }),
})}>
{ props => {
  const {
    values,
    touched,
    errors,
    isSubmitting,
    handleChange,
    handleBlur,
    handleSubmit,
    selectedOption
  } = props;
  return (
    <React.Fragment>

    <InputLabel shrink htmlFor={'department'}>
    Department</InputLabel>
    <Select
          inputId="department"
          options={options}
          value={values.department}
          onChange={this.onChangeOption}
          onBlur={handleBlur}         
       />
{errors.department && touched.department && ( {errors.department} )} 
Submit </div> </React.Fragment> ); }} 
4

2 回答 2

18

我想知道如何在验证模式中为 yup 概念分配对象

你做对了(据我所知):

validationSchema={Yup.object().shape({
  department: Yup.object().shape({
    label: Yup.string().required(),
    value: Yup.string().required(),
  })
}

React 抱怨的是这一行:

{errors.department && touched.department && ( {errors.department} )} 

这个评估是如果errors有一个键被调用department并且如果touched有一个键被调用department然后渲染对象errors.department。React 无法做到这一点。如果您想显示错误,我建议<p>您在选择之外为其设置一个专用组件(例如标签)。像这样的东西:

{errors.department && touched.department && (<p>{errors.department.label}</p>)}

您可以为value.

PS:您的代码似乎不完整且格式不正确(例如,有一个浮动<div />标签)。

于 2019-02-28T14:42:37.277 回答
2

nullable()您可以使用和优化形状架构required()

例子

const requiredOption = Yup.object()
  .shape({
    value: Yup.string(),
    label: Yup.string(),
  })
  .nullable()
  .required('This field is required.');

为什么nullable()required()形状!

  1. 如果输入被聚焦并且用户决定跳过输入,则该输入的值仍设置为 null 并触发验证。最终,您会遇到这样的错误。

输入必须是一个object类型,但最终值为:null。如果“null”旨在作为空值,请务必将架构标记为 .nullable()

  1. 如果您确定所有属性都是必需的,则可以直接在对象形状上调用所需的函数,而不是对形状模式的各个属性进行要求。
于 2020-11-10T19:11:24.567 回答