pwshub.com

What are Pre-Rendering and Hydration in Web Development? A Deep Dive for Devs

What are Pre-Rendering and Hydration in Web Development? A Deep Dive for Devs

Have you ever wondered how Frameworks like Next.js, Gatsby.js, and Remix work?

These frameworks use the concepts of Pre-rendering and Hydration, which represent significant advancements in the history of web development.

These frameworks leverage these concepts to create toolchains that build efficient web applications. In this article, we’ll discuss Pre-rendering and Hydration and why they are important features to use when building single-page applications.

To understand these concepts, we need to explore why they were created and what problem they are trying to solve. Let's take a look at the beginning of web applications.

Table of Contents

  1. Web Development in the Past: Traditional Server-Side Rendering

  2. Traditional Server-Side Rendering vs. Single-Page Applications

  3. Entering a New World with Pre-Rendering and Hydration

  4. How does it relate to frameworks like Gatsby.js, Next.js, and Remix?

  5. Moving Forward

  6. Conclusion

  7. Resources

Web Development in the Past: Traditional Server-Side Rendering

Back in the days of traditional server-side rendering, rendering and interactivity were separated. We used server-side languages like Node.js, PHP, Java, and Ruby on Rails.

Within our servers, we created views using templating languages like JSP and EJS. Views are HTML pages, and you could inject JavaScript or Java inside them to add functionality, dynamic data retrieved from database queries, and interactive segments with languages like JQuery.

The Downside of Traditional Server-Side Rendering

  1. Performance Issues
  • A request to the server needed to be made every time the user requested a page!

    • This meant there would be a full-page reload.

    • Complex queries could result in slower speeds.

  1. Scalability Challenges
  • Global Reach: A Dynamic CDN was needed to cache your dynamic files. CDNs are better suited for static content, but companies like Cloudflare created Cloudflare-Workers to help with the process.

  • Upscaling Servers: If more users started using the application, there would be an increase in demand on the server. You might have needed to invest more in resources such as scaling up by adding more servers.

  1. Duplicate Logic
  • You may have duplicate code. For example, if you were trying to validate form fields, you'd have to validate in both the EJS file and your API endpoint.

Let's look at the code snippet below to see an example of this duplicate Logic:

Code in EJS:

<form action='/submit-form' method='POST' id="myForm">
    <label for="email">Email:</label>
    <input type="email" id="email" name="email" />
    <button type="submit">Submit</button>
</form>
<script>
    document
        .getElementById('myForm')
        .addEventListener('submit', function (event) {
            const email = document.getElementById('email').value;
            if (!email.includes('@')) {
                alert('Please enter a valid email.');
                event.preventDefault();
            }
        });
</script>

Code in Express.js:

import express from "express";
const app = express();
const path = require("path");
const port = 3000;
// To received form data
app.use(
  express.urlencoded({
    extended: true,
  }),
);
// view engine setup. Need a folder called views
app.set("views", path.join(__dirname, "views"));
app.set("view engine", "ejs");
app.get("/", (req, res) => {
  // To render the view
  res.render("index", { errors: null });
});
app.post("/submit-form", (req, res) => {
  const email = req.body.email;
  if (!email.includes("@")) {
    res.status(400).send("Invalid email.");
    return;
  }
  // Proceed with form processing
});
app.listen(port, () => {
  console.log(`Sandbox listening on port ${port}`);
});

Traditional Server-Side Rendering had significant downsides, but the introduction of single-page applications marked a new era in web development.

Traditional Server-Side Rendering vs. Single-Page Applications

What is a Single Page Application (SPA)?

A Single-page application (SPA) is a web app implementation that loads only a single web document and then updates the body content of that single document via JavaScript APIs such as Fetch when different content is to be shown. Allows users to use websites without loading whole new pages from the server. (Source: MDN)

A popular way to implement SPA is by using React. React lets you create fast applications and simplifies updating the UI more easily than DOM manipulation methods.

