Skip to content

Instantly share code, notes, and snippets.

@gragland
Last active February 17, 2024 16:42
Show Gist options
  • Star 2 You must be signed in to star a gist
  • Fork 1 You must be signed in to fork a gist
  • Save gragland/33b5d146891c77ceb1f3493a2428f026 to your computer and use it in GitHub Desktop.
Save gragland/33b5d146891c77ceb1f3493a2428f026 to your computer and use it in GitHub Desktop.
React Hook recipe from https://usehooks.com
import React, { useState, useEffect, useCallback } from 'react';
// Usage
function App() {
const { execute, status, value, error } = useAsync(myFunction, false);
return (
<div>
{status === 'idle' && <div>Start your journey by clicking a button</div>}
{status === 'success' && <div>{value}</div>}
{status === 'error' && <div>{error}</div>}
<button onClick={execute} disabled={status === 'pending'}>
{status !== 'pending' ? 'Click me' : 'Loading...'}
</button>
</div>
);
}
// An async function for testing our hook.
// Will be successful 50% of the time.
const myFunction = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
const rnd = Math.random() * 10;
rnd <= 5
? resolve('Submitted successfully 🙌')
: reject('Oh no there was an error 😞');
}, 2000);
});
};
// Hook
const useAsync = (asyncFunction, immediate = true) => {
const [status, setStatus] = useState('idle');
const [value, setValue] = useState(null);
const [error, setError] = useState(null);
// The execute function wraps asyncFunction and
// handles setting state for pending, value, and error.
// useCallback ensures the below useEffect is not called
// on every render, but only if asyncFunction changes.
const execute = useCallback(() => {
setStatus('pending');
setValue(null);
setError(null);
return asyncFunction()
.then(response => {
setValue(response);
setStatus('success');
})
.catch(error => {
setError(error);
setStatus('error');
});
}, [asyncFunction]);
// Call execute if we want to fire it right away.
// Otherwise execute can be called later, such as
// in an onClick handler.
useEffect(() => {
if (immediate) {
execute();
}
}, [execute, immediate]);
return { execute, status, value, error };
};
@trevithj
Copy link

Thanks! These recipes are so useful (or is that useFul? )
FYI: We just started using a variation like this:

export const useAsyncWithParams = (asyncFunction) => {
   const [state, dispatch] = useReducer(reducer, {status:'idle', value:null, error:null});
   const isAlive = useRef(true);

   useEffect(() => {
      return () => isAlive.current = false;
   }, []);

   const execute = useCallback((params) => {
      dispatch({ type: 'PENDING' });

      return asyncFunction(params)
         .then(response => {
            if (isAlive.current) {
               dispatch({ type: 'SUCCESS', response });
            }
         })
         .catch(error => {
            if (isAlive.current) {
               dispatch({ type: 'ERROR', error });
            }
         });
   }, [asyncFunction]);

   return { execute, ...state };
};

No immediate callback because the asyncFunction takes params. It ignores responses if the component is unmounted. Also, useReducer is tidier, and only triggers a single update in the component each time. That is: I found that setStatus(...) + setValue(...) each caused a component update.

@sarensw
Copy link

sarensw commented Jan 9, 2021

Thanks! These recipes are so useful (or is that useFul? )
FYI: We just started using a variation like this:

export const useAsyncWithParams = (asyncFunction) => {
   const [state, dispatch] = useReducer(reducer, {status:'idle', value:null, error:null});
   const isAlive = useRef(true);

   useEffect(() => {
      return () => isAlive.current = false;
   }, []);

   const execute = useCallback((params) => {
      dispatch({ type: 'PENDING' });

      return asyncFunction(params)
         .then(response => {
            if (isAlive.current) {
               dispatch({ type: 'SUCCESS', response });
            }
         })
         .catch(error => {
            if (isAlive.current) {
               dispatch({ type: 'ERROR', error });
            }
         });
   }, [asyncFunction]);

   return { execute, ...state };
};

No immediate callback because the asyncFunction takes params. It ignores responses if the component is unmounted. Also, useReducer is tidier, and only triggers a single update in the component each time. That is: I found that setStatus(...) + setValue(...) each caused a component update.

Hi @trevithj, how do you hand over params to useAsyncWithParams?

