1

我有一个无状态组件,称为 FlexibleInput。

import React, { PropTypes } from 'react'

export default function FlexibleInput({
  id,
  label,
  defaultValue,
  type,
  onChange,
}){
  let fieldClass = `${id}-field`
  return (
    <fieldset className={fieldClass}>
      <label htmlFor={id}>{label}</label>
      <input
        key={id}
        id={id}
        type={type}
        defaultValue={defaultValue}
        onChange={onChange}
        />
    </fieldset>
  )
}

FlexibleInput.propTypes = {
  id: PropTypes.string.isRequired,
  label: PropTypes.string.isRequired,
  defaultValue: PropTypes.string.isRequired,
  type: PropTypes.string.isRequired, // accepts "text", "password" atm.
  onChange: PropTypes.func.isRequired,
}

我在一个名为 AddNote 的表单中使用这个 FlexibleInput。

<form
  className="note-list__add-note"
  onSubmit={this.addNote}
  ref={`${this.props.type}-addNoteForm`}
  >
  <FlexibleInput
    id="note"
    label="Awaiting changes..."
    type="text"
    defaultValue=""
    onChange={(e) => this.setState({ content: e.target.value })}
    />

使用 this.addNote 函数提交后...我希望能够重置 FlexibleInput 输入值。

我已经设法做了一个丑陋的屁股黑客版本......

this.refs[`${this.props.type}-addNoteForm`]
  .childNodes[0].childNodes[1].value = ''

哪个设法正确重置该值。这很容易改变,因为 FlexibleInput 的结构可能会改变?我不知道,希望不会。

但我的主要问题是,有没有办法我可以做某种

this.refs[bla bla].find(#input)

或者?

在 React/ReactDOM 文档中,哪个 api 可用于ref.

谢谢!

4

1 回答 1

3

您可以创建一个受控组件,其中使用组件状态设置输入的值:

<form
  className="note-list__add-note"
  onSubmit={this.addNote}
  ref={`${this.props.type}-addNoteForm`}
  >
  <FlexibleInput
    id="note"
    label="Awaiting changes..."
    type="text"
    defaultValue=""
    value={this.state.content}
    onChange={(e) => this.setState({ content: e.target.value })}
  />

然后你只需要在this.addNote方法中重置内容值:

addNote() {
  this.setState({ content: '' });
}

注意确保正确绑定 addNote 以确保正确引用 this.setState。

于 2016-11-24T22:32:14.977 回答