All Projects → Level → Level

Level / Level

Licence: other
Fast & simple storage. A Node.js-style LevelDB wrapper for Node.js, Electron and browsers.

Programming Languages

javascript
184084 projects - #8 most used programming language

Projects that are alternatives of or similar to Level

Level Rocksdb
A convenience package bundling levelup and rocksdb.
Stars: ✭ 120 (-88.8%)
Mutual labels:  leveldb, level
Levelup
A wrapper for abstract-leveldown compliant stores, for Node.js and browsers.
Stars: ✭ 3,960 (+269.75%)
Mutual labels:  leveldb, level
Electron Demo
Demo app loading LevelDB into an Electron context.
Stars: ✭ 79 (-92.62%)
Mutual labels:  leveldb, level
Party
Open a leveldb handle multiple times
Stars: ✭ 132 (-87.68%)
Mutual labels:  leveldb, level
Rocksdb
Pure C++ Node.js RocksDB binding. An abstract-leveldown compliant store.
Stars: ✭ 138 (-87.11%)
Mutual labels:  leveldb, level
level-test
Inject temporary and isolated level stores (leveldown, level-js, memdown or custom) into your tests.
Stars: ✭ 19 (-98.23%)
Mutual labels:  level, leveldb
Awesome
An open list of awesome Level modules and resources.
Stars: ✭ 204 (-80.95%)
Mutual labels:  leveldb, level
Multileveldown
multilevel implemented using leveldowns with reconnect support
Stars: ✭ 51 (-95.24%)
Mutual labels:  level, browsers
Level Js
An abstract-leveldown compliant store on top of IndexedDB.
Stars: ✭ 485 (-54.72%)
Mutual labels:  level
Level Hookdown
Simple levelup hooks implemented using instance method override of arbitrary levelups.
Stars: ✭ 16 (-98.51%)
Mutual labels:  leveldb
Objective Leveldb
An Objective-C database library built over Google's LevelDB
Stars: ✭ 446 (-58.36%)
Mutual labels:  leveldb
User Agents
A JavaScript library for generating random user agents with data that's updated daily.
Stars: ✭ 485 (-54.72%)
Mutual labels:  browsers
Pwned
Simple C++ code for simple tasks
Stars: ✭ 16 (-98.51%)
Mutual labels:  leveldb
Goleveldb
LevelDB key/value database in Go.
Stars: ✭ 4,783 (+346.59%)
Mutual labels:  leveldb
Tmlibs
DEPRECATED: Merged into https://github.com/tendermint/tendermint under `libs`
Stars: ✭ 45 (-95.8%)
Mutual labels:  leveldb
Grinder
Grinder is a system to automate the fuzzing of web browsers and the management of a large number of crashes.
Stars: ✭ 393 (-63.31%)
Mutual labels:  browsers
Tiled
Flexible level editor
Stars: ✭ 8,411 (+685.34%)
Mutual labels:  level
Fastonosql
FastoNoSQL is a crossplatform Redis, Memcached, SSDB, LevelDB, RocksDB, UnQLite, LMDB, ForestDB, Pika, Dynomite, KeyDB GUI management tool.
Stars: ✭ 1,001 (-6.54%)
Mutual labels:  leveldb
Qs
A querystring parser with nesting support
Stars: ✭ 6,688 (+524.46%)
Mutual labels:  browsers
Nano Sql
Universal database layer for the client, server & mobile devices. It's like Lego for databases.
Stars: ✭ 717 (-33.05%)
Mutual labels:  leveldb

level

Fast & simple storage. A Node.js-style LevelDB wrapper for Node.js, Electron and browsers.

level badge npm Node version Travis AppVeyor Coverage Status JavaScript Style Guide npm Backers on Open Collective Sponsors on Open Collective

Table of Contents

Click to expand

Introduction

This is a convenience package that:

Use this package to avoid having to explicitly install leveldown or level-js when you just want to use levelup. It uses leveldown in Node.js or Electron and level-js in browsers (when bundled by browserify, webpack, rollup or similar). For a quick start, visit browserify-starter or webpack-starter. Note: rollup currently fails to properly resolve the browser field.

Usage

If you are upgrading: please see UPGRADING.md.

var level = require('level')

// 1) Create our database, supply location and options.
//    This will create or open the underlying store.
var db = level('my-db')

