DEV Community

Cover image for Server-Side Rendering (SSR) with React
OpenReplay Tech Blog
OpenReplay Tech Blog

Posted on • Originally published at blog.asayer.io

Server-Side Rendering (SSR) with React

by Author Samaila Bala

Server Side rendering has been the popular way of rendering web applications before the advent of JavaScript frontend libraries/frameworks e.g React, Angular, Svelte, and Vue.js which brought Client-side rendering to the mainstream. In this article, we will be looking at how to build an SSR application using React but first let’s take a detour to explain what Client-side Rendering and Server-side rendering are.

What is Client-Side Rendering?

Client-side rendering is a way of rendering the content of a web application on the client-side(browser). What it means is when a user makes the initial request the server will return a blank page or a loading screen with some scripts.

<!DOCTYPE html>
<html lang="en">

<head>
  <meta charset="utf-8" />
  <title>Client side rendered SPA </title>
</head>

<body>
  <noscript>You need to enable JavaScript to run this app.</noscript>
  <div id="root"></div>

  <script src="app.js"></script>
  <script src="react-library.js"></script>
</body>

</html>
Enter fullscreen mode Exit fullscreen mode

The page renders and delivers content to the user after the scripts are fully loaded and compiled. This might lead to a slow initial render time but the upside is that when another request to the server is made, only the content will need to travel from server to client. The script will be responsible for rendering the response. This in turn makes all the subsequent requests after the first one super fast. The major downside of this approach is the script tends to grow as the application grows which can make it less performant as it scales.

What is Server-Side Rendering?

SSR is a way of rendering web applications on the server and then sending the response and content back to the user. What this means is when a user opens a web application a request is sent to the server which returns a response together with the content i.e HTML, CSS, JavaScript, and other assets required to display the page to a user.

So unlike a Client-side rendered application, a page with the content is returned to the user. The downside of this approach is a request is always made to the server whenever a user clicks a link which may be slow as the server has to go through the process of processing the request and then return the HTML, CSS, and JavaScript files.

A solution to this approach is a hybrid of SSR and CSR which is called a Universal or Isomorphic app in some circles. In an Isomorphic app, we can eliminate the slow initial load time by Client-side rendered applications by rendering the initial HTML from the server and then letting the client take over rendering responsibilities thereby eliminating the frequent requests that have to be made to the server in SSR apps.

Benefits of SSR

  • Faster initial load time: because an SSR app only delivers what a user requests for when an initial request is made and also doesn’t have to wait until all the JavaScript files are loaded the Time To First Byte (which is the response time from when a user clicks a link to getting feedback) is faster.
  • Good for SEO: SSR apps are better suited for Search engines(Google, Bing, etc.) as the bots of the Search engines can crawl the entire app and index its pages, as opposed to Client-side rendered apps that load and updates just a single page.
  • Great for static sites: because the server returns a full HTML to the user, SSR can be great for building static sites.

Cons of SSR

  • Frequent server requests: every request made by a user has to be sent back to the server for processing which leads to performance issues.
  • Overall slower load time: because the server has to process each request the load time overall becomes slower compared to single-page applications that only need to fetch all the content needed at the initial load time. Also for large SSR applications, processing requests can take some time which may lead to a slow Time To First Byte.

Getting Started

Now that we have an understanding of what SSR is we will be looking at building an SSR app using a popular React framework called Next.js. According to Wikipedia

Next.js is an open-source React front-end development web framework that enables functionality such as server-side rendering and generating static websites for React based web applications.

Next.js makes creating SSR apps with React less stressful as it handles the complexities of setting everything up and also comes with some exciting features out of the box like:

  • Image Optimization
  • Internationalization
  • Next.js Analytics
  • Zero config
  • Typescript support
  • Fast refresh
  • File system routing
  • API routes
  • Built-in CSS support
  • Code-splitting and Bundling

To get started with Next.js open a terminal and run the code below

npx create-next-app [app-name]
Enter fullscreen mode Exit fullscreen mode

or

yarn create next-app [app-name]
Enter fullscreen mode Exit fullscreen mode

This code will initialize a Next.js application. Navigate to the root directory of the application and start the development server by running

npm run dev
Enter fullscreen mode Exit fullscreen mode

or if you are using yarn

yarn dev
Enter fullscreen mode Exit fullscreen mode

Pages and Routing

A page in Next.js is a React component file created in the pages directory. Next.js associates each page created to a route based on the file name. If you navigate to the pages directory you will see an index.js file that is created by default when a Next.js application is created. The index.js file is associated with / route and is by default the home page of the application.

Navigate to the pages directory and create an about.js file. Open the file and paste the code below into it and save the file

import React from 'react'
const About = () => {
  return (
    <div>
      This is an About page.
    </div>
  )
}
export default About
Enter fullscreen mode Exit fullscreen mode

