2

有什么方法可以获取包装组件的 DOM 高度?

我尝试添加一个 ref 但控制台错误我Function components cannot be given refs.

我设置了forward ref,但似乎并非如此。

export default function withInfiniteScroll(Component) {  
  return class extends React.Component {
    componentDidMount() {
      window.addEventListener('scroll', this.onScroll, true);
    }
    onScroll = () => {
      // here
      console.log(
        'window.innerHeight', window.innerHeight,
        '\ndocument.body.offsetHeight', document.body.offsetHeight,
      );
    }
    render() {
      return <Component {...this.props} />;
    }
  };
}

我想记录 的高度Component,但是这些日志没有意义,它们是 html-body 的高度而不是Component's。

window.innerHeight 767 
document.body.offsetHeight 767 

但是当我在 chrome 控制台中时:

console.log(document.getElementsByClassName('home-container')[0].clientHeight)
> 1484

'home-container'是一个包装的组件:

withInfiniteScroll(HomeContainer);
4

1 回答 1

3

被包装的组件应该通过以下方式向底层 DOM 元素公开一个 ref forwardRef

function withInfiniteScroll(Component) {  
  return class extends React.Component {
    ref = React.createRef();

    componentDidMount() {
      window.addEventListener('scroll', this.onScroll, true);
    }

    onScroll = () => {
      console.log(this.ref.current.clientHeight);
    }

    render() {
      return <Component ref={this.ref} {...this.props} />;
    }
  };
}

const Foo = React.forwardRef((props, ref) => (
  <div ref={ref}>Foo</div>
));

const FooWithScroll = withInfiniteScroll(Foo);

或者包装组件应该添加容器 DOM 元素:

function withInfiniteScroll(Component) {  
  return class extends React.Component {
    // ...same as above

    render() {
      return <div ref={this.ref}><Component {...this.props} /></div>
    }
  };
}
于 2018-12-22T09:00:20.093 回答