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

garfio

v0.2.0

Published

extending Hookleton Pattern namespaces and more

Downloads

10

Readme

npm Coverage Status license Donate

Garfio is a module composed of several submodules that try to facilitate the use of the hookletons. A hookleton is a globalized React Hook, this means that once declared its namespace it is linked to a single state.

The Hookleton library includes only the minimum core code needed to maintain state synchronization between "the users" of the hookleton, but was designed to be fully extensible. The submodules of Garfio are extensions of this code to be able to use the same hookleton namespace with different states.

Garfio solves the problem of namespaces using several user-selectable approaches. In the future, more approaches could be added if relevant.

It is recommend take a look first to Hookleton package Doc

Benefits

  • Small size
  • Zero dependencies (only Hookleton that depends on React Hook)
  • 👉 without using React Context
  • 👉 not complex user memoizations needed. Out of the box performance
  • Works in any environment that supports React Hook: React Native, React Server-Side Rendering (next.js), Proto Native, ...

Installation

# NPM
npm i garfio

# Yarn
yarn add garfio

External resources

included subModules

Hookleton API

Garfio re-export the Hookleton API. You do not need to install hookleton module explicitly if you want to use it. Just:

// createHook from Hookleton module
import { createHook } from 'garfio';

Container module

Hookleton gzip size + Container gzip size

Container create different state scopes within the enclosing tags and without using React Context

API

createHook(useHook, ...initial?): useHookleton

Parameters

  • useHook is the user provide Hook
  • initial any number of params that useHook will accept

Returns

  • useHookleton returned Hookleton. Called by non-host components
  • useHookleton.Container Container component for enclosing tags scopes
  • useHookleton.get function that get the current output of the Hookleton. For standalone use

usage Example

page | source

import { createHook } from 'garfio/container';

function counter(initial = 0) {
  const [count, setCount] = useState(initial);
  const increment = () => setCount(count + 1);
  return [count, increment];
}

const useCounter = createHook(counter);
const CounterContainer = useCounter.Container;

function Button() {
  const [, increment] = useCounter();
  return <button onClick={increment}>+</button>;
}

function Count() {
  const [count] = useCounter();
  return <p>{count}</p>;
}

export default () => (
  <CounterContainer initialArg={1}>
    <Count />
    <Button />
    <CounterContainer initialArg={3}>
      <Count />
      <Button />
    </CounterContainer>
  </CounterContainer>
);

initial arguments API

Containers can be initialized in two ways:

initialArg prop

initialArg is an array of arguments which is spread to the Hook provided by the user. If the value is not an array then it is converted. To pass an array as a start element, it must be enclosed in an array too.

Below are examples of usage and automatic conversions.

Single argument example:

import { createHook } from 'garfio/container';

const useValue = createHook(useState);
const Container = useValue.Container;

export default () => {
  return (
    <Container initialArg={3}>
      {
        /* output number 3 */
        useValue()[0]
      }
      <Container initialArg="three">
        {
          /* output string "three" */
          useValue()[0]
        }
      </Container>
      <Container initialArg={[[1, 2, 3]]}>
        {
          /* output array [1,2,3] in JSX */
          useValue()[0]
        }
      </Container>
    </Container>
  );
};

Multiple arguments example:

import { createHook } from 'garfio/container';

const useReduced = createHook(useReducer);
const Container = useReduced.Container;

const reducer = (s, a) => s;
const initial = 0;

export default () => {
  return (
    <Container initialArg={[reducer, initial]}>
      {
        /* output number 0(initial) */
        useReduced()[0]
      }
    </Container>
  );
};

initial object properties like props

When initializing hooks that use an initialization object it is possible to declare object properties as props of the Container.

Example:

import { createHook } from 'garfio/container';

const useReduced = createHook(({ reducer, initial }) => useReducer(reducer, initial));
const Container = useReduced.Container;

export default () => {
  return (
    <Container reducer={(s, a) => s} initial={0}>
      {
        /* output number 0(initial) */
        useReduced()[0]
      }
    </Container>
  );
};

The Container API and its functionality is inspired by the constante package although React Context has not been used for its implementation

Store module

Hookleton gzip size + Simple gzip size + Store gzip size

If in Container we use the enclosing tags to define different hookleton scopes, with Store the scope is linked to a single object

API

Store creation

createStore(hook, ...initial?): Store

Parameters

  • hook is the user provide Hook
  • initial any number of params that hook will accept
  • initial parameters from Store creation step has priority over initial parameters from Store use.
  • Do not pass any parameters in the Store creation if you want to initialize it within some Component (when you use the hookleton).
  • Remember that hookletons are global, so they are only initialized once, in the first component rendered. The other initializations will be ignored.

Returns

Store sigle object (unique), with this interface:

{
  get(): any;
  delete(): boolean;
}
  • get() for standalone store usage

Standalone refers to obtaining the current state of the hookleton from any part of the application, including outside the React components. This state is not updated automatically

  • delete() for store delete. Return true on sucess

Store use

useStore(store, ...initial?): any

Parameters

  • store already exist store
  • initial any number of params that provided hook will accept

Returns

Return value is any value returned by the hook

usage Example

import { createStore, useStore } from 'garfio/store';

const one = createStore(useState, 1);
const two = createStore(useState, 2);
const three = createStore(useReducer);

const reducer = (s, a) => s;

const Values = () => {
  const [v1, set] = useStore(one);
  useStore(two);
  const [v2] = two.get();
  const [v3, dispatch] = useStore(three, reducer, 3);
  // output: 1,2,3
  return (
    <span>
      {v1},{v2},{v3}
    </span>
  );
};

export default () => <Values />;

The Store API and its functionality is inspired in packages like: shared-state-hook, react-hook-shared-state, reactn, react-shared-hooks, react-hookstore

Simple module

Hookleton gzip size + Simple gzip size

Simple module does not add anything new. It simply allows you to use a hookleton without being explicit about the component that will act as the host of the hookleton. In other words, you do not need to use the useHookleton.use() API, just useHookleton()

API

createHook(useHook, ...initial): useHookleton

Parameters

  • useHook is the user provide Hook
  • initial any number of params that useHook will accept

initial params are required. Any param used in useHookleton are ignored.

Returns

  • useHookleton returned Hookleton. Called by non-host components
  • useHookleton.get function that get the current output of the Hookleton. For standalone use

usage Example

page | source

import { createHook } from 'garfio/simple';

// useCounter is a useState but global
const useCounter = createHook(useState, 0);

const Increment = () => {
  const [, update] = useCounter();
  const increment = () => update(s => s + 1);
  return <button onClick={increment}>+</button>;
};

// The host component
const Value = () => {
  const [count] = useCounter();
  return <span>{count}</span>;
};

export default () => (
  <div>
    <Value />
    <Increment />
  </div>
);

more Examples

Examples page include:

for a deeper insight ...

Please read Hookleton Doc

Credits

author

Contributing

  • Documentation improvement
  • Feel free to send any PR

License

MIT