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 🙏

© 2025 – Pkg Stats / Ryan Hefner

@halvaradop/hooks

v0.2.0

Published

Library of React hooks for various utilities and functionalities.

Readme

@halvaradop/hooks

npm version License: MIT TypeScript

A comprehensive collection of reusable React hooks designed to simplify common patterns and enhance your development experience. Built with TypeScript for excellent developer experience and type safety.

Table of Contents

Installation

# npm
npm install @halvaradop/hooks

# yarn
yarn add @halvaradop/hooks

# pnpm
pnpm add @halvaradop/hooks

Available Hooks

State Management

Event Handling

Browser APIs

Timing

Usage Examples

useLocalStorage

Synchronize state with localStorage, with automatic serialization and cross-tab synchronization.

import { useLocalStorage } from "@halvaradop/hooks"

function Settings() {
  const [theme, setTheme, removeTheme] = useLocalStorage("theme", "light", {
    withEvent: true, // Sync across tabs
  })

  return (
    <div>
      <p>Current theme: {theme}</p>
      <button onClick={() => setTheme("dark")}>Dark Mode</button>
      <button onClick={() => setTheme("light")}>Light Mode</button>
      <button onClick={removeTheme}>Reset</button>
    </div>
  )
}

useSessionStorage

Synchronize state with sessionStorage, similar to localStorage but session-scoped.

import { useSessionStorage } from "@halvaradop/hooks"

function SessionSettings() {
  const [settings, setSettings, removeSettings] = useSessionStorage("session-settings", {
    theme: "auto",
    language: "en",
  })

  return (
    <div>
      <p>Current settings: {JSON.stringify(settings)}</p>
      <button onClick={() => setSettings({ ...settings, theme: "dark" })}>Dark Theme</button>
      <button onClick={removeSettings}>Clear Session</button>
    </div>
  )
}

useDocumentEventListener

Listen to document events with automatic cleanup.

import { useDocumentEventListener } from "@halvaradop/hooks"

function GlobalShortcuts() {
  useDocumentEventListener("keydown", (event) => {
    if (event.ctrlKey && event.key === "k") {
      event.preventDefault()
      openCommandPalette()
    }
  })

  useDocumentEventListener("click", (event) => {
    console.log("Document clicked at:", event.clientX, event.clientY)
  })

  return <div>Global shortcuts are active!</div>
}

useWindowEventListener

Listen to window events like resize, focus, etc.

import { useWindowEventListener } from "@halvaradop/hooks"

function WindowEvents() {
  useWindowEventListener("resize", () => {
    console.log("Window resized to:", window.innerWidth, window.innerHeight)
  })

  useWindowEventListener("focus", () => {
    console.log("Window gained focus")
  })

  useWindowEventListener("blur", () => {
    console.log("Window lost focus")
  })

  return <div>Window event listeners are active!</div>
}

useOnClickOutside

Detect clicks outside a specific element.

import { useOnClickOutside } from "@halvaradop/hooks"
import { useRef, useState } from "react"

function DropdownMenu() {
  const [isOpen, setIsOpen] = useState(false)
  const dropdownRef = useRef<HTMLDivElement>(null)

  useOnClickOutside(dropdownRef, () => {
    setIsOpen(false)
  })

  return (
    <div>
      <button onClick={() => setIsOpen(!isOpen)}>Toggle Menu</button>
      {isOpen && (
        <div ref={dropdownRef} className="dropdown">
          <p>Click outside to close</p>
          <button>Menu Item 1</button>
          <button>Menu Item 2</button>
        </div>
      )}
    </div>
  )
}

useCopyToClipboard

Copy text to clipboard with success/error handling.

import { useCopyToClipboard } from "@halvaradop/hooks"

function CopyButton() {
  const [copiedText, copyToClipboard] = useCopyToClipboard()

  const handleCopy = async () => {
    const success = await copyToClipboard("Hello, World!")
    if (success) {
      console.log("Text copied successfully!")
    } else {
      console.error("Failed to copy text")
    }
  }

  return (
    <div>
      <button onClick={handleCopy}>Copy Text</button>
      {copiedText && <p>Last copied: {copiedText}</p>}
    </div>
  )
}

useWindowSize

Track window dimensions with automatic updates on resize.

import { useWindowSize } from "@halvaradop/hooks"

function WindowInfo() {
  const { width, height } = useWindowSize()

  return (
    <div>
      <p>
        Window size: {width} x {height}
      </p>
      <p>Aspect ratio: {(width / height).toFixed(2)}</p>
      {width < 768 && <p>Mobile view</p>}
      {width >= 768 && width < 1024 && <p>Tablet view</p>}
      {width >= 1024 && <p>Desktop view</p>}
    </div>
  )
}

useInterval

Set up intervals with automatic cleanup.

import { useInterval } from "@halvaradop/hooks"
import { useState } from "react"

function Timer() {
  const [count, setCount] = useState(0)
  const [isRunning, setIsRunning] = useState(true)

  useInterval(
    () => {
      setCount(count + 1)
    },
    isRunning ? 1000 : null,
  ) // Pass null to pause

  return (
    <div>
      <p>Count: {count}</p>
      <button onClick={() => setIsRunning(!isRunning)}>{isRunning ? "Pause" : "Start"}</button>
      <button onClick={() => setCount(0)}>Reset</button>
    </div>
  )
}

useTimeout

Set up timeouts with automatic cleanup and pause/resume functionality.

import { useTimeout } from "@halvaradop/hooks"
import { useState } from "react"

function DelayedMessage() {
  const [message, setMessage] = useState("")
  const [isActive, setIsActive] = useState(false)

  useTimeout(
    () => {
      setMessage("This message appeared after 3 seconds!")
    },
    isActive ? 3000 : null, // Pass null to pause
  )

  return (
    <div>
      <button
        onClick={() => {
          setIsActive(!isActive)
          if (!isActive) {
            setMessage("") // Clear message when starting
          }
        }}
      >
        {isActive ? "Cancel" : "Start"} Timeout
      </button>
      {message && <p>{message}</p>}
    </div>
  )
}

useEventListener

Add event listeners with automatic cleanup and TypeScript support.

import { useEventListener } from "@halvaradop/hooks"
import { useRef } from "react"

function KeyboardHandler() {
  const buttonRef = useRef<HTMLButtonElement>(null)

  // Global keyboard listener
  useEventListener(document, "keydown", (event) => {
    if (event.ctrlKey && event.key === "s") {
      event.preventDefault()
      console.log("Save shortcut pressed!")
    }
  })

  // Element-specific listener
  useEventListener(buttonRef, "click", () => {
    console.log("Button clicked!")
  })

  return <button ref={buttonRef}>Click me</button>
}

useMediaQuery

Create responsive components with CSS media queries.

import { useMediaQuery } from "@halvaradop/hooks"

function ResponsiveComponent() {
  const isMobile = useMediaQuery("(max-width: 768px)")
  const isTablet = useMediaQuery("(min-width: 769px) and (max-width: 1024px)")
  const isDesktop = useMediaQuery("(min-width: 1025px)")

  return (
    <div>
      {isMobile && <MobileLayout />}
      {isTablet && <TabletLayout />}
      {isDesktop && <DesktopLayout />}
    </div>
  )
}

useBroadcastChannel

Communicate between tabs/windows using the BroadcastChannel API.

import { useBroadcastChannel } from "@halvaradop/hooks"

function CrossTabChat() {
  const [message, sendMessage, closeChannel, isSupported] = useBroadcastChannel("chat-channel")

  const handleSendMessage = () => {
    sendMessage({ text: "Hello from this tab!", timestamp: Date.now() })
  }

  return (
    <div>
      {isSupported ? (
        <>
          <p>Last message: {message?.text}</p>
          <button onClick={handleSendMessage}>Send Message</button>
          <button onClick={closeChannel}>Close Channel</button>
        </>
      ) : (
        <p>BroadcastChannel not supported</p>
      )}
    </div>
  )
}

useOnlineStatus

Monitor network connectivity status.

import { useOnlineStatus } from "@halvaradop/hooks"

function NetworkStatus() {
  const isOnline = useOnlineStatus()

  return <div className={isOnline ? "online" : "offline"}>{isOnline ? "🟢 Online" : "🔴 Offline"}</div>
}

useToggle

Manage boolean state with toggle functionality.

import { useToggle } from "@halvaradop/hooks"

function ToggleExample() {
  const [isVisible, toggleVisible] = useToggle(false)

  return (
    <div>
      <button onClick={() => toggleVisible()}>{isVisible ? "Hide" : "Show"} Content</button>
      {isVisible && <p>This content is toggleable!</p>}
    </div>
  )
}

Contributing

We welcome contributions to @halvaradop/hooks! If you have an idea for a new type or find an improvement to an existing one, please feel free to open an issue or create a pull request. We offer a guide on how to contribute to the project and the necessary steps to do so. Here's how you can contribute, Read our Contribuing Guideline.

Code of conduct

Please be aware that this project has a code of conduct, and we expect all contributors to follow these guidelines in their interactions. For more information, please read our Code of Conduct.