// 2) Put a key & value
db.put('name', 'Level', function (err) {
  if (err) return console.log('Ooops!', err) // some kind of I/O error

  // 3) Fetch by key
  db.get('name', function (err, value) {
    if (err) return console.log('Ooops!', err) // likely the key was not found

    // Ta da!
    console.log('name=' + value)
  })
})

Supported Platforms

At the time of writing, level works in Node.js 8+ and Electron 3+ on Linux, Mac OS, Windows and FreeBSD, including any future Node.js and Electron release thanks to N-API, including ARM platforms like Raspberry Pi and Android, as well as in Chrome, Firefox, IE 11, Edge, Safari, iPhone and Chrome for Android. For details, see Supported Platforms of leveldown and Browser Support of level-js.

Binary values are supported across the board; in browsers that support IndexedDB Second Edition (like Chrome and Firefox) you can also use binary keys.

If you want to use Promises, you will need a polyfill like pinkie in older browsers like IE.

API

For options specific to leveldown and level-js ("underlying store" from here on out), please see their respective READMEs.

db = level(location[, options[, callback]])

The main entry point for creating a new levelup instance.

  • location is a string pointing to the LevelDB location to be opened or in browsers, the name of the IDBDatabase to be opened.
  • options is passed on to the underlying store.
  • options.keyEncoding and options.valueEncoding are passed to encoding-down, default encoding is 'utf8'

Calling level('my-db') will also open the underlying store. This is an asynchronous operation which will trigger your callback if you provide one. The callback should take the form function (err, db) {} where db is the levelup instance. If you don't provide a callback, any read & write operations are simply queued internally until the store is fully opened.

This leads to two alternative ways of managing a levelup instance:

level(location, options, function (err, db) {
  if (err) throw err

  db.get('foo', function (err, value) {
    if (err) return console.log('foo does not exist')
    console.log('got foo =', value)
  })
})

Versus the equivalent:

// Will throw if an error occurs
var db = level(location, options)

db.get('foo', function (err, value) {
  if (err) return console.log('foo does not exist')
  console.log('got foo =', value)
})

The constructor function has a .errors property which provides access to the different error types from level-errors. See example below on how to use it:

level('my-db', { createIfMissing: false }, function (err, db) {
  if (err instanceof level.errors.OpenError) {
    console.log('failed to open database')
  }
})

Note that createIfMissing is an option specific to leveldown.

db.supports

A read-only manifest. Not widely supported yet. Might be used like so:

if (!db.supports.permanence) {
  throw new Error('Persistent storage is required')
}

if (db.supports.bufferKeys && db.supports.promises) {
  await db.put(Buffer.from('key'), 'value')
}

db.open([callback])

Opens the underlying store. In general you should never need to call this method directly as it's automatically called by levelup().

However, it is possible to reopen the store after it has been closed with close(), although this is not generally advised.

If no callback is passed, a promise is returned.

db.close([callback])

close() closes the underlying store. The callback will receive any error encountered during closing as the first argument.

You should always clean up your levelup instance by calling close() when you no longer need it to free up resources. A store cannot be opened by multiple instances of levelup simultaneously.

If no callback is passed, a promise is returned.

db.put(key, value[, options][, callback])

put() is the primary method for inserting data into the store. Both key and value can be of any type as far as levelup is concerned.

  • options is passed on to the underlying store
  • options.keyEncoding and options.valueEncoding are passed to encoding-down, allowing you to override the key- and/or value encoding for this put operation.

If no callback is passed, a promise is returned.

db.get(key[, options][, callback])

get() is the primary method for fetching data from the store. The key can be of any type. If it doesn't exist in the store then the callback or promise will receive an error. A not-found err object will be of type 'NotFoundError' so you can err.type == 'NotFoundError' or you can perform a truthy test on the property err.notFound.

db.get('foo', function (err, value) {
  if (err) {
    if (err.notFound) {
      // handle a 'NotFoundError' here
      return
    }
    // I/O or other error, pass it up the callback chain
    return callback(err)
  }

  // .. handle `value` here
})
  • options is passed on to the underlying store.
  • options.keyEncoding and options.valueEncoding are passed to encoding-down, allowing you to override the key- and/or value encoding for this get operation.

If no callback is passed, a promise is returned.

db.del(key[, options][, callback])

del() is the primary method for removing data from the store.

db.del('foo', function (err) {
  if (err)
    // handle I/O or other error
});
  • options is passed on to the underlying store.
  • options.keyEncoding is passed to encoding-down, allowing you to override the key encoding for this del operation.

