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

raid-addons

v4.1.0

Published

Add-ons functions for use with Raid

Downloads

12

Readme

Raid-addons

Addons and helpers for use with raid

npm License: MIT Build Status Coverage Status js-standard-style

Documentation

Getting Started

Install with yarn or npm

yarn add raid raid-addons
npm i -S raid raid-addons

Raid does one job, it helps to manage the state of your application. It does this job simply enough but sometimes you want to add some sugar or some extra stuff for tasks you typically do often.

This is a disparate list of add-ons and whilst they were created with Raid in mind they could equally be used with other libraries. They are typically small utility functions and often best used composed together.

See the examples for more detailed usage.

Add-ons

Adaptor

(<Signal>) => <Function <Function[optional], Component>>

An adaptor can be attached to a signal and returns a function that can be used to create a higher-order component that has data from the state provided to it, that data will be passed as props.

const signal = new Signal({
  title: 'Foo'
})
const connect = adaptor(Signal)

const El = ({title}) => <h1>{title}</h1>
const Title = connect(state => state.title, El)

The returned connect function should be supplied with a selector function (which is responsible for grabbing parts of the state) and a component function.

The state selector function is optional and the component function will become the first argument if omitted.

  • Libraries like reselect, which help to create the selector function for you, work great with this pattern.

The source uses JSX to pass through the Component and is currently building only for use with React.

Plug

(<Signal>) => <Function <Function[optional], Component>> => <Function <Any[optional]>>

A plug is functionally identical to adaptor, but without the property massaging to be used any component specification i.e. it can be used with raw functions instead.

Plug returns a connect function which can be used to decorate a function and pass through state from a Raid Signal.

const signal = new Signal({
  foo: 'hello'
})
const connect = plug(signal)

const hof = (
  state => state.foo,
  (state, passed) => {
    console.log(state, ':', passed)
  }
)

hof('world')
// hello : world

Compress (Object notation)

(<Object>) => <Function <state, event>>

Compress is used to add functions to a particular event type and will assume events are objects of the type {type, payload}. This removes the restriction to switch on events within the update function.

This pattern can be applied to simplify attaching update functions to specific events.

const signal = new Signal({
  count: 0
})

const add = (state, payload = {}) => {
  state.count += payload.amount || 1
  return state
}

signal.register(compress({
  'ADD': add
}))

signal.emit({
  type: 'ADD',
  payload: {
    amount: 5
  }
})

The signature of the update function changes semantics slightly as it will now be passed the payload, rather than the entire event object.

Compress (String notation)

(<String>) => <Function <state, event>>

Compress can also be supplied a string referencing the event type, in this case it will return a function which can be used to attach a function to that event type.

This pattern can be really effective when composing various utilities together to generate update functions.

const signal = new Signal({
  count: 0
})

const add = (state, payload = {}) => {
  state.count += payload.amount || 1
  return state
}

signal.register(compress('ADD')(add))

signal.emit({
  type: 'ADD',
  payload: {
    amount: 5
  }
})

This is a one-to-one mapping between event type and update function, to add more functions to a single event use squash.

Debug

<String> => <Function<state, event>>

Warning Creates side effects

Debug creates an update function that logs the current state and the event being passed through the fold. Be aware of when you register the debug update with a signal i.e. if it is registered first then it will get the current state before any mutation has occurred from another update function, if it is registered last then you’ll get the state after an update mutation has occurred.

Debug accepts a single argument when instantiating the update function and this is a string that will be prepended to the event type.

signal.register(debug('::'))

Adding debug twice to the top and bottom of your registered updates can give you the previous and next states but be aware that any updates that are registered later in your program will appear after the final debug, which is often less than ideal.

signal.register(debug('>>'))
signal.register(update)
signal.register(debug('<<'))

Debug is either on or off and it is up to the consumer to remove it from production builds if required, if your build process does dead-code removal then something like the following could be used:

if (process.env.DEBUG) {
  signal.register(debug())
}

Or you may wish to implement a more complicated method that checks for the existence of a variable in local storage (for example) and choose whether to register the debug update or not. You could even take this one step further and make it dynamic, something like the following:

const passthrough = (state, event) => state
const checkStorage = key => update => {
  return window.localStorage.getItem(key)
    ? update
    : passthrough
}
const checkDebug = checkStorage('DEBUG')

signal.register(checkDebug(debug('::')))

Squash

<String> => <Array<Function>> => <Function <state, event>>

Squash adds several update functions to the same event and runs them sequentially meaning that order can be important.

const signal = new Signal({
  count: 0
})

const add = (state, payload) => {
  state.count += payload
  return state
}

const log = state => {
  console.log('Adding')
  return state
}

signal.register(squash('ADD', [
  add,
  log
]))

signal.emit({
  type: 'ADD',
  payload: 5
})

Flow

(<arguments<Function>>) => <Function <state, event>>

Flow is a utility function that creates an update function ready to register with a signal by composing together all functions passed to it as arguments. Updates are invoked serially.

It combines well with compress to attach several functions to the same event, although squash can achieve the same functionality.

const signal = new Signal({
  count: 0
})

const add = (state, event) => {
  state.count++
  return state
}

const restrict = mod => (state, event) => {
  if (state.count % 2 !== mod) {
    state.count++
  }
  return state
}

signal.register(flow(
  add,
  restrict(0)
))

It is conceptually identical to lodash/fp/compose (or compose from any FP library) but returns a function ready to be used as an updater and expects to be supplied with update functions. For general case use of composing functions together, use the implementation provided by your favourite FP library.

Hook

(<Function, Object>) => <Function <state, event>>

Hooks can be used to add update functions to a range of events using a predicate supplied in the options parameter. The predicate for whether a hook should invoke or not can be supplied as a string, regex or function.

