SHOW ME THE RECIPES 프로젝트에서useInfiniteQuery
와 react-intersection-observer
를 활용한 무한 스크롤 구현했다.
useInfiniteQuery
를 사용해 데이터를 페이징하여 가져오고, react-intersection-observer
를 활용해 사용자가 스크롤할 때 다음 페이지를 자동으로 로드하는 무한 스크롤 기능을 구현하였다.실질적으로 페칭되는 getRecipes는 action처리 하였다.
//useInfiniteRecipes.ts
const useInfiniteRecipes = () => {
return useInfiniteQuery({
queryKey: ['recipes'],
queryFn: ({ pageParam = 1 }) => getRecipes(pageParam),
getNextPageParam: (lastPage, allPages) => {
const nextPage = allPages.length + 1
const totalFetched = allPages.length * lastPage.limit
if (totalFetched < lastPage.total) {
return nextPage
}
return undefined
},
initialPageParam: 1,
})
}
그리고 RecipesList페이지에서 isAllDataLoaded
를 구하기위해 다음과 같은 연산을 사용했다.
//RecipesList.tsx
const {
data,
isLoading,
error,
fetchNextPage,
hasNextPage,
isFetchingNextPage,
} = useInfiniteQuotes()
const { ref, inView } = useInView()
useEffect(() => {
if (inView && hasNextPage && !isFetchingNextPage) {
fetchNextPage()
}
}, [inView, fetchNextPage, hasNextPage, isFetchingNextPage])
const totalRecipes =
data?.pages?.reduce((sum, { recipes }) => sum + recipes.length, 0) ?? 0
const lastPage = data?.pages?.[data.pages.length - 1]
const isAllDataLoaded = lastPage?.total === totalrecipes
// <--중간 생략-->
<div ref={ref}>
{isAllDataLoaded ? 'No more quotes to display.' : 'Loading more...'}
</div>
하지만 이러한 접근 방식이 매번 RecipesList페이지에서 isAllDataLoaded
를 구해야하는 불필요한 연산 로직이 반복되는 문제 발생시킨다는 것을 발견했다.
문제를 해결하기위해 tanstackQuery 공식문서 useInfiniteQuery 다시 살펴 보았다.
공식문서에 getNextPageParam 옵션이 존재했고 getNextPageParam함수의 특징은 이러하다.
getNextPageParam: (lastPage, allPages, lastPageParam, allPageParams) => TPageParam | undefined | null
- Required
- When new data is received for this query, this function receives both the last page of the infinite list of data and the full array of all pages, as well as pageParam information.
- It should return a single variable that will be passed as the last optional parameter to your query function.
- Return undefined or null to indicate there is no next page available.
getNextPageParam 옵션을 통해 다음 페이지가 가져올 수 있는지 여부를 알아 낼 수 있음으로, 다음 페이지가 있으면 true로 설정할수 있는 값이었다. 이 값을 통해 nextPage가 있으면 true, 없으면 undefined를 리턴한다는 특징을 이용해 isAllDataLoaded
연산을 삭제하고 진행했다.
//useInfiniteRecipes.ts
const useInfiniteRecipes = () => {
return useInfiniteQuery({
queryKey: ['recipes'],
queryFn: ({ pageParam }) => getRecipes(pageParam),
getNextPageParam: (lastPage, _, lastPageParam) => {
return lastPage.limit === 0 ? undefined : lastPageParam + 1;
},
initialPageParam: 1,
});
};
그리고 마지막에 isAllDataLoaded
를 지우고 isAllDataLoaded
대신 isFetchingNextPage
와hasNextPage
를 통해 마지막 데이터 인지 표시하였다.
//RecipesList.tsx
<div ref={ref}>
{isFetchingNextPage
? 'Loading more...'
: hasNextPage
? 'Load More'
: 'No more recipes to display.'}
</div>
https://tanstack.com/query/latest/docs/framework/react/reference/useInfiniteQuery