If no callback is passed, a promise is returned.

db.batch(array[, options][, callback]) (array form)

batch() can be used for very fast bulk-write operations (both put and delete). The array argument should contain a list of operations to be executed sequentially, although as a whole they are performed as an atomic operation inside the underlying store.

Each operation is contained in an object having the following properties: type, key, value, where the type is either 'put' or 'del'. In the case of 'del' the value property is ignored. Any entries with a key of null or undefined will cause an error to be returned on the callback and any type: 'put' entry with a value of null or undefined will return an error.

var ops = [
  { type: 'del', key: 'father' },
  { type: 'put', key: 'name', value: 'Yuri Irsenovich Kim' },
  { type: 'put', key: 'dob', value: '16 February 1941' },
  { type: 'put', key: 'spouse', value: 'Kim Young-sook' },
  { type: 'put', key: 'occupation', value: 'Clown' }
]

db.batch(ops, function (err) {
  if (err) return console.log('Ooops!', err)
  console.log('Great success dear leader!')
})
  • options is passed on to the underlying store.
  • options.keyEncoding and options.valueEncoding are passed to encoding-down, allowing you to override the key- and/or value encoding of operations in this batch.

If no callback is passed, a promise is returned.

db.batch() (chained form)

batch(), when called with no arguments will return a Batch object which can be used to build, and eventually commit, an atomic batch operation. Depending on how it's used, it is possible to obtain greater performance when using the chained form of batch() over the array form.

db.batch()
  .del('father')
  .put('name', 'Yuri Irsenovich Kim')
  .put('dob', '16 February 1941')
  .put('spouse', 'Kim Young-sook')
  .put('occupation', 'Clown')
  .write(function () { console.log('Done!') })

batch.put(key, value)

Queue a put operation on the current batch, not committed until a write() is called on the batch.

This method may throw a WriteError if there is a problem with your put (such as the value being null or undefined).

batch.del(key)

Queue a del operation on the current batch, not committed until a write() is called on the batch.

This method may throw a WriteError if there is a problem with your delete.

batch.clear()

Clear all queued operations on the current batch, any previous operations will be discarded.

batch.length

The number of queued operations on the current batch.

batch.write([options][, callback])

Commit the queued operations for this batch. All operations not cleared will be written to the underlying store atomically, that is, they will either all succeed or fail with no partial commits.

  • options is passed on to the underlying store.
  • options.keyEncoding and options.valueEncoding are not supported here.

If no callback is passed, a promise is returned.

db.isOpen()

A levelup instance can be in one of the following states:

  • "new" - newly created, not opened or closed
  • "opening" - waiting for the underlying store to be opened
  • "open" - successfully opened the store, available for use
  • "closing" - waiting for the store to be closed
  • "closed" - store has been successfully closed, should not be used

isOpen() will return true only when the state is "open".

db.isClosed()

isClosed() will return true only when the state is "closing" or "closed", it can be useful for determining if read and write operations are permissible.

db.createReadStream([options])

Returns a Readable Stream of key-value pairs. A pair is an object with key and value properties. By default it will stream all entries in the underlying store from start to end. Use the options described below to control the range, direction and results.

db.createReadStream()
  .on('data', function (data) {
    console.log(data.key, '=', data.value)
  })
  .on('error', function (err) {
    console.log('Oh my!', err)
  })
  .on('close', function () {
    console.log('Stream closed')
  })
  .on('end', function () {
    console.log('Stream ended')
  })

You can supply an options object as the first parameter to createReadStream() with the following properties:

  • gt (greater than), gte (greater than or equal) define the lower bound of the range to be streamed. Only entries where the key is greater than (or equal to) this option will be included in the range. When reverse=true the order will be reversed, but the entries streamed will be the same.

  • lt (less than), lte (less than or equal) define the higher bound of the range to be streamed. Only entries where the key is less than (or equal to) this option will be included in the range. When reverse=true the order will be reversed, but the entries streamed will be the same.

  • reverse (boolean, default: false): stream entries in reverse order. Beware that due to the way that stores like LevelDB work, a reverse seek can be slower than a forward seek.

  • limit (number, default: -1): limit the number of entries collected by this stream. This number represents a maximum number of entries and may not be reached if you get to the end of the range first. A value of -1 means there is no limit. When reverse=true the entries with the highest keys will be returned instead of the lowest keys.

  • keys (boolean, default: true): whether the results should contain keys. If set to true and values set to false then results will simply be keys, rather than objects with a key property. Used internally by the createKeyStream() method.

  • values (boolean, default: true): whether the results should contain values. If set to true and keys set to false then results will simply be values, rather than objects with a value property. Used internally by the createValueStream() method.

