Build the simplest react router

PengPeng
2 min read

react-router becomes more and more powerful, and complicated, with a lot of fancy features that I don't need.

So I switched to wouter, it's light weight, easy to use, I enjoyed it for a long time.

Then recently, I thought, why not building my own router, to make it even simpler.

It turns out to be very easy! Here is the full source code, no dependencies, < 100 lines of code, including empty spaces:

import React, { useCallback, useEffect, useState } from 'react';

let renderPage = () => {};

const handlePopState = () => {
  renderPage();
};
window.addEventListener("popstate", handlePopState);

// Navigate with function
export const navigateTo = (to) => {
  if (isUrlChanged(to)) {
    window.history.pushState({}, "", to);
    renderPage();
  }
};

export const replaceTo = (to) => {
  if (isUrlChanged(to)) {
    window.history.replaceState({}, "", to);
    renderPage();
  }
};

export const goBack = () => window.history.back();

// Navigate with component
export const BabyLink = React.memo(({ to, children }) => {
  const handleClick = useCallback(
    (e) => {
      e.preventDefault();
      navigateTo(to);
    },
    [to]
  );

  return (
    <a href={to} onClick={handleClick}>
      {children}
    </a>
  );
});

/**
 * Main component to organize the routes
 * @param {{[route: string]: React.Component}} routes
 * @param {string} defaultRoute
 */
export const BabyRoutes = React.memo(({ routes, defaultRoute = "/" }) => {
  const [page, setPage] = useState(getPageComponent(routes));

  useEffect(() => {
    renderPage = () => {
      setPage(getPageComponent(routes));
    };
    renderPage();
  }, [routes]);

  useEffect(() => {
    if (!page) {
      navigateTo(defaultRoute);
    }
  }, [defaultRoute, page]);

  return page;
});

function getPageComponent(routes) {
  const { pathname, search } = window.location;

  if (routes[pathname]) {
    const Component = routes[pathname];
    const queryParams = parseSearch(search);
    return <Component queryParams={queryParams} />;
  }

  return null;
}

function parseSearch(search) {
  const obj = {};

  if (search) {
    const searchParams = new URLSearchParams(search);
    searchParams.forEach((value, key) => {
      obj[key] = value;
    });
  }

  return obj;
}

function isUrlChanged(to) {
  const current = `${window.location.pathname}${window.location.search}`;
  return current !== to;
}

I have some examples in its repo: react-baby-router, and also published it as a lib in npm.

See how I am using it in notenote.cc, let me know if you have any questions.

0
Subscribe to my newsletter

Read articles from Peng directly inside your inbox. Subscribe to the newsletter, and don't miss out.

Written by

Peng
Peng