如何在React中附加到无状态组件的ref?


77

我希望创建一个无状态组件,其input元素可以由父组件验证。

在下面的示例中,我遇到了一个问题,即输入ref从未分配给父级的私有_emailAddress属性。

何时handleSubmit调用,this._emailAddressundefined。是否有我缺少的东西,或者有更好的方法来做到这一点?

interface FormTestState {
    errors: string;
}

class FormTest extends React.Component<void, FormTestState> {
    componentWillMount() {
        this.setState({ errors: '' });
    }

    render(): JSX.Element {
        return (
            <main role='main' className='about_us'>             
                <form onSubmit={this._handleSubmit.bind(this)}>
                    <TextInput 
                        label='email'
                        inputName='txtInput'
                        ariaLabel='email'
                        validation={this.state.errors}
                        ref={r => this._emailAddress = r}
                    />

                    <button type='submit'>submit</button>
                </form>
            </main>
        );
    }

    private _emailAddress: HTMLInputElement;

    private _handleSubmit(event: Event): void {
        event.preventDefault();
        // this._emailAddress is undefined
        if (!Validators.isEmail(this._emailAddress.value)) {
            this.setState({ errors: 'Please enter an email address.' });
        } else {
            this.setState({ errors: 'All Good.' });
        }
    }
}

const TextInput = ({ label, inputName, ariaLabel, validation, ref }: { label: string; inputName: string; ariaLabel: string; validation?: string; ref: (ref: HTMLInputElement) => void }) => (
    <div>
        <label htmlFor='txt_register_first_name'>
            { label }
        </label>

        <input type='text' id={inputName} name={inputName} className='input ' aria-label={ariaLabel} ref={ref} />

        <div className='input_validation'>
            <span>{validation}</span>
        </div>
    </div>
);

console.log在您的ref函数中添加一个函数,以查看它是否被调用
Nitzan Tomer

Answers:


64

编辑:您现在可以使用React Hooks。请参阅Ante Gulin的答案。

您无法访问做出反应等的方法(例如componentDidMountcomponentWillReceiveProps在无状态组件等)在内refs在GH上查看此讨论以获取完整内容。

无状态的想法是没有为其创建一个实例(状态)。因此,您无法附加ref,因为没有将引用附加到的状态。

最好的选择是在组件更改时传递回调,然后将该文本分配给父级的状态。

或者,您可以完全放弃无状态组件,而使用普通的类组件。

从文档...

您不能在功能组件上使用ref属性,因为它们没有实例。但是,您可以在功能组件的render函数内使用ref属性。

function CustomTextInput(props) {
  // textInput must be declared here so the ref callback can refer to it
  let textInput = null;

  function handleClick() {
    textInput.focus();
  }

  return (
    <div>
      <input
        type="text"
        ref={(input) => { textInput = input; }} />
      <input
        type="button"
        value="Focus the text input"
        onClick={handleClick}
      />
    </div>
  );  
}

@jasan您是否将输入包装在另一个组件中?如果是这样,则需要在该类上公开focus方法。如果仍然有问题,请在调用focus时检查textInput的值。
布拉德B

是的,我正在使用redux-form中的Field。我找到了解决方案。欢呼声
jasan

1
好了,您仍然可以通过以下方式访问ref:将ref的值通过prop函数传递给父对象,在无状态组件do上 ref={input => innerRef(input)} ,在父对象上使用传递的prop就像正常使用ref一样; innerRef={input => this.customInputRef = input}
Eyo Okon Eyo

1
完美,谢谢
Neo

正是我想要的
Laurent

128

您可以使用useRef从开始可用的hook v16.7.0-alpha

编辑:建议您在16.8.0发行版中在生产中使用Hooks !

挂钩使您能够维护状态并处理功能组件中的副作用。

function TextInputWithFocusButton() {
  const inputEl = useRef(null);
  const onButtonClick = () => {
    // `current` points to the mounted text input element
    inputEl.current.focus();
  };
  return (
    <>
      <input ref={inputEl} type="text" />
      <button onClick={onButtonClick}>Focus the input</button>
    </>
  );
}

Hooks API文档中了解更多信息


3
@Jafarrezaei是的,钩子目前处于alpha状态,但肯定会被采用。
Ante Gulin

1
@AnteGulin是的,它将被采用,但是它是ALPHA。这意味着它可能不稳定,无法保证当前的API会成为最终产品的原动力。它仅用于测试和反馈,不用于生产。
user2223059

19
为什么回答问题我会感到沮丧?我没有提倡在生产中使用,OP也没有提出建议。问题是您是否可以在无状态组件中使用Refs,答案是“是”,钩子可以做到这一点。
Ante Gulin

5
它超出了alpha范围,甚至在本机响应时,现在7u7
ValdaXD

它对我的功能组件不起作用
Praveen Saboji

2

TextInput的值仅是组件的状态。因此,无需获取具有引用的当前值(就我所知,一般而言,这是一个坏主意),而是可以获取当前状态。

在简化版本中(无输入):

class Form extends React.Component {
  constructor() {
    this.state = { _emailAddress: '' };

    this.updateEmailAddress = this.updateEmailAddress.bind(this);
    this.handleSubmit = this.handleSubmit.bind(this);
  }

  updateEmailAddress(e) {
    this.setState({ _emailAddress: e.target.value });
  }

  handleSubmit() {
    console.log(this.state._emailAddress);
  }

  render() {
    return (
      <form onSubmit={this.handleSubmit}>
        <input
          value={this.state._emailAddress}
          onChange={this.updateEmailAddress}
        />
      </form>
    );
  }
}

1
当表单冗长时,分配给状态会有点困难,这就是为什么我尝试使用来解决这个问题的原因ref。我完全同意我在这里尝试做的事情是不可能的,但是您介意解释一下,还是参考一篇文章,解释为什么使用ref通常是一个坏主意?
drewwyatt '16

也许您可以在多个层次上组成您的组件?:试试这个问题stackoverflow.com/questions/29503213/...

1
有一个忠告这里:facebook.github.io/react/docs/...
布拉德乙

2

这很晚了,但我发现这种解决方案要好得多。注意它如何使用useRef以及当前属性下如何使用属性。

function CustomTextInput(props) {
  // textInput must be declared here so the ref can refer to it
  const textInput = useRef(null);

  function handleClick() {
    textInput.current.focus();
  }

  return (
    <div>
      <input
        type="text"
        ref={textInput} />
      <input
        type="button"
        value="Focus the text input"
        onClick={handleClick}
      />
    </div>
  );
}

有关更多参考,请参阅react docs


1

您还可以通过一些管道将参考引入功能组件

import React, { useEffect, useRef } from 'react';

// Main functional, complex component
const Canvas = (props) => {
  const canvasRef = useRef(null);

    // Canvas State
  const [canvasState, setCanvasState] = useState({
      stage: null,
      layer: null,
      context: null,
      canvas: null,
      image: null
  });

  useEffect(() => {
    canvasRef.current = canvasState;
    props.getRef(canvasRef);
  }, [canvasState]);


  // Initialize canvas
  useEffect(() => {
    setupCanvas();
  }, []);

  // ... I'm using this for a Konva canvas with external controls ...

  return (<div>...</div>);
}

// Toolbar which can do things to the canvas
const Toolbar = (props) => {
  console.log("Toolbar", props.canvasRef)

  // ...
}

// Parent which collects the ref from Canvas and passes to Toolbar
const CanvasView = (props) => {
  const canvasRef = useRef(null);

  return (
    <Toolbar canvasRef={canvasRef} />
    <Canvas getRef={ ref => canvasRef.current = ref.current } />
}
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.