在React中没有得到ref函数

问题描述 投票:0回答:1

以下是我的源代码,其中我试图获取我的组件的引用,并检查单击是否发生在组件外部,但我收到错误,因为它未定义。让我知道我在这里做错了什么。

代码 -

// @flow
import { PureComponent, createRef } from 'react';
import type { Props, State } from 'types';

class MyComponent extends PureComponent<Props, State> {
  static defaultProps = {
    myComponentBody: ''
  };

  state: State = {
    showMyComponent: false,
  };

  wrapperRef: { current: null | HTMLDivElement } = createRef();

  componentDidMount() {
    document.addEventListener('mousedown', this.handleClickOutside);
  }

  componentWillUnmount() {
    document.removeEventListener('mousedown', this.handleClickOutside);
  }

  handleClickOutside(e: SyntheticEvent<>) {
    console.log(`Inside --->`); // This function is triggering
    console.log(this); // I am getting #document whole html
    console.log(this.wrapperRef); // undefined
    console.log(wrapperRef); // Uncaught ReferenceError: wrapperRef is not defined
    if (this.wrapperRef && !this.wrapperRef.contains(e.target)) {
      this.setState({
        showMyComponent: false,
      });
    }
  }

  handleClick(e: SyntheticEvent<>) {
    this.setState({
      showMyComponent: true,
    });
  }

  render() {
    const { myComponentBody } = this.props;
    return (
      <div onClick={e => this.handleClick(e)} ref={this.wrapperRef}>
        {this.props.children}
        {this.state.showMyComponent && (
          <div>
            <div>{myComponentBody}</div>
          </div>
        )}
      </div>
    );
  }
}
javascript reactjs flowtype react-ref
1个回答
1
投票

因为您想要访问它,这是您当前类的上下文。

有几种方法可以解决这个问题。

1.在构造函数中绑定你的handleClickOutside

constructor(props){
    super(props);
    this.handleClickOutside = this.handleClickOutside.bind(this);
}

2.变换handleClickOutside,成为箭头函数。

  handleClickOutside = (e: SyntheticEvent<>) => {
    console.log(`Inside --->`); // This function is triggering
    console.log(this); // I am getting #document whole html
    console.log(this.wrapperRef); // undefined
    console.log(wrapperRef); // Uncaught ReferenceError: wrapperRef is not defined
    if (this.wrapperRef && !this.wrapperRef.contains(e.target)) {
      this.setState({
        showMyComponent: false,
      });
    }
  }

3.或者您可以在click事件中绑定它

    return (
      <div onClick={this.handleClick.bind(this)} ref={this.wrapperRef}>
        {this.props.children}
        {this.state.showMyComponent && (
          <div>
            <div>{myComponentBody}</div>
          </div>
        )}
      </div>
    );
© www.soinside.com 2019 - 2024. All rights reserved.