react hook ts 实现 列表的滚动分页加载,多参数混合混合搜索

  • InfiniteScroll 的组件见: https://blog.csdn.net/Zhooson/article/details/134396945

  • search.tsx 页面

import { FC, useEffect, useState } from 'react'
import InfiniteScroll from '../../components/InfiniteScroll'

const tabs = [
  {
    id: 1,
    title: 'tab-1',
    index: '1'
  },
  {
    id: 2,
    title: 'tab-1',
    index: '2'
  }
]

const DEFAULT_PAGE = {
  page: 1,
  limit: 10,
  total: 0,
  hasMore: true
}

const MyBook: FC = () => {
  const [tabIndex, setTabIndex] = useState(0)
  const [pageOption, setPageOption] = useState(DEFAULT_PAGE)

  const [list, setList] = useState([])
  const [keywords, setKeywords] = useState()
  const [shouldFetch, setShouldFetch] = useState(false) // 是否继续fetch
  const [loading, setLoading] = useState(false)

  // 初始化
  useEffect(() => {
    getList()
  }, [])

  // 条件搜索
  useEffect(() => {
    if (shouldFetch) {
      getList()
    }
  }, [shouldFetch])

  // 接口获取数据
  async function getList() {
    setLoading(true)
    const { limit, page } = pageOption
    const params = {
      limit,
      page,
      statusIds: tabs[tabIndex].index,
      keywords
    }
    await fetchMyBookList(params)
      .then((res) => {
        if (!res) return

        const newList = list.concat(res.Data.records)
        setList(newList)

        setPageOption((prevPageOption) => ({
          ...prevPageOption,
          hasMore: newList.length < res.Data.total,
          total: res.Data.total || 0
        }))
        setLoading(false)
        setShouldFetch(false)
      })
      .catch(() => {})
  }

  // 加载更多
  async function loadMore() {
    setPageOption((prevData) => {
      // 数据异步更新导致
      if (prevData.hasMore) {
        setShouldFetch(true)
        return { ...prevData, page: prevData.page + 1 }
      } else {
        return prevData
      }
    })
  }

  return (
    
{tabs.map((item, index) => { return (
{ setTabIndex(index) setList([]) setPageOption(DEFAULT_PAGE) setShouldFetch(true) }} > {item.title}
) })}
{list.length === 0 && !loading &&
~暂无数据~
} {list.length > 0 && (
{list.map((_: any, index: number) => { return
{index}
})}
)} {list.length > 8 && ( )}
) } export default MyBook

解释: 1. 当前的hook执行都是异步,会不会存在先执行完先渲染? setTabIndex(index), setList([])
, setPageOption(DEFAULT_PAGE)
, setShouldFetch(true)

在React中,状态更新函数(如setPageOptionsetTabIndexsetShouldFetch)是异步的,
这意味着它们不会立即更新状态。然而,React会保证在同一次事件处理函数中的所有状态更新都在同一次渲染中完成。
这就意味着,在searchHandler函数中,setPageOptionsetTabIndexsetShouldFetch的执行顺序是不确定的,
但是它们的状态更新会在同一次渲染中完成。

  1. 为什么引入 setShouldFetch ?

这个搜索页面的,有多个参数,有的参数改变是立刻fetch一下接口,有的参数改变是要点击按钮才能fetch一下,这样导致你在useEffect无法统一检测搜索参数变化。 故引入 setShouldFetch 这个变量,通过检测setShouldFetch的变化,一旦变化就fetch

你可能感兴趣的:(react.js,前端,typescript)