我们经常会遇到有大量的数据需要使用表格的形式展示在界面上的场景,通常一些表格组件会提供虚拟滚动的能力来解决这个场景中出现的性能问题。那么你是否有想过,虚拟滚动是如何实现的吗?今天笔者就带一起尝试写一个这样的组件。

交互效果图:
1.gif

整个需求很简单,也比较容易理解,就不废话了。

定义属性

Table 组件可以定义的属性很多,但在本示例中我们只看虚拟滚动的实现,故暂且把其他的属性都放到一边不理。但有两个是表格组件的基础,是不能不理会的,那就是 dataSource 和 columns。同样的,columns 在本文中也是最简配置。简单说明如下:

  • dataSource:用于显示的表格内数据,数据结构为对象数组;
  • columns: 用于定义表格列信息,数据结构也为对象数组;对象必须包含 code, name, width 三个字段
    • code: 用于显示数据的字段Key,对应 dataSource 对象中的Key
    • name: 列标题名称,展示在表头中
    • width: 列的宽度,每个列可以设置自己的宽度;

根据以上定义,构建以下测试数据:

  1. // 因为要模拟大数据量,真的一条一条 mock 数据是不现实的,写两个小函数吧
  2. // 构建 dataSource 数据
  3. const createDataSource = (rows, cols) => {
  4. const result = [];
  5. for (let i = 0; i < rows; i++) {
  6. const item = {};
  7. for (let j = 0; j < cols; j++) {
  8. item[`col_${j}`] = `ROW--${i}, COLUMN--${j}`;
  9. }
  10. result.push(item);
  11. }
  12. return result;
  13. };
  14. // 构建 columns 列信息
  15. const createColumns = (data) => {
  16. const item = data[0];
  17. const columns = [];
  18. Object.keys(item).forEach((key) => {
  19. columns.push({
  20. code: key,
  21. name: key,
  22. width: 180,
  23. });
  24. });
  25. return columns;
  26. };

构建基本表格

先构建一个表格头部固定,内容区域可以进行横向、纵向滚动的基本组件来。直接使用一个 table 标签是无法达到这个效果的。所以我们需要把 Header 和 Body 放在两个容器中,并配上相应的样式。代码如下:

UseVirtualTable.jsx

  1. import React, { PureComponent } from 'react';
  2. import './UseVirtualTable.less';
  3. class UseVirtualTable extends PureComponent {
  4. tableHeaderRender = () => {
  5. const { columns } = this.props;
  6. const cols = [];
  7. const ths = [];
  8. columns.forEach((col, i) => {
  9. const { code, name, width = 160 } = col;
  10. const key = `${key}-${i}`;
  11. cols.push(<col key={key} width={`${width}px`} />);
  12. ths.push(<th key={key} className="table-header-cell">{name}</th>);
  13. });
  14. return (
  15. <div className="table-header" ref={this.getTableHeaderDom}>
  16. <table>
  17. <colgroup>{cols}</colgroup>
  18. <thead>
  19. <tr className='table-header-row'>{ths}</tr>
  20. </thead>
  21. </table>
  22. </div>
  23. );
  24. };
  25. tableBodyRender = () => {
  26. const { columns, dataSource = [] } = this.props;
  27. const cols = [];
  28. columns.forEach((col, i) => {
  29. const { code, width = 160 } = col;
  30. cols.push(<col key={`${code}-${i}`} width={`${width}px`} />);
  31. });
  32. return (
  33. <div className="table-body">
  34. <table>
  35. <colgroup>{cols}</colgroup>
  36. <tbody>
  37. {dataSource.map((row, i) => {
  38. return (
  39. <tr className="table-row" key={i} data-rowindex={i}>
  40. {columns.map(({ code }, j) => {
  41. return <td className="table-cell" key={`${code}-${j}`} data-colindex={j}>{row[code]}</td>;
  42. })}
  43. </tr>
  44. );
  45. })}
  46. </tbody>
  47. </table>
  48. </div>
  49. );
  50. };
  51. render() {
  52. return (
  53. <div className="use-virtual-table">
  54. <div className="use-virtual-table-body">
  55. {this.tableHeaderRender()}
  56. {this.tableBodyRender()}
  57. </div>
  58. </div>
  59. );
  60. }
  61. }
  62. export default UseVirtualTable;

