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 🙏

© 2024 – Pkg Stats / Ryan Hefner

@cacheable/node-cache

v1.1.0

Published

Simple and Maintained fast NodeJS internal caching

Downloads

357

Readme

Node-Cache

Simple and Maintained fast Node.js caching

codecov tests npm npm

@cacheable/node-cache is compatible with the node-cache package with regular maintenance and additional functionality (async/await and storage adapters). The only thing not implemented is the enableLegacyCallbacks option and functions. If you need them we are happy to take a PR to add them.

  • Fully Compatible with node-cache using {NodeCache}
  • Async/Await functionality with {NodeCacheStore}
  • Storage Adapters via Keyv with {NodeCacheStore}
  • Maintained and Updated Regularly! 🎉

Note: NodeCache is ready and available for use. NodeCacheStore is in progress and will be available soon. Please do not use it until it is released.

Table of Contents

Getting Started

npm install @cacheable/node-cache --save

Basic Usage

import {NodeCache} from '@cacheable/node-cache';

const cache = new NodeCache();
cache.set('foo', 'bar');
cache.get('foo'); // 'bar'

Advanced Usage

import {NodeStorageCache} from '@cacheable/node-cache';
import {Keyv} from 'keyv';
import {KeyvRedis} from '@keyv/redis';

const storage = new Keyv({store: new KeyvRedis('redis://user:pass@localhost:6379')});
const cache = new NodeStorageCache(storage);

// with storage you have the same functionality as the NodeCache but will be using async/await
await cache.set('foo', 'bar');
await cache.get('foo'); // 'bar'

// if you call getStats() this will now only be for the single instance of the adapter as it is in memory
cache.getStats(); // {hits: 1, misses: 1, keys: 1, ksize: 2, vsize: 3}

NodeCacheStore

The NodeCacheStore is a class that extends the NodeCache and adds the ability to use storage adapters. This is based on the cacheable engine and allows you to do layer 1 and layer 2 caching. The storage adapters are based on the Keyv package. This allows you to use any of the storage adapters that are available.

import {NodeCacheStore} from '@cacheable/node-cache';

const cache = new NodeCacheStore();
cache.set('foo', 'bar');
cache.get('foo'); // 'bar'

NodeCacheStoreOptions

When initializing the cache you can pass in the options below:

export type NodeCacheStoreOptions = {
	ttl?: number; // The standard ttl as number in seconds for every generated cache element. 0 = unlimited
	primary?: Keyv; // The primary storage adapter
	secondary?: Keyv; // The secondary storage adapter
	maxKeys?: number; // Default is 0 (unlimited). If this is set it will throw and error if you try to set more keys than the max.
};

Node Cache Store API

  • set(key: string | number, value: any, ttl?: number): Promise<boolean> - Set a key value pair with an optional ttl (in milliseconds). Will return true on success. If the ttl is not set it will default to 0 (no ttl)
  • mset(data: Array<NodeCacheItem>): Promise<boolean> - Set multiple key value pairs at once
  • get<T>(key: string | number): Promise<T> - Get a value from the cache by key
  • mget(keys: Array<string | number>): Promise<Record<string, unknown>> - Get multiple values from the cache by keys
  • take<T>(key: string | number): Promise<T> - Get a value from the cache by key and delete it
  • del(key: string | number): Promise<boolean> - Delete a key
  • mdel(keys: Array<string | number>): Promise<boolean> - Delete multiple keys
  • clear(): Promise<void> - Clear the cache
  • setTtl(key: string | number, ttl: number): Promise<boolean> - Set the ttl of a key
  • disconnect(): Promise<void> - Disconnect the storage adapters
  • stats: NodeCacheStats - Get the stats of the cache
  • ttl: number - The standard ttl as number in seconds for every generated cache element. 0 = unlimited
  • primary: Keyv - The primary storage adapter
  • secondary: Keyv - The secondary storage adapter
  • maxKeys: number - If this is set it will throw and error if you try to set more keys than the max

API

constructor(options?: NodeCacheOptions)

Create a new cache instance. You can pass in options to set the configuration:

export type NodeCacheOptions = {
	stdTTL?: number; // The standard ttl as number in seconds for every generated cache element. 0 = unlimited
	checkperiod?: number; // Default is 600, 0 means no periodic check
	useClones?: boolean; // Default is true
	deleteOnExpire?: boolean; // Default is true, if this is set to true it will delete the key when it expires.
	maxKeys?: number; // Default is -1 (unlimited). If this is set it will throw and error if you try to set more keys than the max.
};

