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

mondis-cache

v1.0.3

Published

Combine mongoose and redis to cache parameterized queries, invalidation included.

Downloads

9

Readme

mondis

mongoose + redis = mondis.

Installation

npm install --save mondis-cache

Usage

Setup:

import Mondis, { defineCQ } from 'mondis-cache';
import { Mongoose, Types } from 'mongoose';
import Redis from 'ioredis';

// create the mongoose/ioredis clients.
const mongoose = new Mongoose(); // or use the global instance
const redis = new Redis();

// define cached queries
const queries = {
  FindExpensiveVehicles: defineCQ<Vehicle>({
    model: 'Vehicle',
    query: { price: { $gte: 35000 } },
    sort: { price: -1, name: -1 },
  }),

  FindVehiclesByKind: defineCQ<Vehicle, [string]>({
    model: 'Vehicle',
    query: (kind) => ({ kind }),
    select: { name: 1, kind: 1, price: 1 },
  }),

  FindVehicleById: defineCQ<Vehicle, [string | Types.ObjectId]>({
    model: 'Vehicle',
    query: (_id) => ({ _id }),
    populate: {
      driver: { model: 'Driver' },
    },
    unique: true,
  }),
};

// initialize the mondis client
export const mondis = new Mondis({ redis, mongoose, queries });

// register mongoose models
// NOTE: this must be done *after* initializing the mondis client
mongoose.model('Vehicle', {/* ... */});
mongoose.model('Driver', {/* ... */});

Execution:

import { mondis } from './path/to/mondis-client';

const {
  FindExpensiveVehicles,
  FindVehiclesByKind,
  FindVehicleById,
} = mondis.queries;

async function main(myId: string) {
  const expensive = await FindExpensiveVehicles.exec();
  const cars = await FindVehiclesByKind.exec(['car']);
  const trucks = await FindVehiclesByKind.exec({
    params: ['truck'],
    skip: 10,
    limit: 5,
  });
  const mine = await FindVehicleById.execOne([myId]);
}

Configuration

Construct the queries object by calling the defineCQ<T, P>(config: InputConfiguration<P>) method with the following configuration structure:

type AnyObject = Record<string, unknown>;

type InputPopulation = {
  [key: string]: {
    model: string;
    select?: AnyObject;
    populate?: InputPopulation;
  };
};

// The generic parameter `P` represents the query function's input parameters
type InputConfiguration<P extends unknown[]> = {
  model: string;
  query: [P] extends [never]
    ? AnyObject
    : (...params: P) => AnyObject;
  select?: { [key: string]: unknown };
  populate?: InputPopulation;
  sort?: { [key: string]: 1 | -1 | "asc" | "desc" } | null;
  cacheCount?: number;
  unique?: boolean;
  invalidateOnInsert?: boolean;
  expiry?: number;
  rehydrate?: boolean;
};

| Key | Default | Description | | ------------------ | ------------ | ----------- | | model | <required> | Mongoose model name the query will execute on | | query | <required> | For static queries, a mongo query filter. For dynamic queries, a function that returns a mongo query filter. | | select | {} | Mongoose document projection | | populate | {} | Mongoose document populations | | sort | null | Mongoose sorting order | | cacheCount | Infinity | Maximum number of documents to be cached | | expiry | 43200 | Number of seconds the query will be cached (refreshed on fetch and rehydration) | | unique | false | Whether or not the query uniquely identifies a single document (optimizes insert invalidations) | | invalidateOnInsert | true | Whether or not the query should be invalidated on insert events | | rehydrate | true | Whether or not to rehydrate the cache after invalidation |

Execution

NOTE: If the skip and/or limit values lie outside of the query's cacheCount range, the execution will fall back to mongo, and the result will not be cached! Keep the following details in mind:

  • If limit is undefined or not specified during execution, the query will always fall back to mongo unless cacheCount is set to Infinity!
  • The default cacheCount is Infinity.

(further reading: Setting an appropriate cacheCount)

Options

After constructing a CachedQuery, it can be executed with the following options:

type ExecOptions<T, P> = {
  params: P; // dynamic queries only
  skip?: number;
  limit?: number | undefined;
  filter?: (doc: T) => boolean;
  skipCache?: boolean;
};

