React学习之进阶ref的必要性(十三)

前端之家收集整理的这篇文章主要介绍了React学习之进阶ref的必要性(十三)前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

在一般的数据流中也就是从上而下的单向数据流中,我们一般都是父组件要影响控制子组件必须要通过props来处理,即便是之前讲过this.state,但是那个东西也是针对自己的,而不是增对其它组件的,组件之间的影响到目前为止只能通过props来处理,这会非常的麻烦,所以React提供了一个特殊的接口来处理这种事件。

ref的用处

ref用在处理表单空间聚焦,文本选择,媒体播放以及触发动画效果等等

官方强调不要用ref直接去做非常明显的事件,比如说Dialog组件打开和关闭open()close()可以通过isOpen去控制,而不是明显的函数处理

ref是一个React的非常特殊的属性,这个属性一定是接受一个回调函数,这个回调函数会在组件渲染时进行执行一遍,在从视图中撤出来时会执行一遍

1.为DOM元素增加ref

当我们用为HTML元素增加ref属性时,我们的ref会传递一个参数给回调函数

  1. class CustomTextInput extends React.Component {
  2. constructor(props) {
  3. super(props);
  4. this.focus = this.focus.bind(this);
  5. }
  6. focus() {
  7. this.textInput.focus();
  8. }
  9. render() {
  10. return (
  11. <div>
  12. <input
  13. type="text"
  14. ref={(input) => { this.textInput = input; }} />
  15. <input
  16. type="button"
  17. value="Focus the text input"
  18. onClick={this.focus}
  19. />
  20. </div>
  21. );
  22. }
  23. }

React在组件渲染时调用回调函数时,这个参数就是DOM元素本身,在撤离视图时会返回null

2.为类组件增加ref

HTML元素一样,为类组件调用ref回调函数的时机是一样的,只是参数是组件的一个实例

  1. class AutoFocusTextInput extends React.Component {
  2. componentDidMount() {
  3. this.textInput.focus();
  4. }
  5. render() {
  6. return (
  7. <CustomTextInput
  8. ref={(input) => { this.textInput = input; }} />
  9. );
  10. }
  11. }

3.ref函数式组件中不可用

不要企图在函数式组件中使用ref属性来进行回调函数的绑定,因为函数式组件是没有实例的,准确的说函数式组件不是一个真正的类

  1. function MyFunctionalComponent() {
  2. return <input />;
  3. }
  4. class Parent extends React.Component {
  5. render() {
  6. // 这将会出问题
  7. return (
  8. <MyFunctionalComponent
  9. ref={(input) => { this.textInput = input; }} />
  10. );
  11. }
  12. }

就前面一篇博客提到的,我们应该将函数式组件转换为类组件,才能使用ref属性,当然虽然无法对函数式组件使用ref属性,但是为函数式组件里面的HTML元素和类组件使用ref属性是可以的

  1. function CustomTextInput(props) {
  2. let textInput = null;
  3. function handleClick() {
  4. textInput.focus();
  5. }
  6. return (
  7. <div>
  8. <input
  9. type="text"
  10. ref={(input) => { textInput = input; }} />
  11. <input
  12. type="button"
  13. value="Focus the text input"
  14. onClick={handleClick}
  15. />
  16. </div>
  17. );
  18. }

不要过度的使用ref属性

ref从一定程度上增加了组件之间的耦合性,导致难以分离,所以如果可以用props来处理的事情,尽量不要用ref来处理

过时的refs字符串

在以前的一些React版本通过this.refs可以获取一个字符串,这个方法在将来会被抛弃所以请不要使用,即便是ref可以设置为一个字符串,但是强烈建议用回调函数

下一篇将讲React中的非控制型组件

猜你在找的React相关文章