Lazy Loading
Lazy loading은 Next.js에서 애플리케이션의 초기 로딩 성능을 개선하는 데 도움을 주며, 경로를 렌더링하는 데 필요한 JavaScript의 양을 줄여줍니다.
클라이언트 컴포넌트와 가져온 라이브러리의 로딩을 지연시킬 수 있으며, 필요할 때만 클라이언트 번들에 포함되도록 합니다. 예를 들어, 사용자가 모달을 열려고 클릭할 때까지 모달의 로딩을 지연시킬 수 있습니다.
Next.js에서 lazy loading을 구현하는 두 가지 방법이 있습니다:
- next/dynamic을 사용한 동적 가져오기
- React.lazy()와 Suspense를 사용
기본적으로 서버 컴포넌트는 자동으로 코드 분할이 되며, 스트리밍을 사용하여 서버에서 클라이언트로 UI 조각을 점진적으로 전송할 수 있습니다. Lazy loading은 클라이언트 컴포넌트에 적용됩니다.
next/dynamic
next/dynamic은 React.lazy()와 Suspense의 합성입니다. 점진적 마이그레이션을 허용하기 위해 앱 및 페이지 디렉토리에서 동일하게 작동합니다.
예시
클라이언트 컴포넌트 가져오기
app/page.js
'use client'
import { useState } from 'react'
import dynamic from 'next/dynamic'
// 클라이언트 컴포넌트:
const ComponentA = dynamic(() => import('../components/A'))
const ComponentB = dynamic(() => import('../components/B'))
const ComponentC = dynamic(() => import('../components/C'), { ssr: false })
export default function ClientComponentExample() {
const [showMore, setShowMore] = useState(false)
return (
<div>
{/* 즉시 로드하지만 별도의 클라이언트 번들로 */}
<ComponentA />
{/* 조건이 충족될 때만 필요에 따라 로드 */}
{showMore && <ComponentB />}
<button onClick={() => setShowMore(!showMore)}>Toggle</button>
{/* 클라이언트 측에서만 로드 */}
<ComponentC />
</div>
)
}
SSR 건너뛰기
React.lazy()와 Suspense를 사용할 때, 클라이언트 컴포넌트는 기본적으로 SSR(서버 사이드 렌더링)됩니다.
클라이언트 컴포넌트의 사전 렌더링을 비활성화하려면 ssr 옵션을 false로 설정할 수 있습니다:
const ComponentC = dynamic(() => import('../components/C'), { ssr: false })
서버 컴포넌트 가져오기
서버 컴포넌트를 동적으로 가져오면, 서버 컴포넌트 자체가 아닌 해당 서버 컴포넌트의 자식인 클라이언트 컴포넌트만 lazy-load됩니다.
app/page.js
import dynamic from 'next/dynamic'
// 서버 컴포넌트:
const ServerComponent = dynamic(() => import('../components/ServerComponent'))
export default function ServerComponentExample() {
return (
<div>
<ServerComponent />
</div>
)
}
외부 라이브러리 로딩
외부 라이브러리는 import() 함수를 사용하여 필요할 때 로드할 수 있습니다. 이 예제에서는 fuzzy search를 위해 외부 라이브러리 fuse.js를 사용합니다. 모듈은 사용자가 검색 입력에 타이핑을 한 후 클라이언트에서만 로드됩니다.
app/page.js
'use client'
import { useState } from 'react'
const names = ['Tim', 'Joe', 'Bel', 'Lee']
export default function Page() {
const [results, setResults] = useState()
return (
<div>
<input
type="text"
placeholder="Search"
onChange={async (e) => {
const { value } = e.currentTarget
// fuse.js를 동적으로 로드
const Fuse = (await import('fuse.js')).default
const fuse = new Fuse(names)
setResults(fuse.search(value))
}}
/>
<pre>Results: {JSON.stringify(results, null, 2)}</pre>
</div>
)
}
커스텀 로딩 컴포넌트 추가
app/page.js
import dynamic from 'next/dynamic'
const WithCustomLoading = dynamic(
() => import('../components/WithCustomLoading'),
{
loading: () => <p>Loading...</p>,
}
)
export default function Page() {
return (
<div>
{/* <WithCustomLoading/>이 로딩되는 동안 로딩 컴포넌트가 렌더링됩니다 */}
<WithCustomLoading />
</div>
)
}
Named Exports 가져오기
동적으로 named export를 가져오려면 import() 함수에서 반환된 Promise에서 해당 export를 반환할 수 있습니다:
components/hello.js
'use client'
export function Hello() {
return <p>Hello!</p>
}
app/page.js
import dynamic from 'next/dynamic'
const ClientComponent = dynamic(() =>
import('../components/hello').then((mod) => mod.Hello)
)
이 내용은 다음 사이트에서 가져온 것입니다: Next.js Lazy Loading
'nextjs' 카테고리의 다른 글
[240805 TIL] customAlert 개선 (0) | 2024.08.05 |
---|---|
[240726 TIL] 컴포넌트와 UI를 반환하는 커스텀 훅 (0) | 2024.07.26 |
[240725 TIL] 다이나믹 헤더(middleware) (2) | 2024.07.25 |
[240717 TIL] Next.js Sharp (0) | 2024.07.17 |
[240716 TIL] NextJs Pwa (0) | 2024.07.16 |