When initializing the cache you can pass in the options to set the configuration like the example below where we set the stdTTL to 10 seconds and checkperiod to 5 seconds.:

const cache = new NodeCache({stdTTL: 10, checkperiod: 5});

When setting deleteOnExpire to true it will delete the key when it expires. If you set it to false it will keep the key but the value on get() will be undefined. You can manage the key with on('expired') event.

const cache = new NodeCache({deleteOnExpire: false});
cache.on('expired', (key, value) => {
	console.log(`Key ${key} has expired with value ${value}`);
});

.set(key: string | number, value: any, ttl?: number): boolean

Set a key value pair with an optional ttl (in seconds). Will return true on success. If the ttl is not set it will default to 0 (no ttl).

cache.set('foo', 'bar', 10); // true

.mset(data: Array<NodeCacheItem>): boolean

Set multiple key value pairs at once. This will take an array of objects with the key, value, and optional ttl.

cache.mset([{key: 'foo', value: 'bar', ttl: 10}, {key: 'bar', value: 'baz'}]); // true

the NodeCacheItem is defined as:

export type NodeCacheItem = {
	key: string;
	value: any;
	ttl?: number;
};

.get(key: string | number): any

Get a value from the cache by key. If the key does not exist it will return undefined.

cache.get('foo'); // 'bar'

mget(keys: Array<string | number>): Record<string, unknown>

Get multiple values from the cache by keys. This will return an object with the keys and values.

const obj = { my: 'value', my2: 'value2' };
const obj2 = { special: 'value3', life: 'value4' };
cache.set('my', obj);
cache.set('my2', obj2);
cache.mget(['my', 'my2']); // { my: { my: 'value', my2: 'value2' }, my2: { special: 'value3', life: 'value4' } }

take(key: string | number): any

Get a value from the cache by key and delete it. If the key does not exist it will return undefined.

cache.set('foo', 'bar');
cache.take('foo'); // 'bar'
cache.get('foo'); // undefined

del(key: string | number | Array<string | number>): number

Delete a key from the cache. Will return the number of deleted entries and never fail. You can also pass in an array of keys to delete multiple keys. All examples assume that you have initialized the cache like const cache = new NodeCache();.

cache.del('foo'); // true

passing in an array of keys:

cache.del(['foo', 'bar']); // true

.mdel(keys: Array<string | number>): number

Delete multiple keys from the cache. Will return the number of deleted entries and never fail.

cache.mdel(['foo', 'bar']); // true

.ttl(key: string | number, ttl?: number): boolean

Redefine the ttl of a key. Returns true if the key has been found and changed. Otherwise returns false. If the ttl-argument isn't passed the default-TTL will be used.

cache.ttl('foo', 10); // true

getTtl(key: string | number): number | undefined

Get the ttl expiration from Date.now() of a key. If the key does not exist it will return undefined.

cache.getTtl('foo'); // 1725993344859

has(key: string | number): boolean

Check if a key exists in the cache.

cache.set('foo', 'bar');
cache.has('foo'); // true

keys(): Array<string>

Get all keys from the cache.

cache.keys(); // ['foo', 'bar']

getStats(): NodeCacheStats

Get the stats of the cache.

cache.getStats(); // {hits: 1, misses: 1, keys: 1, ksize: 2, vsize: 3}

flushAll(): void

Flush the cache. Will remove all keys and reset the stats.

cache.flushAll();
cache.keys(); // []
cache.getStats(); // {hits: 0, misses: 0, keys: 0, ksize: 0, vsize: 0}

flushStats(): void

Flush the stats. Will reset the stats but keep the keys.

cache.set('foo', 'bar');
cache.flushStats();
cache.getStats(); // {hits: 0, misses: 0, keys: 0, ksize: 0, vsize: 0}
cache.keys(); // ['foo']

close(): void

this will stop the interval that is running for the checkperiod and deleteOnExpire options.

cache.close();

on(event: string, callback: Function): void

Listen to events. Here are the events that you can listen to:

  • set - when a key is set and it will pass in the key and value.
  • expired - when a key is expired and it will pass in the key and value.
  • flush - when the cache is flushed
  • flush_stats - when the stats are flushed
  • del - when a key is deleted and it will pass in the key and value.
cache.on('set', (key, value) => {
	console.log(`Key ${key} has been set with value ${value}`);
});

How to Contribute

You can contribute by forking the repo and submitting a pull request. Please make sure to add tests and update the documentation. To learn more about how to contribute go to our main README https://github.com/jaredwray/cacheable. This will talk about how to Open a Pull Request, Ask a Question, or Post an Issue.

License and Copyright

MIT © Jared Wray