const signal = new Signal({
  count: 0
})

const ACTIONS = {
  'ADD': 'action:apply',
  'PLUS': 'action:apply'
}

const add = (state, event) => {
  state.count++
  return state
}

signal.register(hook(add, {
  predicate: ACTIONS.ADD
}))

// or
signal.register(hook(add, {
  predicate: /apply$/
}))

// or
signal.register(hook(add, {
  predicate: event => /^action/.test(event.type)
}))

// All 3 predicates would fire for the following event
signal.emit({
  type: ACTIONS.ADD
})

This is a terse example to highlight how to use hook, no-one ever needs multiple actions that do the exact same thing, always aim to restrict to the minimal.

Match

<Array <Array <Function, Function>>> => <Function <state, event>>

Match provides a form of pattern matching for events by allowing consumers to supply a predicate function to do the matching and an arm function that returns a new representation of the state to pass back to the signal. This is tied to how the match library implements pattern matching.

Match automatically adds a default case on to the pattern matching so consumers should not supply one.

Predicate functions match only on the event. If you need to also match on the current state then consider wrapping in scope with a state predicate function.

Arm functions are expected to be regular update functions with a signature of <state, event>.

const is = type => event => event.type === type
const cap = str => str.replace(/^./, m => m.toUpperCase())

signal.register(match([
  [is('change_title'), (state, {payload}) => {
    ...state,
    title: payload
  }],
  [is('capitalise_title'), state => {
    ...state,
    title: cap(state.title)
  }]
]))

Patch

<String, Function> => <Function <state, event>>

Patch allows an update function to have a view on to a specific root-level state key by specifying that key by a string.

const signal = new Signal({
  foo: {
    bar: 'baz'
  },
  count: {
    value: 0
  }
})

const counter = (count, event) =>({
  ...count,
  value: count.value + 1
})

signal.register(patch('count', counter))

// or
signal.register(patch('count')(counter))

signal.emit({type: 'XXX'})

In this example state.foo will remain unchanged, patch has ensured that the update function only knows about its own key, in this case count.

Safe

<Function> => <Function <state, event>>

Safe just wraps an update function to ensure state is always spat out of it. It will default to using the output of an update function, throwing out the state in the event undefined is returned.

const add = (state, event) => {
  state.count++
}
signal.register(safe(add))

Scope

<Function|String|Regex, Function> => <Function <state, event>>

Scope provides a short-circuit so that the update function only executes when a certain condition is met, that condition can be specified as a string or regex that will match against the event type (or just the event if it is a string) or as a function which will accept both state and event as parameters so that the scoping can be defined by either current application state, event parameters or a combination of both.

Scoped updates have two primary use-cases:

  • Remove application logic from components and move it into update functions.
  • Handle global action emitters without the need to start/stop streams i.e. http requests, keyboard input streams or some sort of external feed updates.
const predicate = (state, event) =>
  state.isModalVisible && event.type === 'foo'

const update = (state, event) => ({
  ...state,
  foo: event.payload
})

signal.register(scope(predicate, update))

Scope can also be called with just the predicate function, allowing an update to be attached later.

const isMain = scope(state => state.appState === 'main')

const update = (state, event) => ({
  ...state,
  foo: event.payload
})

signal.register(isMain(update))

Using scope to match against certain actions is fine, but consider if compress would be a better solution.

Lock

(<Signal>) => <Function <state, event>> => <Function <void>>

Lock provides a mechanism whereby only one function registered through the lock will be active at any one time on a signal, i.e. it locks the signal for the last function supplied through the lock register function. Lock returns a function which can be used to register updates to a signal, this registration function will return a dispose function for each update to remove them from the signal.

const signal = Signal.of({})
const register = lock(signal)

const dispose1 = register(safe(() => {
  console.log('one')
}))
signal.emit({})
// one

// ...later
const dispose2 = register(safe(() => {
  console.log('two')
}))
signal.emit({})
// two

// ...later
dispose2()
signal.emit({})
// one

Note that signal emissions are delayed a tick to be consistent so asynchronicity is something that needs to be considered i.e. the above example, run as written, will not work as you expect as the 2nd update function will be registered and disposed (whereby registering the 1st one again) synchronously whilst the emission will be on the next tick, leading to only 'one' being logged to the console.

Arc

Arcs can be used to create functions which can handle side effects away from regular update functions by ensuring that async-await can be handled correctly.

Arcs are connected to the signal state and can request copies of it meaning that state inside an arc effectively becomes detached but representative of the system state so it can be inspected but not directly manipulated from within an arc, instead, arcs should fire dispatches to infer state changes.

Once an arc is created by attaching it to a signal the actual function works great combined with something like compress to attach it to a specific event.

const signal = new Signal({
  count: 0
})

const signalArc = arc(signal)

const add = compress({
  ADD: safe((state, payload) => {
    state.count += payload
  })
})

const delay = ms => ({
  then: cb => setTimeout(cb, ms)
})

const wait = compress({
  WAIT: (getState, payload, signal) => {
    console.log(getState())
    signal.emit({
      type: 'ADD',
      payload: 5
    })
    await delay(1000)
    console.log(getState())
  }
})

signal.register(add)
signal.register(signalArc(wait))

signal.emit({type: 'WAIT'})

Sin

Sin is another way to use async-await but its far less safe as it allows asynchronous functions to try to return state and become regular update functions. It is included as an example of using asynchronous update functions but arc should be preferred.

Running tests

$ npm
$ npm test

Contributing

Pull requests are always welcome, the project uses the standard code style. Please run npm test to ensure all tests are passing and add tests for any new features or updates.

For bugs and feature requests, please create an issue.

See the root readme for more information about how the repository is structured.

License

MIT