| Key | Default | Description | | --------- | ----------- | ----------- | | params | [] | The parameters with which to execute the query (dynamic queries only) | | skip | 0 | Number of documents to skip | | limit | undefined | Maximum number of documents to return | | filter | undefined | When using cacheCount: Infinity, filter the results before returning | | skipCache | false | Whether or not fetch data from the cache. The fetched result will still get cached |

Methods

exec(options: P | ExecOptions<T, P>): Promise<T[]>

Fetch the result from cache, or fallback to mongo and cache the result.

execOne(options: P | ExecOptions<T, P>): Promise<T | null>

Same as exec, but only returns the first document.

count(options: P | ExecOptions<T, P>): Promise<number>

Returns the total number of documents matching the query. Note that this value represents the total count on mongo, it is not related to cacheCount.

execWithCount(options: P | ExecOptions<T, P>): Promise<[ T[], number ]>

Runs exec and count at the same time.

Invalidation

When the mondis instance is initialized, a mongoose plugin is registered to watch for any outgoing database updates. The update parameters are automatically analyzed by mondis and the appropriate queries are invalidated before the update is sent to the database.

Rehydration

In order to rehydrate queries that were invalidated, you must call the mondis.rehydrate() method manually.

Example queries

Static query

A query that is not configurable upon execution, only one result is cached.

  CheapVehicles: defineCQ<Vehicle>({
    model: 'Vehicle',
    query: { price: { $lt: 2500 } },
  }),

Dynamic query

A configurable query, where specific parameters must be passed for execution. Each unique set of parameters corresponds to one result stored on cache.

  VehiclesByKind: defineCQ<Vehicle, [string]>({
    model: 'Vehicle',
    query: (kind) => ({ kind }),
  }),

Unique query

A unique query returns a single, uniquely identified document. The boolean is useful for optimizing insert invalidations, where we know a new document being inserted will never have an effect on the query result.

  VehicleById: defineCQ<Vehicle, [Types.ObjectId]>({
    model: 'Vehicle',
    query: (_id) => ({ _id }),
    unique: true,
  }),

Complex query

A complex query is a query that uses a configurable parameter inside a mongo query operator. These queries lead to frequent or large invalidations, because we cannot lookup which specific queries require invalidation, and must instead invalidate all occurrences of the query. Proceed with caution! (further reading: Invalidation)

  VehiclesOverPrice: defineCQ<Vehicle, [number]>({
    model: 'Vehicle',
    query: (minPrice) => ({ price: { $gte: minPrice } }),
  }),

Targeted query

This query only fetches documents already known to exist, via a list of _ids. At the same time, it is also a complex query, meaning insert invalidations can be expensive. However, it can be observed that the insertion of any new document will have no effect on it, as the _ids must have already existed in the first place. By setting the invalidateOnInsert boolean to false, we can tell the invalidation handler to ignore all insert events for this query.

  VehiclesById: defineCQ<Vehicle, [Types.ObjectId[]]>({
    model: 'Vehicle',
    query: (_ids) => ({ _id: { $in: _ids } }),
    invalidateOnInsert: false,
  }),

Query considerations

Parameter cardinality

When defining dynamic queries, carefully consider the cardinality of your input parameter space. If the space is large and the query is likely to be called with different parameters each time, it may be worth considering a different query, or omitting caching entirely. Otherwise, it may lead to an excessive number of cached results, expensive invalidation handling, and low cache usage for the query.

For example, consider a query that only matches against a key with 3 possible values. There will be at most 3 keys stored on the cache, meaning they are more likely to be re-used, and invalidation handling is manageable.

On the other hand, consider a query where the parameter is a list of specific _ids to exclude, and this list is likely to be different for each execution. This query is likely to run into the issues mentioned above! (For this specific use-case, consider using the filter exec option instead)[]

Setting an appropriate cacheCount

When deciding on a cacheCount to use, consider the following:

  • If the query will be used as part of a pagination pattern, set cacheCount to match the number of pages you wish to cache.
  • If the query always returns a manageable number of documents, consider setting cacheCount to Infinity. This way, any combination of skip/limit during execution will still fetch from the cache instead of falling back to mongo.

Time-dependent queries

Queries that change based on when they are called should never be cached!

TODO

  • Add logger mixin support.
  • Allow $slice inside projections.
  • Support the remaining update operators:
    • $pull
    • $pullAll
    • $bit
    • proper $addToSet handling
    • array update modifier $sort