Now if you navigate to http://localhost:3000/about in your browser the about page will be rendered to you. We can also create more nested routes for example http://localhost:3000/movies/tenet can be created by creating a tenet.js in the following path pages/movies.

We will be creating a sample movie app to illustrate some of the major concepts of Next.js. Create a data.js file in the root directory and paste the code below

export default [
  {
    slug: 'the-social-network',
    title: 'The Social Network',
    description: 'The social network is a story of how Mark Zuckerberg created Facebook and the ensuing lawsuits that followed by the twins who said he stole their idea'
  },
  {
    slug: 'malcolm-and-marie',
    title: 'Malcolm and Marie',
    description: 'A black and white romantic drama starring John David Washington and Zendaya. it tells a story of how their relationship is tested on the night of his film premiere.'
  },
  {
    slug: 'tenet',
    title: 'Tenet',
    description: 'The latest action film thriller by Christopher Nolan follows a secret agent known as the Protagonist around the world as he tries to stop a pending World war between the future and the past.'
  }
]
Enter fullscreen mode Exit fullscreen mode

This file contains the data we will be using for our sample movie application.

Open index.js and replace the contents of the file with the code below

import Link from 'next/link';
import movies from '../data';
export async function getServerSideProps() {
  return {
    props: {
      allMovies: movies,
    },
  };
}
export default function Home({ allMovies }) {
  return (
    <div>
      <main>
        <h1>Welcome to a Movie List.</h1>
        <ul>
          {allMovies.map((item) => (
            <li key={item.slug}>
              <Link href={`/movies/${item.slug}`}>
                <a>{item.title}</a>
              </Link>
            </li>
          ))}
        </ul>
      </main>
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

We’ve talked about creating pages and routes. To navigate between pages in Next.js we use the Link component which can be imported from next/link

<Link href={`/movies/${item.slug}`}>
  <a>{item.title}</a>
</Link>
Enter fullscreen mode Exit fullscreen mode

Navigating between pages works by wrapping the <a> tag with the Link component and adding the href attribute to the Link component.

Data Fetching

Next.js has two ways of pre-rendering HTML they are:

  • Static Site Generation: render HTML at build time
  • Server-Side Rendering: render HTML at request time

The way data is fetched in Next.js depends on how a page is rendered. And since this article is focused on SSR we will be using a function called getServerSideProps. The getServerSideProps is a method for fetching data on each request. If the getServerSideProps is exported as an async function on a page Next.js will prerender the page on each request using the data returned by getServerSideProps

import movies from '../data';
export async function getServerSideProps() {
  return {
    props: {
      allMovies: movies,
    },
  };
}
Enter fullscreen mode Exit fullscreen mode

In the code snippet above we are returning the sample data we created earlier on whenever we render our page. The props object is passed to our page component so we can access the data in the component.

Dynamic Routing

After saving the file and restarting the dev server you should be presented with a page similar to the screenshot below

Now if you try clicking on any of the links in the list you will be taken to a 404 page because the page doesn’t exist. We want to create the pages on the fly based on the movie data. To do that we will be creating a file called [id].js in the pages/movies directory.

  cd pages
  mkdir movies
  cd movies
  touch [id].js
Enter fullscreen mode Exit fullscreen mode

If a file name is wrapped with [] for example [id].js it tells Next.js that it is a dynamic route file. Open the [id].js file and paste the code below

import { useRouter } from 'next/router';
import movies from '../../data';
const Movie = () => {
  const router = useRouter();
  const { id } = router.query;
  const getMovieById = movies.find((item) => item.slug === id);
  if (!getMovieById) {
    return <h1>Movie does not exist.</h1>;
  }
  return (
    <div>
      <h1>{getMovieById.title}</h1>
      <p>{getMovieById.description}</p>
    </div>
  );
};
export default Movie;
Enter fullscreen mode Exit fullscreen mode

The useRouter is a react hook that gives us access to the Router object that contains information about the routes. What we are trying to do with the router object is to get the slug so we can use it to retrieve information about the movie.
If you save and go back to the application the links should work.

Measuring front-end performance

Monitoring the performance of a web application in production may be challenging and time consuming. Asayer is a frontend monitoring tool that replays everything your users do and shows how your app behaves for every issue. It’s like having your browser’s inspector open while looking over your user’s shoulder.

Asayer lets you reproduce issues, aggregate JS errors and monitor your app’s performance. Asayer offers plugins for capturing the state of your Redux or VueX store and for inspecting Fetch requests and GraphQL queries.

Asayer Redux

Happy debugging, for modern frontend teams - Start monitoring your web app for free.

Conclusion

In this article, we learned how to render React server-side using Next.js. The repository of the application we built in this tutorial is available on GitHub. Next.js offers a lot more than covered in this article so please check out the docs to learn more about the framework.

Top comments (1)

Collapse
 
christianmontero profile image
Christian Montero

Thanks for sharing, it was a great article as introduction to SSR and Next.js