UseVirtualTable.less

  1. .use-virtual-table {
  2. --border-color: #eee;
  3. --th-background-color: #f5f5f5;
  4. --table-header-height: 34px;
  5. position: relative;
  6. height: 100%; // 与容器高度保持一致
  7. width: 100%;
  8. .use-virtual-table-body {
  9. display: flex;
  10. flex-direction: column;
  11. width: 100%;
  12. height: 100%;
  13. background-color: var(--th-background-color);
  14. overflow-y: hidden; // 这个表格区域实现横向滚动
  15. overflow-x: auto;
  16. }
  17. table {
  18. table-layout: fixed;
  19. width: 100%;
  20. border-collapse: separate;
  21. border-spacing: 0;
  22. }
  23. .table-header {
  24. flex-shrink: 0;
  25. height: var(--table-header-height);
  26. th.table-header-cell {
  27. border-top: 1px solid var(--border-color);
  28. border-left: 1px solid var(--border-color);
  29. border-bottom: 1px solid var(--border-color);
  30. background-color: var(--th-background-color);
  31. padding: 8px 12px;
  32. text-align: left;
  33. }
  34. }
  35. .table-body {
  36. flex: 1;
  37. width: fit-content;
  38. background-color: #fff;
  39. overflow-y: auto; // 内容区域实现纵向滚动
  40. td.table-cell {
  41. border-left: 1px solid var(--border-color);
  42. border-top: 1px solid var(--border-color);
  43. padding: 8px 12px;
  44. }
  45. tr:last-child td.table-cell {
  46. border-bottom: 1px solid var(--border-color);
  47. }
  48. }
  49. }

此处使用 Flex 实现了整个表格的内容高度可以随容器自由伸缩,且内容区域纵向滚动,表格头部和内容同时进行横向滚动。效果如图:
1.gif

虚拟滚动

虚拟滚动的本质是仅渲染可视区域的内容,所以需要实现的逻辑是:

  1. 计算可视区域的 width 和 height
  2. 再依据 scrollTop 或 scrollLeft 推算出可视区域显示那几行及那几列
  3. 在滚动时,实时计算第2步
  4. 计算出表格内容的总高度,scrollTop 隐藏的部分使用 paddingTop 表示
  5. 计算出表格内容的总宽度,分别用两个 td 标签表示前、后未被渲染的部分

第4步在 HTML 中的呈现:
image.png
第5步在 HTML 中的呈现:
image.png

还有一个问题是纵向滚动条藏在最右侧,只有横向滚动条滚动到底之后才能看的到 —— 这显然是不符合预期的。所以我们要放一个“假的滚动条”始终显示在可视区域的右侧。如此一来“假滚动条”需要与内容滚动条保持一致。“假滚动条”在 HTML 中的呈现:
image.png

