Lazy Loading

Next.js의 Lazy loading (opens in a new tab)은 경로를 렌더링하는 데 필요한 JavaScript의 양을 줄여 애플리케이션의 초기 로딩 성능을 향상시키는 데 도움이 됩니다

이는 Client Components 및 가져온 라이브러리의 로딩을 연기하고, 필요할 때만 클라이언트 번들에 포함시키는 것을 허용합니다. 예를 들어, 사용자가 모달을 열기 위해 클릭할 때까지 모달 로딩을 연기할 수 있습니다.

Next.js에서 lazy loading을 구현하는 방법에는 두 가지가 있습니다:

  1. Using Dynamic Imports with next/dynamic
  2. Using React.lazy() (opens in a new tab) with Suspense (opens in a new tab)

기본적으로, Server Components는 자동으로 코드 분할 (opens in a new tab)되며, 서버에서 클라이언트로 UI 조각을 점진적으로 전송하는 스트리밍을 사용할 수 있습니다. Lazy loading은 Client Components에 적용됩니다.

next/dynamic

next/dynamicReact.lazy() (opens in a new tab)Suspense (opens in a new tab)의 복합체입니다. 이는 apppages 디렉토리에서 점진적인 마이그레이션을 허용하도록 동일하게 작동합니다.

Examples

Importing Client Components

app/page.js
'use client'
 
import { useState } from 'react'
import dynamic from 'next/dynamic'
 
// Client Components:
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>
      {/* Load immediately, but in a separate client bundle */}
      <ComponentA />
 
      {/* Load on demand, only when/if the condition is met */}
      {showMore && <ComponentB />}
      <button onClick={() => setShowMore(!showMore)}>Toggle</button>
 
      {/* Load only on the client side */}
      <ComponentC />
    </div>
  )
}

Skipping SSR

React.lazy()와 Suspense를 사용할 때, Client Components는 기본적으로 사전 렌더링(SSR)됩니다.

Client Component에 대한 사전 렌더링을 비활성화하려면 ssr 옵션을 false로 설정할 수 있습니다:

const ComponentC = dynamic(() => import('../components/C'), { ssr: false })

Importing Server Components

서버 컴포넌트를 동적으로 가져오는 경우, 서버 컴포넌트 자체가 아닌 서버 컴포넌트의 자식인 클라이언트 컴포넌트만 lazy-loaded 됩니다.

app/page.js
import dynamic from 'next/dynamic'
 
// Server Component:
const ServerComponent = dynamic(() => import('../components/ServerComponent'))
 
export default function ServerComponentExample() {
  return (
    <div>
      <ServerComponent />
    </div>
  )
}

Loading External Libraries

외부 라이브러리는 import() (opens in a new tab) 함수를 사용하여 필요한 경우에만 로드할 수 있습니다. 이 예제는 퍼지 검색을 위해 외부 라이브러리 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
          // Dynamically load 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>
  )
}

Adding a custom loading component

app/page.js
import dynamic from 'next/dynamic'
 
const WithCustomLoading = dynamic(
  () => import('../components/WithCustomLoading'),
  {
    loading: () => <p>Loading...</p>,
  },
)
 
export default function Page() {
  return (
    <div>
      {/* The loading component will be rendered while  <WithCustomLoading/> is loading */}
      <WithCustomLoading />
    </div>
  )
}

Importing Named Exports

명명된 내보내기를 동적으로 가져오려면, import() (opens in a new tab) 함수에서 반환된 Promise에서 반환할 수 있습니다:

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),
)