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

react-js-async-hooks

v1.0.4

Published

> Simple yet effective hooks to handle async functions within react components.

Downloads

4

Readme

React.JS Async Hooks

Simple yet effective hooks to handle async functions within react components.

NPM JavaScript Style Guide GitHub

The aim of this library is to prevent boilerplate code to handle async callback, providing a simple interface to deal with states changes.

Install

This library requires React.JS v17.

To install this library run:

npm install --save react-js-async-hooks

Or:

yarn add react-js-async-hooks

ESLint Configuration

exhaustive-deps can be configure to validate dependencies of useAsyncEffect and useAsyncCallback hooks.

The dependency validation is highly recommended!

Add or edit "react-hooks/exhaustive-deps" rule to have something like the following snippet in the .eslintrc.json.

{
  "rules": {
    "react-hooks/exhaustive-deps": [
      "warn",
      {
        "additionalHooks": "(useAsyncEffect|useAsyncCallback)"
      }
    ]
  }
}

For more details see eslint-plugin-react-hooks documentation.

Jest Configuration

This library complys ECMAScript standard, so it is not compatible with Node.JS defaults. In order to proper run the tests using this library you need to configure Jest.

In your jest.config.js, include this library in the transformIgnorePattern option and enable ts-jest transformation, like this:


const { jsWithTs: tsjPreset } = require("ts-jest/presets");

module.exports = {
  // [...]
  transform: {
    ...tsjPreset.transform,
  },
  transformIgnorePatterns: [
    "<rootDir>/node_modules/(?!react-js-async-hooks)",
  ],
  // [...]
};

In your tsconfig.json file make sure that allowJs is true.

If you don't want to mess your tsconfig.json file, you can configure the jest.config.js like this:

const { jsWithTs: tsjPreset } = require("ts-jest/presets");

module.exports = {
  //[...]
  transform: {
    ...tsjPreset.transform,
  },
  transformIgnorePatterns: [
    "<rootDir>/node_modules/(?!react-js-async-hooks)",
  ],
  // Specify a different tsconfig file for testing
  globals: {
    "ts-jest": {
      tsconfig: "tsconfig.test.json",
    },
  },
};

And create a tsconfig.test.json file with:

{
  "extends": "./tsconfig.json",
  "compilerOptions": {
    "allowJs": "true"
  }
}

See ts-jest documentation for more info.

Hooks

useAsyncEffect

This hook provides a way to safely execute async calls without worry with memory leak.

Usage

import axios from "axios";

const Component = () => {
  const [query, setQuery] = useState<string>();
  const [countries, setCountries] = useState<Country[]>([]);
  const [country, setCountry] = useState<Country>();
  const [errorMessage, setErrorMessage] = useState<string>();

  const status = useAsyncEffect(
    () => ({
      asyncCallback: () => {
        // Must return the promise, so it is possible to
        // cancel it if needed, or to proper send result to
        // onSuccess callback.
        return axios.get(encodeURI(`/countries?query=${query}`));
      },
      onSuccess: (countries) => {
        // Do anything with result
        // IT IS SAFE TO CHANGE STATES HERE
        setCountries(countries)
      },
      onError: (error) => {
        // Handle errors here
        // IT IS SAFE TO CHANGE STATES HERE

        if (error.response) {
          // The request was made and the server responded with a status code
          // that falls out of the range of 2xx
          setErrorMessage("Unauthorized.")
        } else if (error.request) {
          // The request was made but no response was received
          // `error.request` is an instance of XMLHttpRequest in the browser and an instance of
          // http.ClientRequest in node.js
          setErrorMessage("Server is not responding.")
        } else {
          // Something happened in setting up the request that triggered an Error
          setErrorMessage("Failed to fetch countries.");
        }
      },
      cleanup: () => {
        // remove subscriptions here
        // DON'T CHANGE STATES HERE!!
      }
    }),
    [query]
  );

  const handleSelect = (country: Country) => {
    // do stuff here
  }

  return (
    <div>
      <Loading
        show={status === AsyncCallbackStatus.evaluating}
      />
      <ErrorMessage message={errorMessage} />
      <CountrySelector
        countries={countries}
        onSelect={handleSelect}
        value={address.country}
      />
    < /div>
  )
};

useAsyncCallback

This hook provides a way to execute the async callback within an imperative function.

Usage:

import { useAsyncCallback } from "react-js-async-hooks"
import axios from "axios";
import { AsyncCallbackStatus } from "./enums";
//[...]

const Component: React.FC = (props) => {
 const updateAddress = useAsyncCallback(
   (address: Address) =>
     // Must return the Promise!!!
     axios.post(
       encodeURI(`/address/${address.id}/save`),
       { ...address }
     ),
   []
 );
 const countries = useCountries();
 const [address, setAddress] = useState<Address>()
 const [status, setStatus] = useState(AsyncCallbackStatus.idle);

 function handleSelect(country: Country) {
   const updatedAddress = { ...address, country }
   setStatus(AsyncCallbackStatus.evaluating)
   updateAddress(updatedAddress)
     .then((savedAddress) => {
       // Do whatherver you want with the async callback result
       // IT IS SAFE TO CHANGE STATES HERE
       setAddress(savedAddress);
       setStatus(AsyncCallbackStatus.success)
     })
     .catch((e) => {
       // Handle error here
       
       if (!e.isCanceled) {
         // IT IS SAFE TO CHANGE STATES HERE
         setStatus(AsyncCallbackStatus.failed)
       }
       
       // IT IS NOT SAFE TO CHANGE STATES HERE
     });
 }

 return (
   <div>
     <AddressUpdateStatus status={status} />
     <CountrySelector
       countries={countries}
       onSelect={handleSelect}
       value={address.country}
     />
     <!-- ... -->
   </div>
 )
}