UseVirtualTable.jsx (完整代码)

  1. // 计算出滚动条的宽度;用于“假滚动条”
  2. function getScrollbarWidth() {
  3. const scrollDiv = document.createElement('div');
  4. scrollDiv.style.cssText = 'width: 99px; height: 99px; overflow: scroll; position: absolute; top: -9999px;';
  5. document.body.appendChild(scrollDiv);
  6. const scrollbarWidth = scrollDiv.offsetWidth - scrollDiv.clientWidth;
  7. document.body.removeChild(scrollDiv);
  8. return scrollbarWidth;
  9. }
  10. const DEFAULT_ROW_HEIGHT = 32; // 默认表格单行高度
  11. const OFFSET_HORIZONTAL = 300; // 横向滚动前、后偏移量
  12. const OFFSET_VERTICAL = 120; // 纵向滚动上、下偏移量
  13. const POSITION_TABLE_BODY = 'tableBody'; // 表示纵向滚动响应位置在表格内容上
  14. const POSITION_VERTICAL_BAR = 'verticalBar'; // 表示纵向滚动响应位置在假滚动条上
  15. class UseVirtualTable extends PureComponent {
  16. virtualTable = null;
  17. virtualTableHeight = 0; // 虚拟表格高度
  18. virtualTableWidth = 0; // 虚拟表格宽度
  19. scrollBarWidth = getScrollbarWidth(); // 滚动条宽度
  20. scrollDom = null; // 纵向假滚动条节点
  21. horizontalDom = null; // 横向滚动节点
  22. verticalDom = null; // 纵向滚动节点
  23. mousePosition = ''; // 鼠标所在位置,用于区别纵向滚动由哪个节点相应的
  24. state = {
  25. totalHeight: 0, // 表格内容区域总高度
  26. totalWidth: 0, // 表格内容区域总宽度
  27. hiddenTopStyle: { // 顶部隐藏样式
  28. height: `0px`,
  29. },
  30. hiddenLeftStyle: { // 左侧隐藏样式
  31. width: `0px`,
  32. },
  33. hiddenRightStyle: { // 右侧隐藏样式
  34. width: `0px`,
  35. },
  36. rowSize: [0, 0], // 可视区域显示的行号
  37. colSize: [0, 0], // 可视区域显示的列号
  38. };
  39. componentDidMount() {
  40. this.setVirtualSize();
  41. this.setVerticalData();
  42. this.setHorizontalData();
  43. }
  44. // 设置虚拟表格高度、宽度
  45. setVirtualSize = (dom) => {
  46. const virtualTable = dom || this.virtualTable;
  47. const height = virtualTable?.clientHeight;
  48. const width = virtualTable?.clientWidth;
  49. if (height && width) {
  50. this.virtualTableHeight = height;
  51. this.virtualTableWidth = width;
  52. }
  53. };
  54. getVirtualTableRef = (dom) => {
  55. this.virtualTable = dom || this.virtualTable;
  56. this.setVirtualSize(dom);
  57. };
  58. getTableHeaderDom = (dom) => {
  59. this.tableHeader = dom || this.tableHeader;
  60. };
  61. getScrollDom = (dom) => {
  62. this.scrollDom = dom || this.scrollDom;
  63. };
  64. getHorizontalDom = (dom) => {
  65. this.horizontalDom = dom || this.horizontalDom;
  66. };
  67. getVerticalDom = (dom) => {
  68. this.verticalDom = dom || this.verticalDom;
  69. };
  70. // 设置虚拟表格纵向数据;在纵向滚动时使用
  71. setVerticalData = () => {
  72. const scrollTop = this.verticalDom && this.verticalDom.scrollTop;
  73. const { dataSource = [], columns = [] } = this.props;
  74. const { rowSize: oRowSize, colSize: oColSize } = this.state;
  75. // 计算表格头部所占用的高度
  76. const headerHeight = this.tableHeader?.clientHeight;
  77. // 计算表格内容可视区域高度
  78. const height = this.virtualTableHeight - headerHeight;
  79. const rowSize = [];
  80. let totalHeight = 0;
  81. let hiddenTopHeight = 0; // 计算顶部隐藏区域的高度
  82. let hiddenButtomHeight = 0;
  83. let currentStep = 0; // 0: 顶部被隐藏阶段;1: 可视区域阶段
  84. if (!height) {
  85. return;
  86. }
  87. dataSource.forEach((item, i) => {
  88. // 获取行高,目前这里是最简化的,可以根据需要进行扩展
  89. const rowHeight = DEFAULT_ROW_HEIGHT;
  90. totalHeight += rowHeight;
  91. if (currentStep === 0) {
  92. if (totalHeight >= scrollTop - OFFSET_VERTICAL) {
  93. // 根据 scrollTop 算出可视区域起始行号
  94. rowSize[0] = i;
  95. currentStep += 1;
  96. } else {
  97. hiddenTopHeight += rowHeight;
  98. }
  99. } else if (currentStep === 1) {
  100. if (totalHeight > scrollTop + height + OFFSET_VERTICAL) {
  101. // 计算出可视区域结束行号
  102. rowSize[1] = i;
  103. currentStep += 1;
  104. }
  105. }
  106. });
  107. if (oRowSize.join() !== rowSize.join()) {
  108. // 可视区域的行号有了变化才重新进行渲染
  109. this.setState({
  110. hiddenTopStyle: { height: `${hiddenTopHeight}px` },
  111. rowSize,
  112. totalHeight,
  113. });
  114. }
  115. };
  116. // 设置虚拟表格横向数据;在横向滚动时使用
  117. setHorizontalData = () => {
  118. const scrollLeft = this.horizontalDom && this.horizontalDom.scrollLeft;
  119. const { columns = [] } = this.props;
  120. const { colSize: oColSize } = this.state;
  121. // 表格内容可视区域的宽度
  122. const width = this.virtualTableWidth;
  123. const colSize = [];
  124. let totalWidth = 0;
  125. let hiddenLeftWidth = 0; // 左侧隐藏未被渲染的宽度
  126. let hiddenRigthWidth = 0; // 右侧隐藏未被渲染的宽度
  127. let currentStep = 0; // 0: 前面被隐藏阶段;1: 可视区域阶段;2: 后面不可见区域
  128. if (!width) {
  129. return;
  130. }
  131. columns.forEach((item, i) => {
  132. const { width: colWidth = 160 } = item;
  133. totalWidth += colWidth;
  134. if (currentStep === 0) {
  135. if (totalWidth >= scrollLeft - OFFSET_HORIZONTAL) {
  136. // 根据 scrollLeft 算出可视区域起始行号
  137. colSize[0] = i;
  138. currentStep += 1;
  139. } else {
  140. hiddenLeftWidth += colWidth;
  141. }
  142. }
  143. if (currentStep === 1 && totalWidth > scrollLeft + width + OFFSET_HORIZONTAL) {
  144. // 计算出可视区域结束列号
  145. colSize[1] = i;
  146. currentStep += 1;
  147. }
  148. if (currentStep === 2) {
  149. hiddenRigthWidth += colWidth;
  150. }
  151. });
  152. if (oColSize.join() !== colSize.join()) {
  153. // 可视区域的列号有了变化才重新进行渲染
  154. this.setState({
  155. hiddenLeftStyle: { width: `${hiddenLeftWidth}px` },
  156. hiddenRightStyle: { width: `${hiddenRigthWidth}px` },
  157. colSize,
  158. totalWidth,
  159. });
  160. }
  161. };
  162. handleVerticalScroll = (e) => {
  163. const scrollTop = e.target.scrollTop;
  164. // 内容区域纵向滚动逻辑,仅在“内容区域”滚动时执行
  165. if (this.mousePosition === POSITION_TABLE_BODY) {
  166. // 同步假滚动条 scrollTop 值
  167. this.scrollDom && (this.scrollDom.scrollTop = scrollTop);
  168. this.verticalTop = scrollTop;
  169. this.setVerticalData(scrollTop);
  170. }
  171. };
  172. handleScroll = (e) => {
  173. const scrollTop = e.target.scrollTop;
  174. // 假滚动条纵向滚动逻辑,仅在“假滚动条”滚动时执行
  175. if (this.mousePosition === POSITION_VERTICAL_BAR) {
  176. // 同步内容区域 scrollTop 值
  177. this.verticalDom && (this.verticalDom.scrollTop = scrollTop);
  178. this.verticalTop = scrollTop;
  179. this.setVerticalData();
  180. }
  181. };
  182. handleHorizontalScroll = (e) => {
  183. e.stopPropagation();
  184. const scrollLeft = e.target.scrollLeft;
  185. this.scrollDom && (this.scrollDom.scrollLeft = scrollLeft);
  186. this.setHorizontalData();
  187. };
  188. handleBodyMouseEnter = () => {
  189. this.mousePosition = POSITION_TABLE_BODY;
  190. };
  191. handleVerScrollMouseEnter = () => {
  192. this.mousePosition = POSITION_VERTICAL_BAR;
  193. };
  194. tableHeaderRender = () => {
  195. const { columns } = this.props;
  196. const cols = [];
  197. const ths = [];
  198. columns.forEach((col, i) => {
  199. const { code, name, width = 160 } = col;
  200. const key = `${key}-${i}`;
  201. cols.push(<col key={key} width={`${width}px`} />);
  202. ths.push(<th key={key} className="table-header-cell">{name}</th>);
  203. });
  204. return (
  205. <div className="table-header" ref={this.getTableHeaderDom}>
  206. <table>
  207. <colgroup>{cols}</colgroup>
  208. <thead>
  209. <tr className='table-header-row'>{ths}</tr>
  210. </thead>
  211. </table>
  212. </div>
  213. );
  214. };
  215. tableBodyRender = () => {
  216. const { hiddenTopStyle, hiddenBottomStyle, hiddenLeftStyle, hiddenRightStyle, rowSize, colSize, totalHeight } = this.state;
  217. const { columns, dataSource = [] } = this.props;
  218. const showData = dataSource.slice(...rowSize);
  219. const showCols = columns.slice(...colSize);
  220. const cols = [];
  221. if (colSize[0]) {
  222. cols.push(<col key="first" width={hiddenLeftStyle.width} />);
  223. }
  224. showCols.forEach((col, i) => {
  225. const { code, width = 160 } = col;
  226. cols.push(<col key={`${code}-${colSize[0] + i}`} width={`${width}px`} />);
  227. });
  228. if (colSize[1]) {
  229. cols.push(<col key="last" width={hiddenRightStyle.width} />);
  230. }
  231. return (
  232. <div className="table-body" ref={this.getVerticalDom} onScroll={this.handleVerticalScroll} onMouseEnter={this.handleBodyMouseEnter}>
  233. <div className="table-body-total" style={{ height: `${totalHeight}px`, paddingTop: `${hiddenTopStyle?.height}` }}>
  234. <table>
  235. <colgroup>{cols}</colgroup>
  236. <tbody>
  237. {showData.map((row, i) => {
  238. const index = rowSize[0] + i;
  239. return (
  240. <tr className="table-row" key={index} data-rowindex={index} ref={this.getTrRef.bind(null, index)}>
  241. {colSize[0] ? <td /> : null}
  242. {showCols.map(({ code }, j) => {
  243. const colIndex = colSize[0] + j;
  244. return <td className="table-cell" key={`${code}-${colIndex}`} data-colindex={colIndex}>{row[code]}</td>;
  245. })}
  246. {colSize[1] ? <td /> : null}
  247. </tr>
  248. );
  249. })}
  250. </tbody>
  251. </table>
  252. </div>
  253. </div>
  254. );
  255. };
  256. render() {
  257. const { totalHeight } = this.state;
  258. return <div className="use-virtual-table" ref={this.getVirtualTableRef} onScroll={this.handleHorizontalScroll}>
  259. <div className="use-virtual-table-body" ref={this.getHorizontalDom}>
  260. {this.tableHeaderRender()}
  261. {this.tableBodyRender()}
  262. </div>
  263. <div
  264. className="bar-virtual-vertical-scroll"
  265. style={{ height: `${this.virtualTableHeight - (this.tableHeader?.clientHeight || 34)}px`, width: `${this.scrollBarWidth}px` }}
  266. onScroll={this.handleScroll}
  267. ref={this.getScrollDom}
  268. onMouseEnter={this.handleVerScrollMouseEnter}
  269. >
  270. <div className='bar-body' style={{ height: `${totalHeight}px` }} />
  271. </div>
  272. </div>
  273. }
  274. }
  275. export default UseVirtualTable;

