npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@minstack/router

v1.0.1

Published

Basic routing for React.

Downloads

2

Readme

MinStack Router

Basic declarative routing for React.

build codecov

The MinStack Philosophy:

  • Simple: Minimal and opinionated APIs and feature sets.
  • Small: Zero dependencies and smaller bundles than most alternatives.
  • Fast: Optimization through simplicity.
  • Typed: Written in Typescript. Designed for Typescript.

Getting Started

Wrap your application with a router: BrowserRouter, BrowserHashRouter, or MemoryRouter.

import { BrowserRouter } from '@minstack/router';

render(
  <BrowserRouter>
    <App />
  </BrowserRouter>,
);

Any component or hook which depends on a router, will throw an error if no router parent is present.

The BrowserHashRouter is useful when the application's server does not support SPAs (eg. GitHub Pages). An SPA-compatible server will serve the application index file when a non-existent path is requested.

The MemoryRouter is useful for SSR and testing, when there is no window global.

Match Routes By Path

Use the Route component.

const App = () => {
  return (
    <Route path={'/foo'}>
      <p>Only rendered if the route is exactly "/foo".</p>
    </Route>,
  );
};

The path property also accepts an array of paths.

const App = () => {
  return (
    <Route path={['/foo', '/bar']}>
      <p>Only rendered if the route is exactly "/foo" or "/bar".</p>
    </Route>,
  );
};

Routes can also be matched with the useRoute hook.

// Match a single path...
const match = useRoute('/foo');

// Or, multiple paths...
const match = useRoute(['/foo', '/bar']);

The returned match will be null if the route is not matched, or an object containing match data if the route is matched.

Path Parameters

Non-exact paths can be matched using path parameters.

const User = () => {
  const { params } = useRouteMatch();
  return <div>UserID: {params.id}</div>;
};

const App = () => {
  return (
    <Route path={'/user/:id'}>
      <User />
    </Route>,
  );
};

Parameter names can only contain letters, numbers, and underscores (_). If two parameters with the same name are present, only the value for the last one will be captured.

Path parameters are never optional, and will (non-greedy) match everything up to the next forward slash (/).

Because parameters are non-greedy, they can be separated by any character other than a number, letter, or underscore (eg. :foo-:bar). However, If there is no separator between parameters (eg. :foo:bar), every parameter except the last one will always be empty ("").

A path may also end with a wildcard (/*). Wildcards are only allowed at the end of a path, and must be preceded by a forward slash. The value matched by the wildcard is stored in params["*"]. An asterisk (*) anywhere else else in the path is matched literally.

const File = () => {
  const { params } = useRouteMatch();
  return <div>Filename: {params['*']}</div>;
};

const App = () => {
  return (
    <Route path={'/file/*'}>
      <File />
    </Route>,
  );
};

Match Data

The useRoute and useRouteMatch hooks return the following data.

type RouteMatch = {
  /** True if the matched pattern contained path parameters. */
  readonly isParameterized: boolean;
  /** True if the matched pattern ended with a wildcard. */
  readonly isPrefix: boolean;
  /** Matched pattern, including a wildcard. */
  readonly pattern: string;
  /** Matched pattern, excluding a wildcard. */
  readonly patternPrefix: string;
  /** Matched full path, including a wildcard part. */
  readonly path: `/${string}`;
  /** Matched prefix path, excluding a wildcard part. */
  readonly pathPrefix: `/${string}`;
  /** Path parameter value map. */
  readonly params: Readonly<Record<string, string | undefined>>;
  /** Search (query) string including `?` prefix if non-empty. */
  readonly search: '' | `?${string}`;
  /** Hash string including `#` prefix if non-empty. */
  readonly hash: '' | `#${string}`;
  /** History state data (JSON serializable). */
  readonly state: {} | null;
};

Exclusive Routes

To match only one route from a set, wrap the Route components in a Routes parent.

const App = () => {
  return (
    <Routes>
      <Route path={'/user/settings'}>...</Route>
      <Route path={'/user/:id'}>
        <p>Never matches "/user/settings" due to the previous route.</p>
      </Route>
      <Route>
        <p>Catch-all route matches anything not matched above.</p>
      </Route>
    </Routes>,
  );
};

NOTE: The useRoute hook is not affected by a <Routes> parent.

Nested Routes

The leading slash can be omitted from a nested route to make the pattern relative to a parent pattern (without the trailing wildcard).

const App = () => {
  return (
    <Route path={'/parent/*'}>
      <Route path={'child'}>
        <p>Matches pattern "/parent/child"</p>
      </Route>
      <Route path={''}>
        <p>Matches pattern "/parent/"</p>
      </Route>
      <Route path={'*'}>
        <p>Matches pattern "/parent/*"</p>
      </Route>
    </Route>
  );
};

Navigate On Click

No <Link> component is provided. Instead, a useNavigate hook is provided which returns a navigation callback.

const App = () => {
  const navigate = useNavigate();

  return (
    <a onClick={navigate} href={'/target/path'}>
      <span>Click Here</span>
    </a>
  );
};

The callback calls event.preventDefault() and pushes the event.currentTarget.href onto the browser history.

A url can be passed to the hook in cases where the clickable element does not have an href property (eg. buttons).

const App = () => {
  const navigate = useNavigate('/target/path');

  return (
    <button onClick={navigate}>
      <span>Click Here</span>
    </button>
  );
};

When a url is passed directly to the hook, the callback can be called without an event (eg. navigate()), and it will still trigger the navigation.

History state data can be provided and the current history entry can be replaced (instead of pushed) by passing an options object to the hook.

const navigate = useNavigate({
  href: '/target/path',
  state: { key: 'value' },
  replace: true,
});

A number can be passed to the hook to navigate forward (positive) and backward (negative) through the browser's history, or to reload the page (zero).

// Back
const navigate = useNavigate(-1);

// Forward
const navigate = useNavigate(1);

// Reload
const navigate = useNavigate(0);

Redirect On Mount

The Redirect component can be used to replace the current history entry as soon as it is mounted. The history entry is always replaced (not pushed) to avoid blocking back navigation.

const App = () => {
  return (
    <Route path={'/go-home'}>
      <Redirect href="/" />
    </Route>
  );
};

It also accepts an optional state property to set history state data.

const App = () => {
  return (
    <Route path={'/go-home'}>
      <Redirect href="/" state={{ key: 'value' }} />
    </Route>
  );
};