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 🙏

© 2026 – Pkg Stats / Ryan Hefner

indexeddb-keyvalue

v1.0.9

Published

Lightweight IndexedDB wrapper with table management, CRUD operations, and HTTP request caching

Downloads

306

Readme

indexeddb-keyvalue

A lightweight IndexedDB wrapper with dual-layer caching (Memory + IndexedDB), table management, CRUD operations, and HTTP request caching.

Features

  • Ultra Small - Only ~1KB gzipped, zero dependencies, extremely lightweight
  • Dual-Layer Caching - Memory + IndexedDB, subsequent reads return directly from memory, 100-500x performance boost
  • Automatic Version Management - No manual database upgrades needed
  • Automatic Table Creation - Tables are created automatically when used
  • Factory Pattern - Global instance caching, avoids duplicate connections
  • Promise API - Fully asynchronous, supports async/await
  • HTTP Caching - Automatically cache fetch request results
  • TypeScript Support - Complete type definitions
  • Zero Dependencies - No external dependencies

Performance Comparison

| Operation | Pure IndexedDB | indexeddb-keyvalue (Memory Cache) | Performance Boost | |-----------|---------------|----------------------------------|-------------------| | First Read | ~1-5ms | ~1-5ms | Same | | Subsequent Reads | ~1-5ms | ~0.01ms | 100-500x | | Write | ~2-8ms | ~2-8ms (Memory + Persistence) | Reliable persistence |

Based on Chrome/Edge browser testing, actual performance varies by data size and device. SimpleIndexDBStorage automatically caches read data to memory, making subsequent access nearly instant.

Installation

npm install indexeddb-keyvalue

Usage

Option 1: CachedStorage (Recommended)

The simplest way to use it, with built-in memory caching, one line for high-performance data storage:

import { CachedStorage } from 'indexeddb-keyvalue';

// Create storage instance (with dual-layer Memory + IndexedDB caching)
const storage = new CachedStorage('myDB', 'myTable');

// Save data (writes to both memory and IndexedDB)
await storage.saveItem('user1', { name: 'John', age: 25 });

// First read - loads from IndexedDB and caches to memory
const user1 = await storage.getItem('user1');

// Second read - returns directly from memory, 100x+ faster!
const user2 = await storage.getItem('user1'); // ⚡ Lightning fast, almost no delay

// Check memory cache status
console.log('Memory cache entries:', storage.getMemoryCacheSize());

// Delete data (removes from both memory and IndexedDB)
await storage.deleteItem('user1');

// Clear table (clears both memory and IndexedDB)
await storage.clear();

// Clear only memory cache (keeps IndexedDB data)
storage.clearMemoryCache();

Performance Benefits:

  • First read: Load from IndexedDB → ~1-5ms
  • Subsequent reads: Return from memory → ~0.01ms, 100-500x faster

Option 2: IndexedDBCachedFetch (HTTP Request Caching)

Automatically cache network request results:

import { IndexedDBCachedFetch } from 'indexeddb-keyvalue';

const cachedFetch = new CachedFetch('cacheDB', 'apiCache');

// First request hits the network and caches the result
const data = await cachedFetch.fetchJson('https://api.example.com/data');

// Subsequent requests read directly from IndexedDB, no network access
const cachedData = await cachedFetch.fetchJson('https://api.example.com/data');

// Support for other response types
const text = await cachedFetch.fetchText('https://api.example.com/text');
const blob = await cachedFetch.fetchBlob('https://api.example.com/image.png');
const buffer = await cachedFetch.fetchArrayBuffer('https://api.example.com/binary');

// Use converter function to process data
const users = await cachedFetch.fetchJson('https://api.example.com/users', (data) => {
  return data.map(user => ({ ...user, fullName: `${user.firstName} ${user.lastName}` }));
});

Option 3: Factory Pattern (Multi-Table Shared Connection)

Share database connections in multi-table scenarios for better resource efficiency:

import { StorageFactory } from 'indexeddb-keyvalue';

// Get storage instances (global caching)
const userStorage = StorageFactory.getStorage('appDB', 'users');
const orderStorage = StorageFactory.getStorage('appDB', 'orders');
const productStorage = StorageFactory.getStorage('appDB', 'products');

// Usage same as SimpleIndexDBStorage
await userStorage.saveItem('user1', { name: 'John' });
await orderStorage.saveItem('order1', { total: 100 });
await productStorage.saveItem('product1', { name: 'Product A' });

// Retrieve data
const user = await userStorage.getItem('user1');
const order = await orderStorage.getItem('order1');
const product = await productStorage.getItem('product1');

// Clear cache (when recreating instances is needed)
StorageFactory.clearCache('appDB', 'users');     // Clear specific table
StorageFactory.clearCache('appDB');               // Clear entire database
StorageFactory.clearAllCache();                   // Clear all caches

Option 4: Low-Level API (TinyIndexDB)

Use when more control is needed:

import { TinyIndexDB } from 'indexeddb-keyvalue';

// Create instance
const db = new TinyIndexDB('myDatabase', 'id');

// Initialize database (create multiple tables)
await db.initDB({
  users: [['name', true], ['email', false]],     // [indexName, unique]
  orders: [['userId', false], ['status', false]]
});

// Batch save data
await db.saveOrUpdate('users', [
  { id: 'user1', name: 'John', email: '[email protected]' },
  { id: 'user2', name: 'Jane', email: '[email protected]' }
]);

// Batch read data
const users = await db.readData('users', ['user1', 'user2']);

// Batch delete
await db.delData('users', ['user1']);

// Clear table
await db.clearTable('users');

// Custom transactions
await db.withTable('users', async (database) => {
  const tx = database.transaction('users', 'readwrite');
  const store = tx.objectStore('users');
  // Execute custom operations...
});

API Reference

CachedStorage

| Method | Parameters | Return | Description | |--------|-----------|--------|-------------| | saveItem(name, data) | name: string, data: any | Promise<void> | Save or update data (Memory + IndexedDB) | | getItem(name) | name: string | Promise<any> | Get data (priority from memory cache) | | deleteItem(name) | name: string | Promise<void> | Delete data (Memory + IndexedDB) | | clear() | - | Promise<void> | Clear table (Memory + IndexedDB) | | clearMemoryCache() | - | void | Clear only memory cache | | getMemoryCacheSize() | - | number | Get memory cache entry count |

CachedFetch

| Method | Parameters | Return | Description | |--------|-----------|--------|-------------| | fetchJson(url, converter?) | url: string, converter?: (data) => any | Promise<T> | Get JSON data | | fetchText(url, converter?) | url: string, converter?: (data) => string | Promise<string> | Get text data | | fetchBlob(url, converter?) | url: string, converter?: (data) => Blob | Promise<Blob> | Get Blob data | | fetchArrayBuffer(url, converter?) | url: string, converter?: (data) => ArrayBuffer | Promise<ArrayBuffer> | Get binary data |

StorageFactory

| Method | Parameters | Return | Description | |--------|-----------|--------|-------------| | getStorage(dbName, tableName) | dbName: string, tableName: string | IndexedDbStorage | Get/create storage instance | | clearCache(dbName, tableName?) | dbName: string, tableName?: string | void | Clear specific cache | | clearAllCache() | - | void | Clear all caches |

Development

# Install dependencies
npm install

# Development mode (start local server)
npm run dev

# Build production version
npm run build

# Build development version
npm run build:dev

Browser Compatibility

  • Chrome/Edge 24+
  • Firefox 16+
  • Safari 10+
  • iOS Safari 10+
  • Android Chrome 25+

License

MIT