Web performance describes how fast or slow a web app is. It is crucial to application development. A highly optimized web app is quick, appeals to users' experience, and leads to improved product conversion rates and high search engine ranking.
In this article, you will understand how the Core Web Vitals (CWV) metrics are affected by the resources used in your web app; you will implement best practices for improving the performance of your Next.js application and understand how to measure the performance of your optimized web app.
Users determine a product's success rate; their experience navigating or interacting with its web app can indirectly affect revenue. Building web pages that load faster when users request them is essential. This would improve the user's frontend experience.
Excluding the speed and user interactivity of a web app, it is also important that the contents displayed on the user interface of a web page maintain visual stability and do not always change their position, shifting from one space to the other.
Certain resources can negatively impact web app performance if not used effectively. Let's examine each one.
Image and video files take up much space in a web browser. When these files are of high quality, they become too large, resulting in slower load time and a shift in the position of other contents on the web page. The browser causes the shift after the files have been rendered because the browser cannot calculate the appropriate width and height of these files. This shift is known as Cumulative Layout Shift (CLS), a CWV metric that determines if the surrounding contents of an image (or other elements) move to another position after the image (or element) has loaded. In some instances, multimedia files represent the main contents of a web page. When these files load slowly, they affect the web page's Largest Contentful Paint (LCP). LCP determines how fast visually important web content is rendered.
Remote resources such as libraries, scripts, packages, and APIs requested from network servers are considered resource-blocking. This affects a web app's INP score. Interaction to Next Paint (INP) is also a CWV metric. It signifies the time it takes for web content to be rendered entirely after user interaction during request time.
Large-scale applications require larger resources, which affects a web app's performance. To achieve optimized memory usage during build time, enable lazy loading, minimize the size of resources used, eliminate redundant code, enable caching, and analyze memory issues with tools such as Chrome DevTools.
URL redirect means visiting a web page from another web page. These web pages have URL patterns that differ from one another. When these patterns do not match, an error occurs in the browser, leading users to view an unexpected web page. A URL redirect is useful when a web page has updated features or after form submission. When URL redirect is not implemented effectively, it can lead to slow load time and low search engine ranking of the web page.
Let us implement the best practices and how to optimize performance based on the abovementioned factors.
Image componentNext.js has a built-in Image component with props, making controlling how we want to render an image easier. Here is an explanation on the purpose of each prop:
src (required): The source of an image. The image can be stored locally in the repository or remotely on a network server.
alt (required): The alt property provides textual information as an alternative to an image. It can be read aloud by screen-reader assistive technology, contributing to an accessible web app. The alt can be set to an empty value if the image does not add significant information to the user interface.
width (required for remote images): This determines how broad an image appears.
height (required for remote images): This determines the length of an image.
Here are some non-required properties of the Next.js Image component.
priority: When an Image has a priority prop, the browser will pre-load the image before it is displayed, loading it faster. This improves the LCP score of a web app.
fill: The fill property indicates that the parent element determines an image's width and height. 
sizes: This specifies the width and height of an image at different breakpoints of a user's device.
loader: A function that returns a URL string for an image. It accepts src, width, and quality as parameters.
placeholder: A placeholder fills the blank space of an image before it is rendered completely. 
loading: Accepts a value of {lazy} to specify lazy-loading.
style: Enhances an image's visual appeal. Does not include other accepted Image props as its property.
onLoad, onError: Event handlers.
Here, let us control how we want to render different Next.js images.
1// flowerPage.jsx
2
3import Image from 'next/image'
4import roseFlower from '../public/roseImage.png'
5
6export default function FlowerImage() {
7  return(
8    <main>
9      <div style={{width:"600px", height:"600px"}}>
10        <Image
11          src={roseFlower}
12          alt=""
13          style={{objectFit: "contain"}}
14          fill
15          priority
16        />
17      </div>
18    </main>
19  )
20}View:
In the flowerPage.jsx file above, we did not specify the height and width inside the Image component since roseFlower is a local image. Next.js automatically calculates the width and height of a locally stored image. The roseFlower is prioritized during load time with the priority prop.
However, the width and height of the roseflower are determined by its parent element using the fill prop.
Specifying the width and height of an image rendered from an external source is required. This gives us more control over the image's space before it is rendered. 
1// monalisaPage.jsx
2
3import Image from 'next/image'
4
5export default function MonalisaImage() {
6  return(
7    <Image
8      src="https://s3.amazonaws.com/my-bucket/monalisa.webp"
9      alt=""
10      height={600}
11      width={600}
12    />
13  )
14}Images rendered from external sources can affect the security of a web app. To ensure that a web app renders images from specified URLs only, we have to include remotePatterns in our  next.config.js file. remotePatterns accepts an object of protocol, hostname, port, and pathname
Let us configure our next.config.js file to render images from https://s3.amazonaws.com/my-bucket/** URL paths only, with different possible number of path segments or subdomains at the end:
1// next.config.js
2
3module.exports = {
4  images: {
5    remotePatterns: [
6      {
7        protocol: 'https',
8        hostname: 's3.amazonaws.com',
9        port: '',
10        pathname: '/my-bucket/**'
11      },
12    ],
13  },
14}To specify path segments or subdomains at the beginning of the URL, place ** at the start of the URL paths. For example, hostname: '**.amazonaws.com' means that s3 can be replaced with another subdomain or path segment.
Use * instead of ** for a single path segment or subdomain.
loader FunctionThe loader function accepts src, width and quality as parameters while generating dynamic URLs for an image. It works in client components only. You can use loader  for local images or remote images. Here is an example of how to use loader:
1// artsCollectionPage.jsx
2
3'use client'
4
5import Image from 'next/image'
6
7const artsImageLoader = ({src, width, quality}) => {
8  return `https://example.com/${src}?w=${width}q=${quality}`
9}
10
11export default function ArtsCollectionImage() {
12  return(
13    <Image
14      loader={artsImageLoader}
15      src='../public/roseImage.png'
16      alt=""
17      width={600}
18      height={600}
19      quality={80}
20    />
21  )
22}placeholder to ImagesPlaceholder solves slow network connectivity issues for image rendering.
Here in the artsGalleryPage.jsx file, the image loads with a blurry effect before it is fully rendered:
1// artsGalleryPage.jsx 
2
3import Image from 'next/image'
4import picasso from '../public/picasso.jpg'
5
6export default function ArtsGallery() {
7  return(
8    <Image
9      src={picasso}
10      alt=""
11      placeholder='blur'
12      loading='lazy'
13    />
14)
15}In the code above,loading='lazy' enables delayed image rendering. Next.js Lazy loading images is useful for images, not the LCP for a web page. The image placeholder can equally be set to 'empty' or 'data:image/..'. 
placeholderWhen the placeholder is set to data:image/..., the src image loads after the placeholder image, an image data type with a URI converted to base64. This is useful when the placeholder image has dominant colors that blend with the src image. It keeps users on the web page without waiting while the src image loads.
1placeholder='data:image/<jpeg|png|...>;base64,<data-uri>'For example:
1// artsGalleryPage.jsx 
2
3import Image from 'next/image'
4import picasso from '../public/picassoImage.jpeg'
5
6export default function ArtsGallery() {
7  return(
8    <Image
9      src={picasso}
10      alt=""
11      placeholder='data:image/jpeg;base64,/9j/4AAQSkZJRgABAQIAJQAlAAD/2wBDAAMCAgICAgMCAgIDAwMDBAYEBAQEBAgGBgUGCQgKCgkICQkKDA8MCgsOCwkJDRENDg8QEBEQCgwSExIQEw8QEBD/2wBDAQMDAwQDBAgEBAgQCwkLEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBD/wAARCAH0AfQDAREAAhEBAxEB/8QAFQABAQAAAAAAAAAAAAAAAAAAAAf/xAAUEAEAAAAAAAAAAAAAAAAAAAAA/8QAFgEBAQEAAAAAAAAAAAAAAAAAAAIF/8QAFBEBAAAAAAAAAAAAAAAAAAAAAP/aAAwDAQACEQMRAD8AobEQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA/9k='
12      loading='lazy'
13    />
14)
15}placeholder To Have Blurry Effect
To blur a placeholder with an image data type, use blurDataURL prop and the placeholder prop.1placeholder='blur'
2blurDataURL='data:image/jpeg;base64,<data-uri>'For example:
1// artsGalleryPage.jsx 
2
3import Image from 'next/image'
4import picasso from '../public/picassoImage.jpeg'
5
6export default function ArtsGallery() {
7  return(
8    <Image
9      src={picasso}
10      alt=""
11      placeholder='blur'
12      blurDataURL='data:image/jpeg;base64,/9j/4AAQSkZJRgABAQIAJQAlAAD/2wBDAAMCAgICAgMCAgIDAwMDBAYEBAQEBAgGBgUGCQgKCgkICQkKDA8MCgsOCwkJDRENDg8QEBEQCgwSExIQEw8QEBD/2wBDAQMDAwQDBAgEBAgQCwkLEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBAQEBD/wAARCAH0AfQDAREAAhEBAxEB/8QAFQABAQAAAAAAAAAAAAAAAAAAAAf/xAAUEAEAAAAAAAAAAAAAAAAAAAAA/8QAFgEBAQEAAAAAAAAAAAAAAAAAAAIF/8QAFBEBAAAAAAAAAAAAAAAAAAAAAP/aAAwDAQACEQMRAD8AobEQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA/9k='
13      loading='lazy'
14    />
15)
16}NOTE: Alternatively, you can automatically generate placeholders using plaiceholder,**
sizes Property.In the example below, using media queries, the lilacImage renders at different sizes based on the user's screen size.
1// lilacPage.jsx
2
3export default function lilacImage() {
4  return(
5    <Image 
6      src='../public/lilacImage.webp'
7      alt=""
8      sizes= "(max-width: 768px) 100vw, (max-width: 1200px) 50vw, 33vw"
9    />
10  )
11}<video> and <iframe/>You can render video players in two ways: using the <video> HTML tag for locally stored videos or using the<iframe/> HTML tag for remote videos requested from network servers. 
<video><video> accepts the width and height properties to specify the space the video player occupies. To indicate the source of the video file, use the src attribute inside the <source /> tag. 
The control attribute inside the <video> tag enables keyboard navigation and screen reader accessibility features.
The <track /> tag helps to provide alternative information such as captions, subtitles, descriptions, chapters, or metadata for a video player, these are specified with the kind attribute. To specify the source of the track file, use the src attribute.
The textual information within the <video>...</video> tag is a fallback content. It keeps the users engaged in the web page.
1// flowerMakingVideo.jsx
2
3export default function FlowerMakingVideo() {
4  return(
5    <video width="600" height="500" controls preload="none">
6      <source src="../flowerMakingVideo.mp4" type="video/mp4" />
7      <track 
8        src="../flowerMakingCaptions.vtt"
9        kind="subtitles"
10        srcLang="en"
11        label="English"
12      />
13      This video is not supported by your browser
14    </video>
15  )
16}<iframe/> and React SuspenseIn Next.js, remote videos are first generated on the server. To render remote video players, use the <iframe /> HTML tag.
The video player is rendered without a border in the artsMakingVideo.jsx file below. The title attribute enables the screen reader to associate the video player with the information it provides.
1// artsMakingVideo.jsx
2
3export default function ArtsMakingVideo() {
4  return(
5    <iframe
6      width="600"
7      height="600"
8      src="https://www.youtube.com/..."
9      frameborder="0"
10      loading="lazy"
11      title="art making video"
12      allowfullscreen
13    />
14  )
15}When a video loads, it is not interactive until the JavaScript for the file is equally loaded or fetched. This process is known as Hydration. It leads to slow response time when users need to interact with the video, causing the web app to have a poor INP score. React Suspense solves the hydration problem by providing fallback content for videos, leading to improved user experience.
Let us better understand how to useSuspense.
Suspense is a React component. It enables you to load an alternative layout that the video replaces with the fallback prop before the video is rendered completely.
Let us create a fallback component:
1// artsVideoFallback.jsx
2
3export default function ArtsVideoFallback() {
4  return(
5    <div>
6      <p>Loading Arts Video</p>
7      <p>Rather, just view me</p>
8    </div>
9  )
10}Wrap the <iframe/> tag inside the React <Suspense>...</Suspense> component
1// artsMakingVideo.jsx
2
3import { Suspense } from "react";
4import ArtsVideoFallback from "artsVideoFallback.jsx";
5
6export default function ArtsMakingVideo() {
7  return (
8    <Suspense fallback={ArtsVideoFallback}>
9      <iframe
10      // ...
11      />
12    </Suspense>
13  );
14}Fonts loaded from network servers take a long time to render. Next.js self-hosts Google fonts and local fonts without rendering fonts from external sources.
Next.js fonts are functions called with an object of different properties:
src (required in local fonts): The path where the local font file is stored.
declarations (local fonts only): Describes generated font face.
subsets (google fonts only): An array of strings. It is useful for preloaded font subsets.
axes (google fonts only): Specifies the axes of variable fonts.
weight: Represents font-weight.
style: Represents font-style. Can be set to italic, oblique or normal.
display: Possible string value of auto, block, swap, fallback or optional.
preload: Specifies whether a font will preload. Sets to true or false.
fallback: An array of strings. Replace the imported fonts when a loading error occurs. To style a fallback, use a CSS class selector for the element it is applied to.
adjustFontFallback: Reduces the effect of font fallback on Cumulative Layout Shift (CLS). Sets to true or false.
variable: A string value of the declared CSS variable name.
Local fonts are downloaded fonts. In the project's root directory, you can save local font files in a ./styles/fonts/ folder.
To use local fonts, import localFont from next/font/local:
1// app/layout.js
2
3import localFont from 'next/font/local'
4
5const myFont = localFont({
6  src: './fonts/my-font.woff2',
7  style: 'italic',
8  display: 'swap',
9  fallback: ['arial'],
10})
11
12export default function RootLayout({ children }) {
13  return(
14    <html lang="en" className={myFont.className} >
15      <body>{children}</body>
16    </html>
17  )
18}Google fonts are classified into different types. When using a non-variable font, it is important to specify its weight.
To use Google fonts, import the font type from next/font/google:
1// app/layout.js
2
3import { Roboto } from next/font/google
4
5const roboto = Roboto({
6  weight: '400',
7  subsets: ['latin'],
8  style: ['normal', 'italic'],
9  display: 'swap',
10})
11
12export default function RootLayout({ children }) {
13  return (
14    <html lang="en" className={roboto.className}>
15      <body>{children}</body>
16    </html>
17  )
18}To use multiple fonts in a reusable manner, call the fonts in a single fonts file as an export const:
1// app/fonts.js
2
3import localFont from 'next/font/local'
4import { Roboto_Mono } from 'next/font/google'
5
6export const myLocalFont = localFont({
7  src: "my-local-font.tff",
8  subset: ['latin'],
9})
10
11export const roboto_mono = Roboto_Mono({
12  subsets: ['latin'],
13  display: 'swap',
14})Next, render the font in the file you want to apply.
In the example below, the font is only rendered in the artsCollectionPage.jsx file:
1// artsCollectionPage.jsx
2
3import { myLocalFont } from '../fonts.js'
4
5export default function ArtsCollection() {
6  return(
7    <div className={myLocalFont.className}>
8      Available Arts
9    </div>
10  )
11}In the example below, to apply font to a specific text using a CSS variable, set the className of the text's parent element to the font's variable:
1// aboutArtsPage.jsx
2
3import styles from './aboutArts.module.css'
4
5import { Inter } from 'next/font/google'
6
7const inter = Inter({
8  variable: '--font-inter',
9})
10
11export default function AboutArts() {
12  return(
13    <div className=`${inter.className}`>
14        <h1 className=`${styles.text}`>Arts help to improve the memory</h1>
15    </div>
16  )
17}Next, style the text in the aboutArts.module.css file:
1// aboutArts.module.css
2
3.text {
4  font-family: var(--font-inter)
5}Here, the inter and roboto_mono fonts are called with the variable --font-inter and --font-roboto-mono in the aboutArtistPage.jsx file. 
1// aboutArtistPage.jsx
2
3import { Inter, Roboto_mono } from 'next/font/google'
4
5const inter = Inter({
6  variable: '--font-inter'
7})
8
9const roboto_mono = Roboto_mono({
10  variable: '--font-roboto-mono'
11})
12
13export default function AboutArtist() {
14  return (
15      <section className=`${inter.variable} ${roboto_mono.variable}`>
16        <h1>About Artist</h1>
17    </section>
18  )
19}To apply the CSS variable fonts using Tailwind CSS, add the css variable to your tailwind.config.js file:
1// tailwind.config.js
2
3/** @type {import('tailwindcss').Config} */
4
5module.exports = {
6  content: [
7    'pages/**/*.{js,ts,
8    jsx,tsx}',
9    'components/**/*.{js,ts,jsx,tsx}',
10    'app/**/*.{js,ts,jsx,tsx}/'
11  ],
12  theme: {
13    extend: {
14      font-family: {
15        sans: ['var(--font-inter)'],
16        mono: ['var(--font-roboto-mono)'],
17      },
18    },
19  },
20  plugins: [],
21}styleYou can equally apply fonts to elements using style:
1<h1 style={inter.className}>Well done</h1>metadataMetadata provides additional information about the data in a web app. These data include documents, files, images, audio, videos, and web pages. When a web app has enriched metadata information, it takes high precedence and relevance over other web apps on search engines.
In Next.js, metadata is classified as either static or dynamic. Dynamic metadata provides information bound to change, such as the current route parameter, external data, or metadata in parent segments.
You can add metadata either through configuration or special files:
You can export static metadata using Next.js built-in metadata object, while you can export dynamically generated metadata with changing values using the built-in generateMetadata() function. The metadata object and generateMetadata() function are exported in either layout.js or page.js files and can only be used for server components.  
metadata object1// page.jsx
2
3export const metadata = {
4  title: "....",
5  description: "....",
6}
7
8export default function Page(){}generateMetadata() FunctionThe generateMetadata() function accepts the props object and parent as parameters. The props object includes params and searchParams. The params contains the dynamic route parameters from the root segment to the segment where generateMetadata() is called. The searchParams: Contains the search params of the current URL. And the parent parameter is the resolved metadata's promise from the parent route segments.
Below is an example:
1// artist/[id]/page.jsx
2
3export async function generateMetadata({params, searchParams}, parent) {
4  const id = params.id
5
6  const artist = await fetch(`https://../${id}`).then((res)=>res.json())
7
8  const price = await parent 
9
10  return {
11    title: artist.title,
12    description: artist.description,
13  },
14}
15
16export default function ArtsPage({params, searchParams}){}Script ComponentNext.js has a built-in Script component lets us control how to render scripts for a specific folder or the app root layout. To optimize performance, render the scripts in the specific folders' layouts where they are needed.
Scripts can equally be loaded in Page files.
Specifying the id prop in Script is useful for optimization.
Inline scripts are written directly in the Script component. The id prop is required in inline scripts. Inline scripts can be written in two ways: 
1// app/artsCollection/layout.jsx
2
3import Script from 'next/script'
4
5export default function Layout({children}) {
6  return (
7    <div>
8      <h1>Available Arts</h1>
9      <section>{children}</section>
10      <Script id="show-arts-collection">
11        { 
12          document.getElementbyId=('arts-collection').classList.remove('hidden') 
13        }
14      </Script>
15    </div>
16  )
17}dangerouslyStyleInnerHTML prop:1// app/artsCollection/layout.jsx
2
3import Script from 'next/script'
4
5// ...
6    <Script 
7      id="show-arts-collection"
8      dangerouslySetInnerHTML={{
9      __html: "document.getElementById('arts-collection').classList.remove('hidden')",
10      }}
11    />
12    
13// ...   External scripts are loaded with a required src prop to specify the URL.
1// ...
2    <Script src="https://example.com" 
3    />
4// ...strategy PropAlthough the Script is loaded only once in the web app, you can control how it loads with the following loading strategies:
beforeInteractive: The script will load before the Next.js code loads and before page hydration happens.
afterInteractive: The script will load immediately after page hydration happens.
lazyOnLoad: The script wll load in a delayed manner after every other code have been loaded in the browser.
*worker: The script will load in a web worker.
Here, render the script before page hdration occurs:
1     <Script
2        src="https://example.com/script.js"
3        strategy="beforeInteractive" 
4     />To control how a web page responds to certain events, you can use the following event handlers which can only be used in client components:
onLoad: Responds inmediately the script has finished loading.
onReady: This function responds after the script has finished loading and the component is fully displayed.
onError: Responds when an error occurs with script loading.
1'use client'
2
3import Script from 'next/script'
4
5// ...
6
7    <Script
8      src="..."
9      onReady=()=> {console.log('users can interact with the component now')}
10    />
11
12// ...Implement URL redirect with Next.js built-in functions and hooks based on different use cases.
Mutation involves updating data to a network server. Use redirect or permanentRedirect to enable URL redirect in server components, actions, or route handlers.
redirect functionredirect is called outside the try/catch block. 
redirect accepts two parameters:
path: The URL path users are redirected to. The path can be relative or absolute.
type: The URL redirect we want to enable is either to replace a URL pattern with replace or to push to an existing URL pattern with push. Next.js automatically uses the push redirect type only for server actions. Redirects that called in other files are replace by default.
1// bidArtsAction.js
2
3'user server'
4
5import { redirect } from 'next/navigation'
6import { revalidatePath} from 'next/cache'
7
8export default async function bidArts(id) {
9
10  try{
11    // ...
12  } catch(error){
13    // ...
14  }
15
16  revalidatePath('/bidArts')
17  redirect(`/bidArts/${id}`)
18
19}As shown in the example above, revalidatePath will update the cached bidArts page. Once the user bidArts' server action is called, the URL pattern will change from../bidArtsto../bidArts/id`.
If you want to replace the URL path, use:
1redirect(`/bidArts/${id}`, replace)permanentRedirect functionTo redirect users to a permanently changed URL, use permanentRedirect:
1// updateArtistPaintingAction.js
2
3'use server'
4
5import { permanentRedirect} from 'next/navigate'
6import revalidateTag from 'next/cache'
7
8export async function updateArtistPainting(artsWork, formData){
9
10  try{
11    // ...
12  } catch(error) {
13    // ...
14  }
15
16revalidateTag('artsWork')
17permanentRedirect(`artist/${artsWork}`)
18}revalidateTag will update all paths related to artsWork.
useRouter hooksuseRouter hook works in client components only.
1// modernArts.jsx
2
3'use client'
4
5import useRouter from 'next/navigation'
6
7export default function Page(){
8const router = useRouter()
9
10  return(
11    <button onClick=(()=>{router.push(/fernado)})>
12      Fernado
13    </button>
14)
15}Here, once a user clicks on the button, the user is redirected to a new URL with the path /fernado
redirects in next.config.jsTo enable URL redirect to different URL paths based on different incoming URL requests, include redirects  to the next.config.js file. It allows you manage different number of URL paths at once.
1// next.config.js
2
3module.exports = {
4  async redirects() {
5    return [
6      {
7        source: '/about',
8        destination: '/',
9        permanent: true,
10      },
11      {
12        source: '/artists/:slug',
13        destination: '/artsCollection/:slug',
14        permanent: true,
15      },
16    ],
17  },
18}Enabling URL redirects in a Next.js middleware allows the web browser to redirect URLs before a user's request is completed, for example, before a browser completes an authentication process.
Here, we want to redirect a user to the login page if the user is not authenticated. The redirect is processed before the login page is rendered. This will avoid errors when the page loads since we redirect the user after a condition has been met.
1// middleware.js
2
3import { NextResponse} from 'next/server'
4import 'authenticate' from  'next/auth-provider'
5
6export function middleware(request) {
7  const isAuthenticated = authenticate(request)
8
9  if(!isAuthenticated) {
10    NextResponse.redirect(new URL('/login', request.url))
11} 
12
13export const config = {
14  matcher: '/artscollection/:path*'
15}@next/bundle-analyzerTo minimize memory usage, you can bundle the packages used in your web app with a bundler. A bundler automatically merges all the code written in the web app into a single file, helping to solve dependency and latency issues. Certain resources depend on other resources, such as remote libraries, components, and frameworks, and are complex to manage. Latency is a measure of the time distance between a user's device and the network server that is being requested.
Next.js has a built-in plugin @next/bundle-analyzer which identifies and reports dependencies issues.
@next/bundle-analyzer pluginTo install the the plugin, use:
1npm i @next/bundle-analyzer
2
3# or
4
5yarn add @next/bundle-analyzer
6
7# or
8
9pnpm add @next/bundle-analyzer@next/bundle-analyzer usageHere is how to use the @next/bundle-analyzer:
1// next.config.js
2
3/** @type {import('next')}.NextConfig */
4import("next").NextConfig;
5const nextConfig = {
6  experimental: {
7    optimizePackageImports: ["icon-library"],
8  },
9
10  serverExternalPackages: ["package-name"],
11};
12
13const withBundleAnalyzer = require("@next/bundle-analyzer")({
14  enabled: process.env.ANALYZE === "true",
15});
16
17module.exports = withBundleAnalyzer(nextConfig);From the code above, we have the following:
optimizePackageImports enables manual optimization of the packages imported. This allows the packages to be imported once and used in different components as often as possible.
withBundleAnalyzer includes the bundle analyzer's settings to the next.config.js file after it has been installed.
serverExternalPackages excludes package-name from being bundled in the application.
The next.config.js' file optionally usesoptimizePackageImports,withBundleAnalyzer, andserverExternalPackages`.
To analyze and generate reports on your bundles, use:
1ANALYZE=true npm run build
2
3# or
4
5ANALYZE=true yarn build
6
7# or
8
9ANALYZE=true pnpm buildLazy loading is a performance strategy that reduces page load time by rendering web pages lightweight until users actively navigate to certain components. It is useful for enjoyable scrolling engagements. So far, in this article, you have implemented Next.js lazy loading for images and videos.
Server components have features that enable automatic render delay. To enable manual lazy loading in server components, implement Streaming.
Client components cannot be delayed automatically. You must use dynamic imports or Suspense to achieve Next.js lazy loading in client components.
In this section, you will lazy load client components only:
dynamic is a callback function that returns the components we want to lazy load as imports. To disable pre-rendering in client components, set the ssr option to false. To enable custom loading in dynamic imports, set the loading option to a preferred UI:
1// artsExhibitionPage.jsx
2
3'use client'
4
5import dynamic from 'next/dynamic'
6
7// client components:
8const Leonardo = dynamic(()=> import('../ui/leonardo'))
9const Picasso = dynamic(()=>import('../ui/picasso'))
10const Michelangelo = dynamic(()=>import('../ui/michelangelo'), {ssr: false})
11const Magritte = dynamic(()=>import('../ui/magritte'), {
12  loading: () => <div>While waiting for Magritte's arts work, just view me instead</div>
13})
14
15
16export default function ArtsExhibition() {
17
18  return (
19    <div>
20      <Leonardo />
21      
22      <Picasso />
23      
24      <Magritte />
25
26      <Michelangelo />
27    </div>
28  )
29}dynamic1// vermeer.js
2
3export function Vermeer() {
4  return(
5    <div>...</div>
6  )
7}To lazy load the named export Vermeer using dynamic, return it as a Promise after it has been imported:
1// artsExhibitionPage.jsx
2
3'use client'
4
5const Vermeer = dynamic(import('../components/vermeer').then((res)=>res.Vermeer))SuspenseWith Suspense, you can lazy load client components while providing a fallback component:
1// upcomingArtsExhibitionPage.jsx
2
3'use client'
4
5import { Suspense} from 'react'
6import Leonardo from '../components/leonardo.jsx'
7import Picasso from '../components/picasso.jsx'
8
9export default function UpcomingArtsExhibition() {
10  return(
11    <Suspense fallback={<div>Waiting for all components to load at once</div>}>
12      <Leonardo />
13      <Picasso />
14    </Suspense>
15  )
16}To load packages or libraries only when needed, use the await import:
1// myPage.jsx
2
3'use client'
4
5import { useState } from 'react'
6
7export default function MyPage() {
8
9  const [results, setResults] = useState(false)
10
11  return(
12    <div>
13    
14      <button onClick={async()=>{
15        const MyLibrary = (await import('my-library.js')).default
16        const myLibrary = new MyLibrary()
17        setResults(myLibrary)
18      }>
19      Show Result
20      </button>
21      
22      <div>Results: {JSON.stringify(results)}</div>
23
24    </div>
25  )
26}
27const myLibrary = (await import('my-library.js')).defaultIn the example above, my-library.js will load only when the <button> is clicked.
When lazy loading complex components, different problems may arise. An example is multiple requests from network servers at the same time. To prevent this problem, cache the components. Read about Caching in Next.js.
In Next.js, you can always keep track of performance issues in production using:
reportWebVitals hook: monitors Core Web Vitals (CWV) metrics and sends observed reports manually.
Vercel's built-in observability tool: integrated with other observability tools such as OpenTelementry, Datadog, through a process known as instrumentation.
Google Lighthouse: Lighthouse measures and provides reports on the score of different CWV metrics based on the URL of each web page, with suggested ways to fix the performance issues.
In this article, you have understood how different resources affect the user experience of a web app. You have also implemented techniques to optimize images, videos, fonts, metadata, URL redirects, scripts, and packages. You have also implemented Next.js lazy loading strategies for client components and other resources.
Optimization enables your Next.js web app to be highly performant, lightweight, and enjoyable. You have also learned about different performance metrics and possible ways to measure your web app's performance.
Product Adoption Strategist (Talks about PLG).