Legacy options:

  • start: instead use gte

  • end: instead use lte

Underlying stores may have additional options.

db.createKeyStream([options])

Returns a Readable Stream of keys rather than key-value pairs. Use the same options as described for createReadStream to control the range and direction.

You can also obtain this stream by passing an options object to createReadStream() with keys set to true and values set to false. The result is equivalent; both streams operate in object mode.

db.createKeyStream()
  .on('data', function (data) {
    console.log('key=', data)
  })

// same as:
db.createReadStream({ keys: true, values: false })
  .on('data', function (data) {
    console.log('key=', data)
  })

db.createValueStream([options])

Returns a Readable Stream of values rather than key-value pairs. Use the same options as described for createReadStream to control the range and direction.

You can also obtain this stream by passing an options object to createReadStream() with values set to true and keys set to false. The result is equivalent; both streams operate in object mode.

db.createValueStream()
  .on('data', function (data) {
    console.log('value=', data)
  })

// same as:
db.createReadStream({ keys: false, values: true })
  .on('data', function (data) {
    console.log('value=', data)
  })

db.iterator([options])

Returns an abstract-leveldown iterator, which is what powers the readable streams above. Options are the same as the range options of createReadStream and are passed to the underlying store.

db.clear([options][, callback])

This method is experimental. Not all underlying stores support it yet. Consult Level/community#79 to find out if your (combination of) dependencies support db.clear().

Delete all entries or a range. Not guaranteed to be atomic. Accepts the following range options (with the same rules as on iterators):

  • gt (greater than), gte (greater than or equal) define the lower bound of the range to be deleted. Only entries where the key is greater than (or equal to) this option will be included in the range. When reverse=true the order will be reversed, but the entries deleted will be the same.
  • lt (less than), lte (less than or equal) define the higher bound of the range to be deleted. Only entries where the key is less than (or equal to) this option will be included in the range. When reverse=true the order will be reversed, but the entries deleted will be the same.
  • reverse (boolean, default: false): delete entries in reverse order. Only effective in combination with limit, to remove the last N records.
  • limit (number, default: -1): limit the number of entries to be deleted. This number represents a maximum number of entries and may not be reached if you get to the end of the range first. A value of -1 means there is no limit. When reverse=true the entries with the highest keys will be deleted instead of the lowest keys.

If no options are provided, all entries will be deleted. The callback function will be called with no arguments if the operation was successful or with an WriteError if it failed for any reason.

If no callback is passed, a promise is returned.

Promise Support

level(up) ships with native Promise support out of the box.

Each function taking a callback also can be used as a promise, if the callback is omitted. This applies for:

  • db.get(key[, options])
  • db.put(key, value[, options])
  • db.del(key[, options])
  • db.batch(ops[, options])
  • db.batch().write()
  • db.clear(options)

The only exception is the level constructor itself, which if no callback is passed will lazily open the underlying store in the background.

Example:

var db = level('my-db')

db.put('foo', 'bar')
  .then(function () { return db.get('foo') })
  .then(function (value) { console.log(value) })
  .catch(function (err) { console.error(err) })

Or using async/await:

var main = async () => {
  var db = level('my-db')

  await db.put('foo', 'bar')
  console.log(await db.get('foo'))
}

Events

levelup is an EventEmitter and emits the following events.

Event Description Arguments
put Key has been updated key, value (any)
del Key has been deleted key (any)
batch Batch has executed operations (array)
opening Underlying store is opening -
open Store has opened -
ready Alias of open -
closing Store is closing -
closed Store has closed. -

For example you can do:

db.on('put', function (key, value) {
  console.log('inserted', { key, value })
})

Contributing

Level/level is an OPEN Open Source Project. This means that:

Individuals making significant and valuable contributions are given commit-access to the project to contribute as they see fit. This project is more like an open wiki than a standard guarded open source project.

See the Contribution Guide for more details.

Donate

To sustain Level and its activities, become a backer or sponsor on Open Collective. Your logo or avatar will be displayed on our 28+ GitHub repositories and npm packages. 💖

Backers

Open Collective backers

Sponsors

Open Collective sponsors

License

MIT © 2013-present Rod Vagg and Contributors.

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].