@sarensw
Copy link

sarensw commented Jan 9, 2021

@trevithj Understood. My bad. Still learning :)

@trevithj
Copy link

trevithj commented Jan 9, 2021

@sarensw Learning is never bad! ;)
FYI: this version uses a single object, so we need to call execute({val1, val2, val3}).
There are smarter ways to pass params so that we don't need the object, but this is nice and simple.

@AlexanderProd
Copy link

AlexanderProd commented Jan 15, 2021

Thanks! These recipes are so useful (or is that useFul? )
FYI: We just started using a variation like this:

export const useAsyncWithParams = (asyncFunction) => {
   const [state, dispatch] = useReducer(reducer, {status:'idle', value:null, error:null});
   const isAlive = useRef(true);

   useEffect(() => {
      return () => isAlive.current = false;
   }, []);

   const execute = useCallback((params) => {
      dispatch({ type: 'PENDING' });

      return asyncFunction(params)
         .then(response => {
            if (isAlive.current) {
               dispatch({ type: 'SUCCESS', response });
            }
         })
         .catch(error => {
            if (isAlive.current) {
               dispatch({ type: 'ERROR', error });
            }
         });
   }, [asyncFunction]);

   return { execute, ...state };
};

No immediate callback because the asyncFunction takes params. It ignores responses if the component is unmounted. Also, useReducer is tidier, and only triggers a single update in the component each time. That is: I found that setStatus(...) + setValue(...) each caused a component update.

Sry if this is maybe a dumb question because im new to using reducers, but what do I need to pass as reducer to useReducer ?

EDIT:
Would this be correct?

function reducer(state, action) {
  switch (action.type) {
    case 'PENDING':
      return { ...state, status: 'pending' };
    case 'SUCCESS':
      return { ...state, status: 'sucess', value: action.value };
    case 'ERROR':
      return { ...state, status: 'error', error: action.error };
    default:
      throw new Error();
  }
}

EDIT 2:
Would it be possible to pass two individual parameters to the async function instead of an object?

@trevithj
Copy link

@AlexanderProd Your reducer looks fine. We use something very similar.
Parameters could be handled using the argument object. Like in this example. I use an explicit object in the above for simplicity.
@gragland sorry if this thread is off-topic. A useful hook, methinks. 😃

@lgf196
Copy link

lgf196 commented Feb 5, 2021

Your hooks will cause an endless loop

@TranquilMarmot
Copy link

I use react-query for async calls like this. It has built in caching, retry logic, etc. One of my favorite libraries!

https://github.com/tannerlinsley/react-query

@Yey007
Copy link

Yey007 commented Sep 21, 2021

I believe there is a bug (or at least very confusing behavior) with this.

If you use useAsync with an async function that returns another function, let's say function F, F will get called out of nowhere. The reason is that here

return asyncFunction()
      .then(response => {
        setValue(response);
        setStatus("success");
      })

setValue will interpret the response (F) as a function that it should run to get the new value. Therefore, F will get called without the user calling it, and the value returned from the hook will be the result of F.

I have reproduced this in a code sandbox.

Here is my proposed change:

const useAsync = (asyncFunction, immediate = true) => {
  const [status, setStatus] = useState('idle');
  const [value, setValue] = useState({value: null});
  const [error, setError] = useState(null);

  // The execute function wraps asyncFunction and
  // handles setting state for pending, value, and error.
  // useCallback ensures the below useEffect is not called
  // on every render, but only if asyncFunction changes.
  const execute = useCallback(() => {
    setStatus('pending');
    setValue({value: null});
    setError(null);

    return asyncFunction()
      .then(response => {
        // If response happens to be a function, passing it in directly can cause problems
        setValue({value: response});
        setStatus('success');
      })
      .catch(error => {
        setError(error);
        setStatus('error');
      });
  }, [asyncFunction]);

  // Call execute if we want to fire it right away.
  // Otherwise execute can be called later, such as
  // in an onClick handler.
  useEffect(() => {
    if (immediate) {
      execute();
    }
  }, [execute, immediate]);

  return { execute, status, value.value, error };
};

Edit: I guess the same issue exists with the error value but I've never seen anyone throw a function before so it's probably not too critical. Still worth fixing if there is time.

