开发者问题收集

一个组件正在更改类型文本的不受控制的输入,以控制ReactJ中的错误

2017-10-30
712872

Warning: A component is changing an uncontrolled input of type text to be controlled. Input elements should not switch from uncontrolled to controlled (or vice versa). Decide between using a controlled or uncontrolled input element for the lifetime of the component.*

以下是我的代码:

constructor(props) {
  super(props);
  this.state = {
    fields: {},
    errors: {}
  }
  this.onSubmit = this.onSubmit.bind(this);
}

....

onChange(field, e){
  let fields = this.state.fields;
  fields[field] = e.target.value;
  this.setState({fields});
}

....

render() {
  return(
    <div className="form-group">
      <input
        value={this.state.fields["name"]}
        onChange={this.onChange.bind(this, "name")}
        className="form-control"
        type="text"
        refs="name"
        placeholder="Name *"
      />
      <span style={{color: "red"}}>{this.state.errors["name"]}</span>
    </div>
  )
}
3个回答

原因是,在状态下你定义了:

this.state = { fields: {} }

fields 为空白对象,因此在第一次渲染期间 this.state.fields.name 将为 undefined ,并且输入字段将获得其值为:

value={undefined}

因此,输入字段将变得不受控制。

一旦你在输入中输入任何值,状态下的 fields 就会更改为:

this.state = { fields: {name: 'xyz'} }

此时输入字段将转换为受控组件;这就是您收到错误的原因:

A component is changing an uncontrolled input of type text to be controlled.

可能的解决方案:

1- 将状态中的 fields 定义为:

this.state = { fields: {name: ''} }

2- 或者使用 短路评估 定义值属性,如下所示:

value={this.state.fields.name || ''}   // (undefined || '') = ''
Mayank Shukla
2017-10-30

value 更改为 defaultValue 将解决该问题。

注意

defaultValue is only for the initial load. If you want to initialize the input then you should use defaultValue , but if you want to use state to change the value then you need to use value . Read this for more.

我在 input 中使用了 value={this.state.input ||""> 来消除该警告。

MoFoLuWaSo
2019-10-07

在组件内部按以下方式放置输入框。

<input
    className="class-name"
    type= "text"
    id="id-123"
    value={ this.state.value || "" }
    name="field-name"
    placeholder="Enter Name"
/>
Tabish
2019-11-12