GithubHelp home page GithubHelp logo

nvdnkpr / redislock Goto Github PK

View Code? Open in Web Editor NEW

This project forked from danielstjules/redislock

0.0 1.0 0.0 368 KB

Node distributed locking using redis

License: MIT License

JavaScript 100.00%

redislock's Introduction

redislock

Node distributed locking using redis. Compatible with redis >= 2.6.12.

Build Status

Installation

Using npm, you can install redislock with npm install redislock. You can also require it as a dependency in your package.json file:

"dependencies": {
    "redislock": "*"
}

Overview

redislock offers both atomic acquire and release operations, avoiding race conditions among clients, as well as the need for lock-specific redis connections. Lock creation requires a node_redis client, and accepts an object specifying the following three options:

  • timeout: Time in milliseconds before which a lock expires (default: 10000 ms)
  • retries: Maximum number of retries in acquiring a lock if the first attempt failed (default: 0)
  • delay: Time in milliseconds to wait between each attempt (default: 50 ms)
var client = require('redis').createClient();
var lock   = require('redislock').createLock(client, {
  timeout: 20000,
  retries: 3,
  delay: 100
});

lock.acquire('app:feature:lock', function(err) {
  // if (err) ... Failed to acquire the lock

  lock.release(function(err) {
    // if (err) ... Failed to release
  });
});

Supports promises, thanks to bluebird, out of the box:

var client = require('redis').createClient();
var lock   = require('redislock').createLock(client);

var LockAcquisitionError = redislock.LockAcquisitionError;
var LockReleaseError     = redislock.LockReleaseError;

lock.acquire('app:feature:lock').then(function() {
  // Lock has been acquired
  return lock.release();
}).then(function() {
  // Lock has been released
}).catch(LockAcquisitionError, function(err) {
  // The lock could not be acquired
}).catch(LockReleaseError, function(err) {
  // The lock could not be released
});

And an example with co:

var co     = require('co');
var client = require('redis').createClient();
var lock   = require('redislock').createLock(client);

var LockAcquisitionError = redislock.LockAcquisitionError;
var LockReleaseError     = redislock.LockReleaseError;

co(function *(){
  try {
    yield lock.acquire('app:feature:lock');

    yield lock.release();
  } catch(e) {
    if (e instanceof LockAcquisitionError) {
      // Failed to acquire the lock
    } else if (e instanceof LockReleaseError) {
      // Failed to release
    } else {
      // Other exceptions
    }
  }
})();

Implementation

Locking is performed using the following redis command:

SET key uuid PX timeout NX

If the SET returns OK, the lock has been acquired on the given key, and an expiration has been set. Then, releasing a lock uses the following redis script:

if redis.call('GET', KEYS[1]) == ARGV[1] then
  return redis.call('DEL', KEYS[1])
end
return 0

This ensures that the key is deleted only if it is currently holding the lock, by passing its UUID as an argument.

Alternatives

Some alternative locking implementations do not use a random identifier, but instead simply invoke SETNX, assigning a timestamp. This has the problem of requiring synchronization of clocks between all instances to maintain timeout accuracy. Furthermore, freeing a lock with such an implementation may risk deleting a key set by a different lock.

Another technique used is to WATCH the key for changes when freeing, achieving a CAS-like operation, as described below:

WATCH key  # Begin watching the key for changes
GET key    # Retrieve its value, return an error if not equal to the lock's UUID
MULTI      # Start transaction
DEL key    # Delete the key
EXEC       # Execute the transaction, which will fail if the key had expired

However, this has the issue of requiring that you use a 1:1 mapping of redis clients to locks to ensure that a competing MULTI is not invoked, and that the release is unaffected by other watched keys.

In addition to the above, most locking libraries aren't compatible with promises by default, and due to their API, require "promisifying" individual locks. redislock avoids this issue by taking advantage of bluebird's nodeify function to offer an API that easily supports both callbacks and promises.

Tests

Unit and functional tests are available in the base spec directory, and can be ran using npm test. Additional integration tests, which require an active redis-server configured on the default port and host, can be ran using mocha spec/integration/. Both tests suites are ran as part of the Travis CI build thanks to their support for services such as redis.

API

The module exports three functions for lock creation and management, as well as two errors for simplified error handling when using promises.

redislock.createLock(client, [options])

Creates and returns a new Lock instance, configured for use with the supplied redis client, as well as options, if provided. The options object may contain following three keys, as outlined at the start of the documentation: timeout, retries and delay.

var lock = redislock.createLock(client, {
  timeout: 10000,
  retries: 3,
  delay: 100
})

redislock.setDefaults(options)

Sets the default options to be used by any new lock created by redislock. Only available options are modified, and all other keys are ignored.

redislock.setDefaults({
  timeout: 200000,
  retries: 1,
  delay: 50
});

redislock.getAcquiredLocks()

Returns an array of currently active/acquired locks.

// Create 3 locks, but only acquire 2
redislock.createLock(client);

redislock.createLock(client).acquire('app:lock1', function(err) {
  redislock.createLock(client).acquire('app:lock2', function(err) {
    var locks = redislock.getAcquiredLocks(); // [lock, lock]
  });
});

redislock.LockAcquisitionError

The constructor for a LockAcquisitionError. Thrown or returned when a lock could not be acquired.

redislock.LockReleaseError

The constructor for a LockReleaseError. Thrown or returned when a lock could not be released.

Class: Lock

The lock class exposed by redislock. Each instance is assigned a UUID v1 string as an id, and is configured to work with the given redis client. The default options from which is inherits may be changed by using redislock.setDefaults.

lock.acquire[key, [fn]]

Attempts to acquire a lock, given a key, and an optional callback function. If the initial lock fails, additional attempts will be made for the configured number of retries, and padded by the delay. The callback is invoked with an error on failure, and returns a promise if no callback is supplied. If invoked in the context of a promise, it may throw a LockAcquisitionError.

var lock = redislock.createLock(client);
lock.acquire('example:lock', function(err) {
  if (err) return console.log(err.message); // 'Lock already held'
});

lock.release([fn])

Attempts to release the lock, and accepts an optional callback function. The callback is invoked with an error on failure, and returns a promise if no callback is supplied. If invoked in the context of a promise, it may throw a LockReleaseError.

var lock = redislock.createLock(client);
lock.acquire('app:lock', function(err) {
  if (err) return;

  setTimeout(function() {
    lock.release(function(err) {
      if (err) return console.log(err.message); // 'Lock on app:lock has expired'
    });
  }, 20000)
});

redislock's People

Contributors

danielstjules avatar

Watchers

 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.