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

docstore

v0.1.1

Published

Simple and extendable JSON document storage and retrieval

Downloads

6

Readme

docstore

Simple and extendable JSON document storage and retrieval

Installation

$ npm install docstore

Usage

var ds = require('docstore');

ds.open('./docs/users', function(err, store) {
  assert(err == null);

  store.save({ name: 'Joe', age: 35 }, function(err, doc) {
    assert(err == null);
    console.log(doc.key); // keys are autogenerated and assigned
  });

  // See below for other methods available on store
});

Opening

The first step to using docstore is to open a store. All other operations are available from the store returned to you via the passed callback.

open(directory, options, callback)

Arguments

  • directory - the directory to read and write documents to/from
  • options - an object containing store options (see below)
  • callback(err, store) - callback that will be invoked after opening the store

Example

var ds = require('docstore');

ds.open('./docs/users', function(err, store) {
  assert(err == null);
  assert(store != null);
});

options

The following options are available when opening a store

  • format - the format class to use for serializing and deserializing objects. It defaults to the JSON formatter in lib/format/json.js

Saving

When saving, the store uses the configured format implementation to first serialize the object. If the object has a key property it's value will be used as the filename. Otherwise, a random filename will be generated.

store.save(obj, callback)

Arguments

  • obj - the object to save
  • callback(err, obj) - callback that will be invoked after opening the store. It is passed an error if one occurs. If no error occurs it will pass the object as saved (with it's generated key).

Example

store.save({ name: 'Joe', age: 35 }, function(err, doc) {
  assert(err == null);
  console.log(doc.key); // keys are autogenerated and assigned
});

Retrieving

Any document can be retrieved given its key.

store.get(key, callback)

Arguments

  • key - the key of the object to get
  • callback(err, obj) - callback that will be invoked after retrieving the document. It is passed an error if one occurs. If no error occurs it will pass the document.

Example

store.get('key12302202', function(err, doc) {
  assert(err == null);
  assert(doc.key === 'key12302202');
});

Removing

There are two methods for removing documents. You can remove them one at a time or clear all documents from a store at once.

store.remove(key, callback)

Arguments

  • key - the key of the object to remove
  • callback(err) - callback that will be invoked after removing the document. It is passed an error if one occurs.

Example

store.remove('key12302202', function(err) {
  assert(err == null);
  console.log('Deleted');
});

store.clear(callback)

Arguments

  • callback(err) - callback that will be invoked after removing all documents. It is passed an error if one occurs.

Example

store.clear(function(err) {
  assert(err == null);
  console.log('All deleted');
});

Scanning

Scanning is the method used to find particular documents among a large collection. While there's only one scan method, it can be used in two ways. You can either get a single callback with all the results as an array or get them as a stream of document events.

store.clear(callback)

Arguments

  • filter - a function to be used to determine if a document should be returned from the scan
  • callback(err) - optional callback that will be invoked for all documents that have passed the filter function. If no callback is passed to the scan method, an EventEmitter is returned instead. It emits document events for all documents passing the filter function, an error event if any errors occur, and an end event when scanning is finished.

Examples

var filter = function(doc) {
  return doc.key === 'key12302202';
};

// get all results at once
store.scan(filter, function(err, docs) {
  assert(err == null);
  assert(docs.length === 1);
  assert(docs[0].key === 'key12302202');
});

// get results as a stream
var stream = store.scan(filter);
stream.on('document', function(doc) {
  assert(doc.key === 'key12302202');
});
stream.on('end', console.log.bind(null, 'Done'));
stream.on('error', console.error.bind(null));

Custom Formats

As mentioned above, the docstore.open function accepts an options object, one option of which is format. A format object is used by the store to serialize an object before writing it to disk and deserializing it after reading from disk. It's up to you to decide how it should be represented on disk. A default JSON formatter is used if you don't specify one. It stores documentas as plain text JSON.

Writing your own custom format is easy, requiring only one property to be present and two methods to be implemented.

extension

extension is a property used to indicate the file extension to use for your format. It should include a leading ., such as .json for JSON formatted files.

serialize(obj)

The serialize method is called to format a JavaScript object as it is to be represented on disk. It must return the serialized form of the object.

deserialize(buffer)

The deserialize method is called to format a buffer read from disk back into its JavaScript object form. It must return a JavaScript object.

Example Format

exports.extension = '.json';

exports.serialize = function (obj) {
  return JSON.stringify(obj);
};

exports.deserialize = function (buffer) {
  return JSON.parse(buffer);
};

Encryption

docstore includes a format object that can be used to encrypt the files stored on disk. It simply wraps another format object in an encrypted form. While it's intended to be able to transparently encrypt any underlying format, it's only been tested with the default JSON format.

constructor(algorithm, password, underlyingFormat)

Arguments

  • algorithm - the encryption algorithm to use. The available algorithms is dependent on your version of OpenSSL. On recent releases, openssl list-cipher-algorithms will display the available cipher algorithms.
  • password - used to derive key and initialization vector (IV)
  • underlyingFormat - the underling format for serializing and deserializing JavaScript objects. If no underlying format is given the default JSON format implementation will be used.

Example

var ds = require('docstore');
var Encrypted = require('docstore/lib/format/encrypted');
var encrypted = new Encrypted('aes128', 'password');

ds.open('./docs/users', { format: encrypted }, function(err, store) {
  console.log('You now have an encrypted store');
});

License

(The MIT License)

Copyright (c) 2012 Near Infinity Corporation

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.