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

@lyra/state-router

v0.3.0

Published

A path pattern => state object bidirectional mapper

Downloads

7

Readme

@lyra/state-router

Build Status

Features

Based on a routing schema:

  • A state object can be derived from the current pathname
  • A state object can be used to generate a path name

API Usage

Define the routes for your application and how they should map to application state

import {route} from '@lyra/state-router'

const router = route('/', [
  route('/products/:productId'),
  route('/users/:userId'),
  route('/:page')
])

router.encode({})
// => '/'
router.decode('/')
// => {}

router.encode({productId: 54})
// => '/products/54'

router.decode('/products/54')
// => {productId: 54}

router.encode({userId: 22})
// => '/users/22'

router.decode('/users/54')
// => {userId: 54}

router.encode({page: 'about'})
// => '/about'

router.decode('/about')
// => {page: about}

React usage

Setup routes and provider

import {route} from '@lyra/state-router'
import {RouterProvider, withRouter} from '@lyra/state-router/components'

const router = route('/', [route('/bikes/:bikeId')])

const history = createHistory()

function handleNavigate(nextUrl, {replace} = {}) {
  if (replace) {
    history.replace(nextUrl)
  } else {
    history.push(nextUrl)
  }
}

const App = withRouter(function App({router}) {
  if (router.state.bikeId) {
    return <BikePage id={router.state.bikeId} />
  }
  return (
    <div>
      <h1>Welcome</h1>
      <StateLink state={{bikeId: 22}}>Go to bike 22</StateLink>
    </div>
  )
})

function render(location) {
  ReactDOM.render(
    <RouterProvider
      router={router}
      onNavigate={handleNavigate}
      state={router.decode(location.pathname)}
    >
      <App />
    </RouterProvider>,
    document.getElementById('container')
  )
}
history.listen(() => render(document.location))

API

  • route(path : string, ?options : Options, ?children : ) : Router

  • route.scope(name : string, path : string, ?options : Options, ?children : ) : Router

  • Router:

    • encode(state : object) : string
    • decode(path : string) : object
    • isRoot(path : string) : boolean
    • getBasePath() : string,
    • isNotFound(pathname: string): boolean
    • getRedirectBase(pathname : string) : ?string
  • RouteChildren:

    Router | [Router] | ((state) => Router | [Router])
  • Options:

    {
      path?: string,
      children?: RouteChildren,
      transform?: {[key: string] : Transform<*>},
      scope?: string
    }
    • children can be either another router returned from another route()-call, an array of routers or a function that gets passed the matched parameters, and conditionally returns child routes

Limitations

  • Parameterized paths only. Each route must have at least one unique parameter. If not, there's no way of unambiguously resolve a path from an empty state.

Consider the following routes:

const router = route('/', [route('/about'), route('/contact')])

What route should be resolved from an empty state? Since both /about and /contact above resolves to an empty state object, there's no way to encode an empty state unambiguously back to either of them. The solution to this would be to introduce the page name as a parameter instead:

const router = route('/', route('/:page'))

Now, /about would resolve to the state {page: 'about'} which unambiguously can map back to /page, and an empty state can map to /. To figure out if you are on the index page, you can check for state.page == null, (and set the state.page to null to navigate back to the index)

No query params

Query parameters doesn't work too well with router scopes as they operate in a global namespace. A possible workaround is to "fake" query params in a path segment using transforms:

function decodeParams(pathsegment) {
  return pathsegment.split(';').reduce((params, pair) => {
    const [key, value] = pair.split('=')
    params[key] = value
    return params
  }, {})
}
function encodeParams(params) {
  return Object.keys(params)
    .map(key => `${key}=${params[key]}`)
    .join(';')
}

const router = route(
  '/some/:section/:settings',
  {
    transform: {
      settings: {
        toState: decodeParams,
        toPath: encodeParams
      }
    }
  },
  route('/other/:page')
)

This call...

router.decode('/some/bar/width=full;view=details')

...will return the following state

{
  section: 'bar',
  settings: {
    width: 'full',
    view: 'details',
  }
}

Conversely calling

router.encode({
  section: 'bar',
  settings: {
    width: 'full',
    view: 'details'
  }
})

will return

/some/bar/width=full;view=details

Scopes

A scope is a separate router state space, allowing different parts of an application to be completely agnostic about the overall routing schema is like. Let's illustrate:

import {route} from './src'
function findAppByName(name) {
  return (
    name === 'pokemon' && {
      name: 'pokemon',
      router: route('/:section', route('/:pokemonName'))
    }
  )
}

const router = route('/', [
  route('/users/:username'),
  route('/apps/:appName', params => {
    const app = findAppByName(params.appName)
    return app && route.scope(app.name, '/', app.router)
  })
])

Decoding the following path...

router.decode('/apps/pokemon/stats/bulbasaur')

...will give us the state:

{
  appName: 'pokemon',
  pokemon: {
    section: 'stats',
    pokemonName: 'bulbasaur'
  }
}

Intents

An intent is a kind of global route that can be used for dispatching user actions. The intent route can be mounted with

route.intents(<basePath>)

Intent links bypasses scoping, and will always be mapped to the configured basePath.

An intent consists of a name, e.g. open and a set of parameters, e.g. {id: 'abc33'} and the easiest way to make a link to an intent is using the IntentLink React component:

<IntentLink intent="open" params={{id: abc33}}>
  Open document
</IntentLink>

This will generate an <a tag with a href like /<base path>/open/id=abc33 depending on where the intent handler is mounted

State router comes with a built in intent-route parser that decodes an intent route to route state.

Full example:

const router = route('/', [
  route('/users/:username'),
  route.intents('/intents') // <-- sets up intent routes at the /intents base path
])

Decoding the url /intents/open/id=abc33 will produce the following state:

{
  intent: 'open',
  params: {id: 'abc33'}
}

It is now up to your application logic to translate this intent into an action, and redirect accordingly.

404s

To check whether a path name matches, you can use the isNotFound method on the returned router instance:

const router = route('/pages/:page')

router.isNotFound('/some/invalid/path')
// => true

Base paths

Using a base path is as simple as adding a toplevel route with no params:

const router = route('/some/basepath', [route('/:foo'), route('/:bar')])

Any empty router state will resolve to /some/basepath. To check if you should redirect to the base path on app init, you can use the router.isRoot(path) and router.getBasePath() method:

if (router.isRoot(location.pathname)) {
  const basePath = router.getBasePath()
  if (basePath !== location.pathname) {
    history.replaceState(null, null, basePath)
  }
}

For convenience, this check is combined in the method router.getRedirectBase(), that if a redirect is needed, will return the base path, otherwise null

const redirectTo = router.getRedirectBase(location.pathname)
if (redirectTo) {
  history.replaceState(null, null, redirectTo)
}

License

MIT-licensed