Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More
Socket
Sign inDemoInstall
Socket

cassanknex

Package Overview
Dependencies
Maintainers
1
Versions
37
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

cassanknex

An Apache Cassandra CQL query builder with support for the DataStax NodeJS driver, written in the spirit of Knex.

  • 1.11.0
  • Source
  • npm
  • Socket score

Version published
Maintainers
1
Created
Source

NPM Version Inline docs Build Status

CassanKnex

A fully tested Apache Cassandra CQL query builder with support for the DataStax NodeJS driver, written in the spirit of Knex for CQL 3.1.x.

Installation

npm install cassanknex

Index

Why (what's in a name)

CQL was purposefully designed to be SQL-esq to enhance ease of access for those familiar w/ relational databases while Knex is the canonical NodeJS query builder for SQL dialects; however, even given the lexical similarities, the difference between the usage of CQL vs SQL is significant enough that adding CQL as yet another Knex SQL dialect does not make sense. Thus, CassanKnex.

Usage

CassanKnex can be used to execute queries against a Cassandra cluster via cassandra-driver (the official DataStax NodeJS driver) or as a simple CQL statement generator via the following relative instantiations:

As a query generator

Compiled CQL statements can be retrieved at any time via the cql method.

var cassanKnex = require("cassanknex")();
var qb = cassanKnex(KEYSPACE).QUERY_COMMAND()
          .QUERY_MODIFIER_1()
          .
          .
          .QUERY_MODIFIER_N();

var cql = qb.cql(); // get the cql statement

Where KEYSPACE is the name of the relevant keyspace and QUERY_COMMAND and QUERY_MODIFIER are among the list of available Query Commands and Query Modifiers.

As a query executor

Execution of a given query is performed by invoking either the exec, stream or eachRow methods (which are straight pass throughs to the DataStax driver's execute, stream and eachRow methods, respectively); batch queries may be executed via the batch method (again, a pass through to the DataStax driver's own batch method).

var cassanKnex = require("cassanknex")({
  connection: {
    contactPoints: ["LIST OF CONNECTION POINTS"]
  }
});

cassanKnex.on("ready", function (err) {

  if (err)
    console.error("Error Connecting to Cassandra Cluster", err);
  else
    console.log("Cassandra Connected");

  var qb = cassanKnex(KEYSPACE).QUERY_COMMAND()
          .QUERY_MODIFIER_1()
          .
          .
          .QUERY_MODIFIER_N();

  // pass through to the underlying DataStax nodejs-driver 'execute' method

  qb.exec(function(err, res) {
    // do something w/ your query response
  });

  // OR pass through to the underlying DataStax nodejs-driver 'stream' method

  var onReadable = function () {
      // Readable is emitted as soon a row is received and parsed
      var row;
      while (row = this.read()) {
        console.log(row);
        // do something w/ the row response
      }
    }
    , onEnd = function () {
      // Stream ended, there aren't any more rows
      console.log("query finished");
    }
    , onError = function (err) {
      // Something went wrong: err is a response error from Cassandra
      console.log("query error", err);
    };

  // Invoke the stream method
  qb.stream({
    "readable": onReadable,
    "end": onEnd,
    "error": onError
  });

  // OR pass through to the underlying DataStax nodejs-driver 'eachRow' method

  var rowCallback = function (n, row) {
      // The callback will be invoked per each row as soon as they are received
      console.log(row);
      // do something w/ the row response
    }
    , errorCb = function (err) {
      // Something went wrong: err is a response error from Cassandra
      console.log("query error", err);
    };

  // Invoke the eachRow method
  qb.eachRow(rowCallback, errorCb);

  // Invoke the batch method to process multiple requests
  cassanKnex().batch([qb, qb], function(err, res) {
    // do something w/ your response
  });
});
Quickstart
var cassanKnex = require("cassanknex")({
  connection: { // default is 'undefined'
    contactPoints: ["10.0.0.2"]
  },
  exec: { // default is '{}'
    prepare: false // default is 'true'
  }
});

cassanKnex.on("ready", function (err) {

  if (err)
    console.error("Error Connecting to Cassandra Cluster", err);
  else {
    console.log("Cassandra Connected");

  var qb("keyspace").select("id", "foo", "bar", "baz")
    .where("id", "=", "1")
    .orWhere("id", "in", ["2", "3"])
    .orWhere("baz", "=", "bar")
    .andWhere("foo", "IN", ["baz", "bar"])
    .limit(10)
    .from("table")
    .exec(function(err, res) {

      // executes query :
      //  'SELECT "id","foo","bar","baz" FROM "keyspace"."table"
      //    WHERE "id" = ? OR "id" in (?, ?)
      //    OR "baz" = ? AND "foo" IN (?, ?)
      //    LIMIT 10;'
      // with bindings array  : [ '1', '2', '3', 'bar', 'baz', 'bar' ]

      if (err)
        console.error("error", err);
      else
        console.log("res", res);

    });
  }
});

Debugging

To enable debug mode pass { debug: true } into the CassanKnex require statement, e.g.

var cassanKnex = require("cassanknex")({ debug: true });

When debug is enabled the query object will be logged upon execution, and you'll receive two informational components provided to ease the act of debugging:

  1. _queryPhases:
  • An array showing the state of the query string at each step of it's compilation.
  1. _methodStack:
  • An array showing the methods called throughout the modification lifespan of the query object. You'll notice that the 'compiling' method is called after each modification in this stack, that's due to re-compiling the query statement (and pushing the result into _queryPhases) at each step, when debug == false the _cql query statement and accompanying _bindings array are not created until either qb.cql() or qb.exec() are called.

So you'll see something akin to the following insert statement upon invoking either qb.cql() or qb.exec():

var values = {
  "id": "foo"
  , "bar": "baz"
  , "baz": ["foo", "bar"]
};
var qb = cassanknex("cassanKnexy");
qb.insert(values)
      .usingTimestamp(250000)
      .usingTTL(50000)
      .into("columnFamily")
      .cql();

// =>
{ _debug: true,
  _dialect: 'cql',
  _exec: {},
  _execPrepare: true,
  _keyspace: 'cassanKnexy',
  _columnFamily: 'columnFamily',
  _methodStack:
   [ 'insert',
     'usingTimestamp',
     'insert',
     'usingTTL',
     'insert',
     'into',
     'insert',
     'insert' ],
  _queryPhases:
   [ 'INSERT INTO  ("id","bar","baz") VALUES (?, ?, ?);',
     'INSERT INTO  ("id","bar","baz") VALUES (?, ?, ?) USING TIMESTAMP ?;',
     'INSERT INTO  ("id","bar","baz") VALUES (?, ?, ?) USING TIMESTAMP ? AND USING TTL ?;',
     'INSERT INTO "cassanKnexy"."columnFamily" ("id","bar","baz") VALUES (?, ?, ?) USING TIMESTAMP ? AND USING TTL ?;',
     'INSERT INTO "cassanKnexy"."columnFamily" ("id","bar","baz") VALUES (?, ?, ?) USING TIMESTAMP ? AND USING TTL ?;' ],
  _cql: 'INSERT INTO "cassanKnexy"."columnFamily" ("id","bar","baz") VALUES (?, ?, ?) USING TIMESTAMP ? AND USING TTL ?;',
  _bindings: [ 'foo', 'baz', [ 'foo', 'bar' ], 250000, 50000 ],
  _statements:
   [ { grouping: 'compiling', type: 'insert', value: [Object] },
     { grouping: 'using', type: 'usingTimestamp', val: 250000 },
     { grouping: 'using', type: 'usingTTL', val: 50000 } ],
  ... }

While fuller documentation for all methods is in the works, the test files provide thorough examples as to method usage.

Query Executors

All methods take an optional options object as the first argument in the call signature; if provided, the options will be passed through to the corresponding cassandra-driver call.

exec
  • execute a query and return the response via a callback:
var item = {
  foo: "bar",
  bar: ["foo", "baz"]
};
var qb = cassanKnex("cassanKnexy")
  .insert(item)
  .into("columnFamily")
  .exec(function(err, result) {
    // do something w/ your err/result
  });

  // w/ options
  qb.exec({ prepare: false }, function(err, result) {
     // do something w/ your err/result
   });
eachRow
  • execute a query and invoke a callback as each row is received:
var rowCallback = function (n, row) {
    // Readable is emitted as soon a row is received and parsed
  }
  , errorCallback = function (err) {
    // Something went wrong: err is a response error from Cassandra
  };

var qb = cassanKnex("cassanKnexy")
  .select()
  .from("columnFamily");

// Invoke the eachRow method
qb.eachRow(rowCallback, errorCallback);
stream
  • execute a query and stream each row as it is received:
var onReadable = function () {
    // Readable is emitted as soon a row is received and parsed
    var row;
    while (row = this.read()) {
      // do something w/ your row
    }
  }
  , onEnd = function () {
    // Stream ended, there aren't any more rows
  }
  , onError = function (err) {
    // Something went wrong: err is a response error from Cassandra
  };

var qb = cassanKnex("cassanKnexy")
  .select()
  .from("columnFamily");

// Invoke the stream method
qb.stream({
  "readable": onReadable,
  "end": onEnd,
  "error": onError
});
batch
  • execute a batch of cassanknex queries in a single batch statement:
var qb1 = cassanKnex("cassanKnexy")
  .insert({foo: "is bar"})
  .usingTimestamp(250000)
  .usingTTL(50000)
  .from("columnFamily");

var qb2 = cassanKnex("cassanKnexy")
  .insert({bar: "is foo"})
  .usingTimestamp(250000)
  .usingTTL(50000)
  .from("columnFamily");

// w/o options
cassanKnex().batch([qb1, qb2], function(err, res) {
    // do something w/ your err/result
});

// w/ options
cassanKnex().batch({prepare: true}, [qb1, qb2], function(err, res) {
    // do something w/ your err/result
});
Query Commands
For standard (row) queries:
  • insert - compile an insert query string

        var qb = cassanKnex("cassanKnexy")
          , values = {
            "id": "foo"
            , "bar": "baz"
            , "baz": ["foo", "bar"]
          };
        qb.insert(values)
          .usingTimestamp(250000)
          .usingTTL(50000)
          .into("columnFamily");
    
        // => INSERT INTO cassanKnexy.columnFamily (id,bar,baz)
        //      VALUES (?, ?, ?)
        //      USING TIMESTAMP ?
        //      AND USING TTL ?;
    
  • select - compile a select OR select as query string

    • select all columns for a given query:

      var qb = cassanKnex("cassanKnexy");
      qb.select("id", "foo", "bar", "baz")
        .where("id", "=", "1")
        .orWhere("id", "in", ["2", "3"])
        .orWhere("baz", "=", "bar")
        .andWhere("foo", "IN", ["baz", "bar"])
        .limit(10)
        .from("columnFamily");
      
      // => SELECT id,foo,bar,baz FROM cassanKnexy.columnFamily
      //      WHERE id = ?
      //      OR id in (?, ?)
      //      OR baz = ?
      //      AND foo IN (?, ?)
      //      LIMIT ?;
      
    • 'select as' specified columns:

      var qb = cassanKnex("cassanKnexy");
      qb.select({"id": "foo"})
        .from("columnFamily");
      
      // => SELECT id AS foo FROM cassanKnexy.columnFamily;
      
  • update - compile an update query string

    • simple set column values:
      var qb = cassanKnex("cassanKnexy");
      qb.update("columnFamily")
        .set("bar", "foo")
        .set("foo", "bar")
        .where("foo[bar]", "=", "baz")
        .where("id", "in", ["1", "1", "2", "3", "5"]);
    
      // => UPDATE cassanKnexy.columnFamily
      //      SET bar = ?,foo = ?
      //      WHERE foo[bar] = ?
      //      AND id in (?, ?, ?, ?, ?);
    
    • set column values using object parameters:
    var qb = cassanKnex("cassanKnexy");
    qb.update("columnFamily")
      .set({
        "bar": "baz",
        "foo": ["bar", "baz"]
      })
      .where("foo[bar]", "=", "baz")
      .where("id", "in", ["1", "1", "2", "3", "5"]);
    
    // => UPDATE cassanKnexy.columnFamily
    //      SET bar = ?,foo = ?
    //      WHERE foo[bar] = ?
    //      AND id in (?, ?, ?, ?, ?);
    
  • delete - compile a delete query string

    • delete all columns for a given row:

        var qb = cassanknex("cassanKnexy");
        qb.delete()
          .from("columnFamily")
          .where("foo[bar]", "=", "baz")
          .where("id", "in", ["1", "1", "2", "3", "5"]);
      
        // => DELETE  FROM cassanKnexy.columnFamily
        //      WHERE foo[bar] = ?
        //      AND id in (?, ?, ?, ?, ?);
      
    • delete specified columns for a given row:

        var qb = cassanknex("cassanKnexy");
        qb.delete(["foo", "bar"])
        // OR
        qb.delete("foo", "bar")
      
          .from("columnFamily")
          .where("foo[bar]", "=", "baz")
          .where("id", "in", ["1", "1", "2", "3", "5"]);
      
        // => DELETE foo,bar FROM cassanKnexy.columnFamily
        //      WHERE foo[bar] = ?
        //      AND id in (?, ?, ?, ?, ?);
      
For column family queries:
  • alterColumnFamily
  • createColumnFamily
  • createColumnFamilyIfNotExists
  • createIndex
  • createType
  • createTypeIfNotExists
  • dropColumnFamily
  • dropColumnFamilyIfExists
  • dropType
  • dropTypeIfExists
  • truncate
For keyspace queries:
  • alterKeyspace
  • createKeyspace
  • createKeyspaceIfNotExists
  • dropKeyspace
  • dropKeyspaceIfExists
Query Modifiers
For standard (row) queries:
  • from
  • into
  • where
  • andWhere
  • orWhere
  • set
  • if
  • ifExists
  • ifNotExists
  • usingTTL
  • usingTimestamp
  • limit
  • orderBy
For column family queries:
  • alter
  • drop
  • rename
  • primary
  • list
  • set
  • decimal
  • boolean
  • blob
  • timestamp
  • inet
  • bigint
  • counter
  • double
  • int
  • float
  • map
  • ascii
  • text
  • timeuuid
  • uuid
  • varchar
  • frozen
  • frozenSet
  • frozenMap
  • withCaching
  • withCompression
  • withCompaction
  • withClusteringOrderBy
For keyspace queries:
  • withNetworkTopologyStrategy
  • withSimpleStrategy
  • withDurableWrites
Utility Methods
  • getClient, returns the Datastax Cassandra Driver in use.
var cassanKnex = require("cassanknex")({
  connection: {
    contactPoints: ["10.0.0.2"]
  }
});

cassanKnex.on("ready", function (err) {

  if (err)
    console.error("Error Connecting to Cassandra Cluster", err);
  else {
    console.log("Cassandra Connected");

    // get the Cassandra Driver
    var client = cassanKnex.getClient();
  }
});
ChangeLog
  • 1.11.0
    • Add getClient method to allow retrieving the Cassandra Driver instance from cassanknex.
  • 1.10.1
    • Patch invalid error response when executing commands via an uninitialized Cassandra client.
  • 1.10.0
    • Add QueryModifier orderBy for standard queries.
  • 1.9.0
    • Add truncate functionality.
  • 1.8.0
    • Add batch execution functionality per the specifications laid out in issue #19.
  • 1.7.1
    • Wrap all keyspace, column family, and column names in double quotes to preserve case per issue #14.
    • Fix frozen set statement compilation per issue #16.
    • Fix frozen list statement compilation per issue #17.
  • 1.7.0
    • Add QueryCommands createType/IfNotExists and dropType/IfExists.
    • Add QueryModifiers frozen/Set/Map/List.
    • 1.7.0 features added per issue #10.
  • 1.6.0
    • Add options support for eachRow per issue #8.
  • 1.5.1, 1.5.2
    • OMG DOCS!
  • 1.5.0
    • Add QueryCommand delete.
  • 1.4.0
    • Add support for object style set calls; e.g. .set(<Object := {<String>: <Mixed>, ...}>).
  • 1.3.0
    • Add support for the DataStax driver eachRow method.
  • 1.2.0
    • Add support for the DataStax driver stream method.
  • 1.1.0
    • Add QueryCommand createIndex.
    • Add QueryModifier allowFiltering.

Keywords

FAQs

Package last updated on 09 Nov 2015

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc