New Research: Supply Chain Attack on Axios Pulls Malicious Dependency from npm.Details →
Socket
Book a DemoSign in
Socket

react-state-history

Package Overview
Dependencies
Maintainers
0
Versions
7
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

react-state-history

A React library for state management with undo and redo capabilities

latest
Source
npmnpm
Version
0.2.0
Version published
Maintainers
0
Created
Source

react-history-state

npm version TypeScript License: MIT

A lightweight React library that provides state management with built-in undo and redo capabilities. Perfect for building applications that need history tracking, such as text editors, drawing applications, form builders, or any interactive UI where users might want to revert changes.

Features

  • 🚀 Simple API - Easy to integrate with existing React applications
  • 📦 TypeScript Support - Fully typed with excellent IntelliSense
  • 🔄 Undo/Redo - Built-in history management with configurable limits
  • 🎯 React Hooks - Modern React patterns with custom hooks
  • 📱 Lightweight - Minimal bundle size with no external dependencies
  • Performance - Optimized for frequent state updates
  • 🧪 Well Tested - Comprehensive test coverage

Installation

# Using pnpm (recommended)
pnpm add react-history-state

# Using npm
npm install react-history-state

# Using yarn
yarn add react-history-state

Quick Start

import { useHistoryState } from 'react-history-state';

function MyComponent() {
  const {
    state,
    setState,
    undo,
    redo,
    canUndo,
    canRedo,
    history,
    reset
  } = useHistoryState('initial value');

  return (
    <div>
      <input
        value={state}
        onChange={(e) => setState(e.target.value)}
      />

      <button onClick={undo} disabled={!canUndo}>
        Undo
      </button>

      <button onClick={redo} disabled={!canRedo}>
        Redo
      </button>

      <button onClick={reset}>
        Reset
      </button>

      <p>History length: {history.length}</p>
    </div>
  );
}

API Reference

useHistoryState<T>(initialState: T, options?: Options)

The main hook that provides state management with history capabilities.

Parameters

  • initialState: T - The initial state value
  • options?: Options - Configuration options (optional)

Options

interface Options {
  maxHistory?: number; // Maximum history entries (default: 50)
  debounceMs?: number; // Debounce state changes (default: 0)
  enableRedo?: boolean; // Enable redo functionality (default: true)
  onValueChange?: (value: T) => void; // Optional callback after each setState
}

Returns

interface StateHistory<T> {
  state: T;                    // Current state value
  setState: (value: T | ((prev: T) => T)) => void; // Update state
  undo: () => void;           // Undo last change
  redo: () => void;           // Redo next change
  canUndo: boolean;           // Whether undo is available
  canRedo: boolean;           // Whether redo is available
  history: T[];               // Array of all history states
  reset: () => void;          // Reset to initial state
  clear: () => void;          // Clear all history
  goToIndex: (index: number) => void; // Jump to specific history index
}

Advanced Usage

Complex State Objects

interface FormData {
  name: string;
  email: string;
  age: number;
}

function FormComponent() {
  const { state, setState, undo, redo, canUndo, canRedo } = useHistoryState<FormData>({
    name: '',
    email: '',
    age: 0
  });

  const updateName = (name: string) => {
    setState(prev => ({ ...prev, name }));
  };

  const updateEmail = (email: string) => {
    setState(prev => ({ ...prev, email }));
  };

  return (
    <form>
      <input
        value={state.name}
        onChange={(e) => updateName(e.target.value)}
        placeholder="Name"
      />
      <input
        value={state.email}
        onChange={(e) => updateEmail(e.target.value)}
        placeholder="Email"
      />

      <div>
        <button type="button" onClick={undo} disabled={!canUndo}>
          Undo
        </button>
        <button type="button" onClick={redo} disabled={!canRedo}>
          Redo
        </button>
      </div>
    </form>
  );
}

With Options

function TextEditor() {
  const { state, setState, undo, redo, canUndo, canRedo } = useHistoryState('', {
    maxHistory: 100,        // Keep up to 100 history entries
    debounceMs: 300,        // Debounce rapid changes by 300ms
    enableRedo: true,       // Enable redo functionality
    onValueChange: (val) => {
      console.log('State changed to:', val);
    },
  });

  return (
    <div>
      <textarea
        value={state}
        onChange={(e) => setState(e.target.value)}
        rows={10}
        cols={50}
      />

      <div>
        <button onClick={undo} disabled={!canUndo}>
          Undo (Ctrl+Z)
        </button>
        <button onClick={redo} disabled={!canRedo}>
          Redo (Ctrl+Y)
        </button>
      </div>
    </div>
  );
}

Keyboard Shortcuts

import { useEffect } from 'react';
import { useHistoryState } from 'react-history-state';

function ComponentWithKeyboardShortcuts() {
  const { state, setState, undo, redo, canUndo, canRedo } = useHistoryState('');

  useEffect(() => {
    const handleKeyDown = (e: KeyboardEvent) => {
      if (e.ctrlKey || e.metaKey) {
        if (e.key === 'z' && !e.shiftKey && canUndo) {
          e.preventDefault();
          undo();
        } else if ((e.key === 'y' || (e.key === 'z' && e.shiftKey)) && canRedo) {
          e.preventDefault();
          redo();
        }
      }
    };

    window.addEventListener('keydown', handleKeyDown);
    return () => window.removeEventListener('keydown', handleKeyDown);
  }, [undo, redo, canUndo, canRedo]);

  return (
    <textarea
      value={state}
      onChange={(e) => setState(e.target.value)}
    />
  );
}

Development

See CONTRIBUTING.md for development guidelines and setup instructions.

Building

pnpm install
pnpm run build

Testing

pnpm test
pnpm test:watch
pnpm test:coverage

Linting

pnpm run lint
pnpm run lint:fix

Contributing

Contributions are welcome! Please read our Contributing Guide for details on our code of conduct and the process for submitting pull requests.

License

This project is licensed under the MIT License - see the LICENSE file for details.

Roadmap

  • Branching history support
  • Custom serialization/deserialization
  • History compression for large states
  • React DevTools integration
  • Time-travel debugging features
  • Persistence adapters (localStorage, IndexedDB, etc.)

Changelog

See CHANGELOG.md for a detailed history of changes.

Keywords

react

FAQs

Package last updated on 22 Jul 2025

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts