0

我需要做无限滚动,所以我首先想到的是,我怎么知道表格的滚动属性?以便我可以决定加载更多项目并更新状态?

就像,如何知道仍然只有 10 个项目没有看到(超出视口)?

4

1 回答 1

1

我刚刚在 codepen.io 上写了一个无限滚动的 ReactJS演示,请检查一下,至少给我一个UP,谢谢,哈哈。

不知道我是否能解释清楚,但我已经尽力了:)

我怎么知道表格的滚动属性

Answer当您进行无限滚动时,您决定加载更多内容的时刻是最后一个列表元素位于底部时。首先,我们需要定义一个边界和一个规则,当用户滚动页面时,你会从哪里获取更多的数据。

在我的演示中,我将容器的底线设置为数据获取边界。

// jsx
<div className="container" ref={ref => this.container = ref}>
  { list.map((item, index) => (
    <p className="list-item" key={`item-${index}`}>{ item.name }</p>
  ))}

  <div ref={ref => this.bottomLine = ref}></div>
</div>

// listen to the scroll event of the container
// when the bottom-line element reaches the bottom of the container
// fetchData() will be triggered

componentDidMount() {
  this.container.addEventListener('scroll', () => {
    const CONTAINER_HEIGHT = this.container.getBoundingClientRect().height;
    const { top: bottomLineOffsetTop } = this.bottomLine.getBoundingClientRect();

    if (bottomLineOffsetTop <= CONTAINER_HEIGHT) {
      console.log('load more data');
      this.fetchData();
    }
  });
}

如何知道仍然只有 10 个项目没有看到(超出视口)

Answer此外,您需要一个规则来标记您是否有更多数据要加载,或者只是标记有noMoreData并停止加载。

事实上,在生产环境中,我们不会统计剩余的物品数量,或者我们可能不知道。由于我们需要从服务器端请求数据,比如 RESTful API,只有这样我们才能知道是否还有更多的项目。

例如,我从 请求数据xx.api.com/getList?pageNo=1&size=10,即从第一页开始,我希望每页的长度为 10。

如果它响应一个空数组或一个长度小于 10 的数组,那么我可以将状态标记noMoreDatatrue. if (noMoreData === true),fetchData()只会返回,不会再从 api 请求数据。

fetchData() {
    const { list, pageNo, displayCount, noMoreData } = this.state;

    if (noMoreData) {
      console.log('no more data');
      return;
    }

    if (pageNo > 6) {
      // no more data
      this.setState({
        noMoreData: true
      });
    } else {
      let responseList = [];

      // mock the response of a API request
      for(let i = 0; i < 5; i++) {
        responseList.push({
          name: `from-page-${pageNo}`
        });
      }

      this.setState({
        list: [ ...list, ...responseList ],
        pageNo: pageNo + 1
      });
    }
  }
于 2018-04-16T14:45:40.793 回答