It offers several advantages:

  • Improved User Experience

    • An SPA loads a single HTML file and dynamically updates the content as the user interacts with it. All of this is done without a full page reload.

    • An SPA can update the state of the UI easily and provide instant feedback to users based on actions taken on the app.

  • Reduced Server Load

    • Most of the work is done by the browser. This reduces the load on the server!
  • Better Scalability

    • The browser is now doing most of the work. We can now deploy dedicated servers focused on serving data via APIs. We can easily scale horizontally. We have the option of using servers or serverless functions like AWS lambda.

    • An SPA can be hosted on a static CDN like Netlify.

With the addition of toolchains like Vite and Create React App to automate the setup of a modern JavaScript application, engineers no longer had to worry about configuring Webpack manually.

There are some downsides to implementing SPAs. The big one is that it relies on the browser to load all the JavaScript and HTML for us. This means that on mobile devices and for people with slow internet, users may experience delays in seeing the page. Let’s examine the flow to explain this:

Single Page Application Flow

Single Page Application React Flow. (Source: How NextJS REALLY Works: https://youtu.be/d2yNsZd5PMs?si=RmnywZJEAuurseQm)

Several steps are needed for the users to finally see the HTML page.

First, the browser fetches the HTML. This initial HTML will be blank and incorrect. Why? Because the content comes from JavaScript. This means that it takes time for the browser to fetch JavaScript, load it, and execute it. Since the initial HTML is wrong, web crawlers and search engines will not find relevant content on the website and skip it.

Take a look at the below GIF. Here JavaScript is disabled on the Chrome Developer Tools. The website fails to load without JavaScript. If JavaScript is enabled but the internet connection is slow, users may see a blank page for an extended period.

Single Page Application JavaScript Disabled Test.

This was a big problem. This led to Web Development evolving into the Pre-Rendering era.

Entering a New World with Pre-Rendering and Hydration

Why is Pre-Rendering Important?

People realized that we could generate the HTML in advance. It could be generated from our server or at build time, depending on the methods used.

Pre-rendering can be done in two ways - Server Side Rendering (SSR) or Static Site Generation (SSG)

What is Server Side Rendering?

React components are rendered on the server, and the resulting HTML is sent to the browser. This can improve SEO and initial load times. The rendering process occurs on each page request.

What is Static Site Generation (SSG)?

Static HTML pages are generated at build time. These pages can be served quickly without requiring a server to render them on the fly.

Either method is beneficial! Now the HTML that the user receives will be correct. They will see a page with content instead of a blank page as seen using Vite or Create React App.

But there is a problem: the HTML the user receives is not interactive. They cannot click on it or submit a form. How can we add interactivity to our app? By Hydrating properly🚰 🌊!

What is Hydration?

Hydration is what adds interactivity to our app. It loads the JavaScript that makes our app interactive.

In React, "hydration" is how React "attaches" to existing HTML that was already rendered by React in a server environment. During hydration, React will attempt to attach event listeners to the existing markup and take over rendering the app on the client. (Source: React Docs)

Let's see what the flow looks like for an app that uses Pre-Rendering and Hydration:

Pre-rendering flow.

What is Reconciliation?

Reconciliation is the process by which React determines the most efficient way to update the UI in response to changes in data or component hierarchy. (Source: What is the difference between virtual and real DOM (React)?)

Reconciliation is when React figures out how to update the UI in response to changes in data or components hierarchy.

When components are rendered, a Virtual DOM is created. If there are changes in state or props, then a new Virtual DOM is created. React then uses its diff algorithm to compare the new Virtual DOM with the previous Virtual DOM to check for changes. This is reconciliation.

Based on the changes found, React is not going to update the entire UI. Instead, it will select which elements need to be updated. This article helped me understand Reconciliation.

Pre-rendering and Hydration in Action

During the Pre-rendering and Hydration flow, first, the user will see HTML with the correct content.

Then Hydration kicks in and loads JavaScript to give interactivity to the application.

Let's simulate the process of what happens if the Hydration process takes a long time (due to a slow internet connection) or if the user has JavaScript disabled.

Here is a gif where I disable JavaScript on my Portfolio. I created my portfolio using Gatsby a static-site-generation framework (it also has server-side rendering capabilities):

Portfolio JavaScript Disabled Test.

Even though there is no JavaScript, I can still see content on my portfolio. That’s because the user received pre-render HTML! You can see that I cannot click on the dropdown menu items or the buttons that say About Me, Projects, and Experience. That’s because the JavaScript did not load so the user cannot interact with it.

A Mental Model for Hydration

Josh Comeau created a cool mental model for Hydration. Josh calls it the “Two Pass Rendering.”

The first pass, at compile-time, produces all of the static non-personal content and leaves holes where the dynamic content will go. Then, after the React app has mounted on the user's device, a second pass stamps in all the dynamic bits that depend on the client state. (Source: The Perils of Hydration)

To Summarize:

  1. The First Pass: the user sees the pre-render HTML. It contains static content, but it is missing the dynamic content.

  2. The Second Pass: JavaScript starts loading and fills in the missing dynamic pieces that depend on the client state.

Potential Errors When Working with Pre-rendering and Hydration Frameworks

When working with frameworks like Next.js, the server will return static pre-render HTML, and then Hydration occurs which loads JavaScript.

But we must be careful when working with dynamic data and client-only properties. For example, take a look at this code:

Dynamic Data Error

function HydrationErrors() {
  return (
    <>
      <h1>Hydration Errors</h1>
      <div>
        <p>Today date in milliseconds is {new Date().getTime()}</p>
      </div>
    </>
  );
}

Here, the server will generate HTML with a timestamp in milliseconds. For example: 1724869161034. The Hydration process begins, and then the client loads the HTML. Time has passed and the timestamp is different, it is now 172486193750! This scenario causes the following error:

Mismatch text content from server and client hydration error.

This happens because the getTime() function will generate a different timestamp.

This means that the server and client generate different HTML. The Network Tab shows us the server's response. It is a different HTML from what the client loads.

The server's response below:

Different server html generated.

The client's response below:

Different client html generated.

To Fix the Error:

function HydrationErrors() {
  const [date, setDate] = useState<number>();
  useEffect(() => {
    setDate(new Date().getTime());
  }, []);
  return (
    <>
      <h1>Hydration Errors</h1>
      <div>
        <p>Today date in milliseconds is {date}</p>
      </div>
    </>
  );
}

You can use the useEffect hook. Why would this work? Because the HTML that the server and client render will contain an empty date state variable.

Once the component mounts, the useEffect activates and adds the dynamic data from the state variable or you can use the suppressHydrationWarning flag and set it to true.

  <p suppressHydrationWarning={true}>Today date in milliseconds is {date}</p>

Using Client-Only Properties Error

Remember you cannot use window or localStorage. They do not exist on the server. Take the following example:

function HydrationErrors() {
  return (
    <>
      <div>
        {typeof window !== "undefined" && <p>This p tag will appear</p>}
      </div>
    </>
  );
}

Here, the server returns HTML with an empty <div> tag, but the client loads HTML that includes the <p> tag. This creates a HYDRATION ERROR!

This is the error that you get:

Cannot use client-side properties hydration error.

The Network Tab shows us the server's response. It is an empty <div> tag.

The server's response below:

Different server html generated.

But the client loads HTML that says "This p tag will appear".

The client's response below:

Different client html generated.

This demo was inspired by Deeecode The Web in Why Do HYDRATION ERRORS Exist? And how to solve them. He gives a great explanation of why Hydration Errors occur. I recommend watching it!

How Does it Relate to Frameworks like Gatsby.js, Next.js, and Remix?

Everything we have discussed is what all these frameworks focus on.

Static-Site Generation and Server-Side Rendering can be implemented using Gatsby.js, Next.js, and Remix. They focus on creating a pre-render HTML ready for the user to see, then initiate Hydration to add interactivity to the app.

Gatsby.js, Next.js, and Remix do not replace the concept of single-page applications – they add to the process. Take a look at this flow:

Pre-rendering and Single Page Application combined flow. (Source: How NextJS REALLY Works)

It is adding to the current SPA flow! If you did not have Pre-rendering, the process starts where the pink box begins, with an incomplete HTML.

Moving Forward

This article is meant as an introduction to pre-rendering and hydration.

Next.js first implemented these concepts with the Pages Router. Pages Router was great and introduced the world to functions like getServerSideProps, getStaticPaths, and getStaticProps to implement Static-Site Generation and Server-Side Rendering.

These implementations had their pros and cons. For example, Josh W Comeau mentioned that with getServerSideProps:

  1. This strategy only works at the route level, for components at the very top of the tree. We can't do this in any component.

  2. Each meta-framework came up with its own approach. Next.js has one approach, Gatsby has another, Remix has yet another. It hasn't been standardized.

  3. All of our React components will always hydrate on the client, even when there's no need for them to do so.

    (Source: Making Sense of React Server Components)

The React team saw this too and created a new paradigm called React Server Components (RSC). To implement RSC, the Vercel team created the App Router. App Router still uses the concepts of pre-rendering and hydration, but it no longer uses getStaticProps, getStaticPaths, and getServerSideProps. It uses RSC and other great App Router features to implement better web applications. I recommend taking a look at App Router when you get a chance.

Conclusion

Thanks for reading this far 😃!

I learned a lot from writing this article. I started this research because I used Gatsby to create my portfolio version 4 and Next.js in my job, but I did not understand the concepts behind these frameworks and why they were created.

I made a web application to demonstrate the topics covered in the article.

In the GitHub repo you can find the code snippets for the following:

  • A page implementing getStaticProps and getStaticPaths

  • A page implementing getStaticProps

  • A page implementing getServerSideProps with Client Side fetching

  • A page to demonstrate Hydration Errors

  • Using the API directory to implement our own API routes

Resources

Here are some key learning resources I used to write this article in case you want to dig in even deeper:

Source: freecodecamp.org

Related stories
1 month ago - Angular 18's hydration error visualization boosts application debugging by clearly identifying which components are fully hydrated. The post Hydration visualization in Angular 18 using debugging tools appeared first on LogRocket Blog.
1 month ago - This tutorial covers how to write a Python web crawler using Scrapy to scrape and parse data, and then store the data in MongoDB.
1 week ago - Cloud GPU provider allows companies and businesses to utilize computational power on demand (via Cloud Graphical Units) without investing in high-performance computing infrastructure. Companies use cloud GPU providers to carry out...
2 weeks ago - AI Video translator converts spoken dialogue and on-screen text from one language to another using AI. It enables viewers from different linguistic backgrounds to understand the content. This makes video content more accessible and...
1 month ago - Micro-frontends let you split a large web application into smaller, manageable pieces. It’s an approach inspired by the microservice architecture […] The post How to build scalable micro-frontends with Vike and Vite appeared first on...
Other stories
1 minute ago - Data visualization tools let you turn raw numbers into visuals — so you have some guidance when making design choices. I talk more on this in today's blog. The post Using data visualization tools as a UX/UI designer appeared first on...
1 minute ago - So, you’re a JavaScript developer? Nice to hear — what do you think this code returns? And yeah, it’s a […] The post Six things you may not know about JavaScript appeared first on LogRocket Blog.
1 minute ago - Try supporting NPS with CES, which helps you uncover where customers struggle, and CSAT, which focuses on product satisfaction. The post Why CES will give you more insights than CSAT and NPS appeared first on LogRocket Blog.
25 minutes ago - IdPs (aka Identity providers) are crucial in the modern digital world. Learn what they are and what they do.
2 hours ago - Mobile app development has evolved tremendously, and creating a robust, full-featured app today involves mastering both the front-end and back-end. If you're looking to build something practical, like an e-commerce platform, and want to...