补充“假滚动条”的样式(只要整合前面基本表格的样式就完整了):

  1. .use-virtual-table {
  2. // ...... 省略已有样式代码
  3. // 表格内容容器
  4. .table-body-total {
  5. width: 100%;
  6. overflow: hidden;
  7. }
  8. .bar-virtual-vertical-scroll {
  9. position: absolute;
  10. top: 0;
  11. right: 0;
  12. height: 100%;
  13. margin-top: var(--table-header-height);
  14. overflow: auto;
  15. .bar-body {
  16. width: 1px;
  17. }
  18. }
  19. }

调用组件

前面组件的逻辑已经比较完整了,这里在完整的补充一下调用逻辑,这份代码就完整了:

  1. import ReactDOM from 'react-dom';
  2. import UseVirtualTable from './UseVirtualTable';
  3. const createDataSource = (rows, cols) => {
  4. const result = [];
  5. for (let i = 0; i < rows; i++) {
  6. const item = {};
  7. for (let j = 0; j < cols; j++) {
  8. item[`col_${j}`] = `ROW--${i}, COLUMN--${j}`;
  9. }
  10. result.push(item);
  11. }
  12. return result;
  13. };
  14. const dataSource = createDataSource(30, 15);
  15. const createColumns = (data) => {
  16. const item = data[0];
  17. const columns = [];
  18. Object.keys(item).forEach((key) => {
  19. columns.push({
  20. code: key,
  21. name: key,
  22. width: 180,
  23. });
  24. });
  25. return columns;
  26. };
  27. const columns = createColumns(dataSource);
  28. ReactDOM.render(
  29. [
  30. <UseVirtualTable dataSource={dataSource} columns={columns} useVirtual />
  31. ],
  32. document.getElementById('root')
  33. );

整个组件只要捋清楚虚拟滚动、假滚动条的 HTML 结构及 CSS,然后配上滚动逻辑之后还是比较简单的。