@windmaomao
Copy link

@Yey007, how can a response be a function?

@trevithj
Copy link

@windmaomao the relevant snippet from the sandbox:

// An async function for testing our hook. Will be successful 50% of the time.
const myFunction = () => {
  return new Promise((resolve, reject) => {
    resolve(() => console.log("Oh no! This is a bug!"))
  });
};

@Yey007, to clarify - you're saying this will clash with functional updates.

const [state, setState] = useState({});
setState(prevState => {
  return {...prevState, ...updatedValues};
});

This seems right. Nice!

@Yey007
Copy link

Yey007 commented Sep 23, 2021

@trevithj Exactly. This was a nightmare to debug, and I want to save others the pain.

@juandl
Copy link

juandl commented Sep 29, 2021

@gragland I think this hook will cause re-rendering in the parent component as is calling the state more than 3 times. when clean the loading, errors, and when set the items..

here is one I made similar, this hook will setState only 1 time

/**
 * Fetch Query and return result or error
 * @param {Object} params
 * @param {any} params.initialData - Initial items
 * @param {Boolean} params.fetchOnMount - Fetch on mount
 * @param {Promise} params.service - Promise to fetch
 * @param {any} params.query - Query params for service
 * @returns
 */
const useQueryFetch = params => {
  /**
   * params
   */
  const { initialState = null, fetchOnMount, service, query } = params || {};

  /**
   * States
   */
  const [instance, setInstance] = useState({
    loading: true,
    error: null,
    firstMount: false,
    items: initialState
  });

  /**
   * Fetch data from API
   */
  const onFetch = async () => {
    let _instance = {
      ...instance
    };

    try {
      //Fetch service
      const { data } = await service(query);

      //Set items
      _instance.items = data;
    } catch (err) {
      //Set error response data axios type
      if (err?.response?.data) {
        _instance.error = err.response.data;
      } else {
        //Add internal error
        _instance.error = { internal: 'Something fail, try again' };
      }
    }

    //Close loading
    if (!_instance.error) _instance.loading = false;

    //Add first mount
    if (!_instance.firstMount) _instance.firstMount = true;

    //Complete query instance
    setInstance(_instance);
  };

  useEffect(() => {
    /**
     * Fetch data on mount
     */
    if (fetchOnMount) onFetch();
    // eslint-disable-next-line react-hooks/exhaustive-deps
  }, []);

  return [onFetch, useMemo(() => instance, [instance])];
};

@juhagenah
Copy link

juhagenah commented Nov 13, 2021

To me it seems that an unwanted line break was introduced in the description on useHooks.com in the typescript variant leading to the file not compiling:
"idle" | "pending" | "success" | "error"

("idle");
should be in one line, I think.
Great stuff nevertheless!!!

@devgioele
Copy link

@xandris pointed out a very important issue here! For example, I pass a http fetch as the execute function, which then triggers other effects. In such a case, the execute function is called 3 times instead of just 1.

@xandris
Copy link

xandris commented Mar 16, 2022

@devgioele i barely remember this! i think the issue is the function returned from useCallback isn't guaranteed to be === for the same dependencies...maybe a plain ref is right right answer; something guaranteed to be stable. although i've never seen any evidence of this 'cache eviction behavior', i just remember the React team left that option open for them. your issue might also be caused by rerenders higher up the tree though? when things get real deep it's easy to miss like key attributes, or subtrees might be getting unmounted and remounted by effects... it could also be parameters to the useAsync hook itself, maybe those aren't reference stable?

@devgioele
Copy link

devgioele commented Mar 17, 2022

Thanks for the quick reply @xandris! The actual problem was that not passing a reference stable function to useAsync caused infinite calls. To avoid that this function is recreated on each render, my solution is to wrap this function first with useCallback and then passing it to useAsync.

The fact that execute was called 3 times... that was because I was actually using it in 3 different places, but didn't realize it!

@TusharShahi
Copy link

Is it ideal to use a function as a useCallback dependency? Function is created fresh in every render (unless handled).

@tamiradler
Copy link

The init value of state should be depend on immediate variable:
const [status, setStatus] = useState(() => immediate ? 'pending' : 'idle' );

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment