react-use vs usehooks-ts vs react-query vs react-async-hook vs beautiful-react-hooks
React Custom Hooks Libraries for State, Side Effects, and Async Logic
react-useusehooks-tsreact-queryreact-async-hookbeautiful-react-hooksSimilar Packages:
React Custom Hooks Libraries for State, Side Effects, and Async Logic

beautiful-react-hooks, react-async-hook, react-query, react-use, and usehooks-ts are all npm packages that provide reusable React hooks to simplify common frontend tasks. These libraries aim to reduce boilerplate and improve code quality by encapsulating logic for state management, side effects, browser APIs, and asynchronous operations. While they share overlapping goals, they differ significantly in scope, architecture, and intended use cases — from general-purpose utility hooks (react-use, usehooks-ts) to specialized async and data-fetching solutions (react-async-hook, react-query). beautiful-react-hooks focuses on declarative event handling and lifecycle abstractions.

Npm Package Weekly Downloads Trend
3 Years
Github Stars Ranking
Stat Detail
Package
Downloads
Stars
Size
Issues
Publish
License
react-use2,651,38043,803454 kB644a year agoUnlicense
usehooks-ts2,124,1107,620251 kB11510 months agoMIT
react-query1,520,27447,7172.26 MB1403 years agoMIT
react-async-hook188,0091,188163 kB31-MIT
beautiful-react-hooks32,2888,367343 kB89 months agoMIT

React Hook Libraries Compared: When to Use Which

Managing state, side effects, and async logic in React apps often leads to repetitive useEffect and useState patterns. The libraries beautiful-react-hooks, react-async-hook, react-query, react-use, and usehooks-ts each offer prebuilt hooks to reduce this boilerplate — but they solve different problems. Let’s compare them through real-world scenarios.

📡 Handling Browser Events and Lifecycle: Declarative vs Manual

beautiful-react-hooks provides hooks like useEvent, useWindowResize, and useGeolocation that automatically manage event listener setup/teardown.

// beautiful-react-hooks: auto-cleanup event listener
import { useEvent } from 'beautiful-react-hooks';

function ClickTracker() {
  const onClick = useEvent('click', (event) => {
    console.log('Clicked at', event.clientX, event.clientY);
  });
  // No manual useEffect or removeEventListener needed
  return <div onClick={onClick}>Track clicks</div>;
}

react-use and usehooks-ts also offer similar hooks, but require more explicit control:

// react-use: useClick
import { useClick } from 'react-use';

function ClickTracker() {
  const ref = useRef(null);
  useClick(ref, () => console.log('Clicked'));
  return <div ref={ref}>Track clicks</div>;
}

// usehooks-ts: useEventListener
import { useEventListener } from 'usehooks-ts';

function ClickTracker() {
  const handleClick = () => console.log('Clicked');
  useEventListener('click', handleClick);
  return <div>Track clicks</div>;
}

react-async-hook and react-query don’t focus on DOM events — they’re purely for async and data logic.

⏳ Managing Async Function States: Simple vs Advanced

For basic async calls (e.g., form submission), react-async-hook wraps functions and exposes loading, error, and result:

// react-async-hook
import { useAsyncCallback } from 'react-async-hook';

function LoginForm() {
  const login = useAsyncCallback(async (credentials) => {
    return await api.login(credentials);
  });

  if (login.loading) return <Spinner />;
  if (login.error) return <Error msg={login.error.message} />;
  return <form onSubmit={() => login.execute({ user, pass })} />;
}

react-query goes further — it treats async results as server state with caching, deduplication, and background refetching:

// react-query
import { useQuery, useMutation } from '@tanstack/react-query';

function UserProfile({ userId }) {
  const { data, isLoading } = useQuery({
    queryKey: ['user', userId],
    queryFn: () => fetchUser(userId)
  });

  const mutation = useMutation({
    mutationFn: updateUser,
    onSuccess: () => {
      // Invalidate and refetch user data
      queryClient.invalidateQueries(['user', userId]);
    }
  });

  return <div>{isLoading ? '...' : data.name}</div>;
}

react-use and usehooks-ts don’t provide dedicated async state hooks. You’d typically combine useState/useEffect manually or use useAsync from react-use (which is basic):

// react-use: simple async
import { useAsync } from 'react-use';

const { value, loading, error } = useAsync(() => fetchUser(id), [id]);

beautiful-react-hooks has no async utilities.

💾 Local Storage and Browser APIs: Utility Coverage

react-use and usehooks-ts shine here with dozens of hooks for browser features:

// react-use
import { useLocalStorage, useNetwork, useMedia } from 'react-use';

const [darkMode, setDarkMode] = useLocalStorage('theme', 'light');
const isOnline = useNetwork().online;
const isMobile = useMedia('(max-width: 768px)');

// usehooks-ts
import { useLocalStorage, useNetwork, useMediaQuery } from 'usehooks-ts';

const [darkMode, setDarkMode] = useLocalStorage('theme', 'light');
const isOnline = useNetwork().online;
const isMobile = useMediaQuery('(max-width: 768px)');

react-query and react-async-hook don’t cover these. beautiful-react-hooks includes some (e.g., useGeolocation), but far fewer than the utility-focused libraries.

🔁 Caching and Data Synchronization: Only One Game in Town

Only react-query provides automatic caching, stale-while-revalidate, pagination, and mutation rollback:

// react-query handles cache keys, deduplication, background updates
const { data } = useQuery({
  queryKey: ['posts'],
  queryFn: fetchPosts,
  staleTime: 1000 * 60 // 1 min
});

All other libraries treat async results as local component state. If two components fetch the same data, they’ll make two network requests unless you build your own cache.

🧪 TypeScript Support and Type Safety

usehooks-ts is built from the ground up in TypeScript with strict types:

// usehooks-ts: fully typed
const [value, setValue] = useLocalStorage<string>('key', 'default');

react-use also offers strong TypeScript support, though some hooks have looser inference.

react-query has excellent TypeScript integration, especially around query keys and mutation variables.

react-async-hook and beautiful-react-hooks support TypeScript but with less comprehensive typing in edge cases.

🛑 Maintenance Status

As of 2024, all five packages are actively maintained with recent releases. None are deprecated.

🆚 Summary Table

Feature / Packagebeautiful-react-hooksreact-async-hookreact-queryreact-useusehooks-ts
DOM Event Helpers✅ Rich✅ Good✅ Good
Async State Management✅ Basic✅ Advanced (caching, mutations)✅ Basic (useAsync)
Browser API Hooks⚠️ Limited✅ Extensive✅ Extensive
Server-State Focus✅ Yes
TypeScript-First⚠️ Partial⚠️ Partial✅ Excellent✅ Strong✅ Strict

💡 Final Guidance

  • Need robust data fetching with caching? → react-query is the industry standard.
  • Building an interactive UI with lots of event listeners? → beautiful-react-hooks reduces boilerplate.
  • Wrapping simple async functions (e.g., form submits)? → react-async-hook is lightweight and sufficient.
  • Want a comprehensive utility belt for browser APIs? → Choose react-use (larger ecosystem) or usehooks-ts (cleaner TS, smaller API).

Don’t mix react-query with the others for data fetching — it solves that problem completely. But combining react-query with usehooks-ts (for useDebounce, useLocalStorage, etc.) is a common and effective pattern in production apps.

How to Choose: react-use vs usehooks-ts vs react-query vs react-async-hook vs beautiful-react-hooks
  • react-use:

    Choose react-use if you need a broad collection of high-quality, battle-tested hooks covering browser APIs (e.g., localStorage, media queries), sensors (e.g., mouse, network status), and utilities (e.g., previous value, timeout). It’s excellent as a general-purpose hook toolkit but doesn’t specialize in async or server-state management.

  • usehooks-ts:

    Choose usehooks-ts when you prefer TypeScript-first, minimal, and well-documented implementations of common custom hooks (like useLocalStorage, useDebounce, or useWindowSize). It’s a solid alternative to react-use with stricter type safety and simpler internals, but similarly avoids complex async orchestration.

  • react-query:

    Choose react-query for robust server-state management — especially when your app relies heavily on data fetching from APIs. It provides automatic caching, background updates, pagination, mutations, and devtools out of the box. Use it when you need to minimize network requests and keep UI data synchronized with backend sources.

  • react-async-hook:

    Choose react-async-hook when you want a lightweight, focused solution for managing async function states (loading, error, result) without external dependencies. It’s ideal for wrapping simple API calls or async computations in components, but lacks advanced features like caching, retries, or background refetching.

  • beautiful-react-hooks:

    Choose beautiful-react-hooks if you need clean, declarative hooks for DOM events (like clicks, scrolls, or window resizing) with built-in cleanup and dependency management. It’s well-suited for interactive UIs where you want to avoid manual useEffect boilerplate for event listeners, but it doesn’t handle data fetching or caching.

README for react-use



👍
react-use





npm package CircleCI master npm downloads demos
Collection of essential React Hooks. Port of libreact.
Translations: 🇨🇳 汉语




npm i react-use












Usage — how to import.
Unlicense — public domain.
Support — add yourself to backer list below.






Contributors