Comparing version 1.4.5 to 2.0.0-beta.0
825
lib/odbc.js
@@ -1,820 +0,9 @@ | ||
/* | ||
Copyright (c) 2013, Dan VerWeire <dverweire@gmail.com> | ||
Copyright (c) 2010, Lee Smith <notwink@gmail.com> | ||
const { Connection } = require('./Connection'); | ||
const { Pool } = require('./Pool'); | ||
const legacy = require('./legacy/legacy'); // v1.x behavior | ||
Permission to use, copy, modify, and/or distribute this software for any | ||
purpose with or without fee is hereby granted, provided that the above | ||
copyright notice and this permission notice appear in all copies. | ||
THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES | ||
WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF | ||
MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR | ||
ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES | ||
WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN | ||
ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF | ||
OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. | ||
*/ | ||
var odbc = require("bindings")("odbc_bindings") | ||
, SimpleQueue = require("./simple-queue") | ||
, util = require("util") | ||
; | ||
module.exports = function (options) { | ||
return new Database(options); | ||
} | ||
module.exports.debug = false; | ||
module.exports.Database = Database; | ||
module.exports.ODBC = odbc.ODBC; | ||
module.exports.ODBCConnection = odbc.ODBCConnection; | ||
module.exports.ODBCStatement = odbc.ODBCStatement; | ||
module.exports.ODBCResult = odbc.ODBCResult; | ||
module.exports.loadODBCLibrary = odbc.loadODBCLibrary; | ||
module.exports.open = function (connectionString, options, cb) { | ||
var db; | ||
if (typeof options === 'function') { | ||
cb = options; | ||
options = null; | ||
} | ||
db = new Database(options); | ||
db.open(connectionString, function (err) { | ||
cb(err, db); | ||
}); | ||
} | ||
function Database(options) { | ||
var self = this; | ||
options = options || {}; | ||
if (odbc.loadODBCLibrary) { | ||
if (!options.library && !module.exports.library) { | ||
throw new Error("You must specify a library when complied with dynodbc, " | ||
+ "otherwise this jams will segfault."); | ||
} | ||
if (!odbc.loadODBCLibrary(options.library || module.exports.library)) { | ||
throw new Error("Could not load library. You may need to specify full " | ||
+ "path."); | ||
} | ||
} | ||
self.odbc = (options.odbc) ? options.odbc : new odbc.ODBC(); | ||
self.odbc.domain = process.domain; | ||
self.queue = new SimpleQueue(); | ||
self.fetchMode = options.fetchMode || null; | ||
self.connected = false; | ||
self.connectTimeout = (options.hasOwnProperty('connectTimeout')) | ||
? options.connectTimeout | ||
: null | ||
; | ||
self.loginTimeout = (options.hasOwnProperty('loginTimeout')) | ||
? options.loginTimeout | ||
: null | ||
; | ||
} | ||
//Expose constants | ||
Object.keys(odbc.ODBC).forEach(function (key) { | ||
if (typeof odbc.ODBC[key] !== "function") { | ||
//On the database prototype | ||
Database.prototype[key] = odbc.ODBC[key]; | ||
//On the exports | ||
module.exports[key] = odbc.ODBC[key]; | ||
} | ||
}); | ||
Database.prototype.open = function (connectionString, cb) { | ||
var self = this; | ||
if (typeof(connectionString) == "object") { | ||
var obj = connectionString; | ||
connectionString = ""; | ||
Object.keys(obj).forEach(function (key) { | ||
connectionString += key + "=" + obj[key] + ";"; | ||
}); | ||
} | ||
self.odbc.createConnection(function (err, conn) { | ||
if (err) return cb(err); | ||
self.conn = conn; | ||
self.conn.domain = process.domain; | ||
if (self.connectTimeout || self.connectTimeout === 0) { | ||
self.conn.connectTimeout = self.connectTimeout; | ||
} | ||
if (self.loginTimeout || self.loginTimeout === 0) { | ||
self.conn.loginTimeout = self.loginTimeout; | ||
} | ||
self.conn.open(connectionString, function (err, result) { | ||
if (err) return cb(err); | ||
self.connected = true; | ||
return cb(err, result); | ||
}); | ||
}); | ||
module.exports = { | ||
Pool, | ||
Connection, | ||
legacy, | ||
}; | ||
Database.prototype.openSync = function (connectionString) { | ||
var self = this; | ||
self.conn = self.odbc.createConnectionSync(); | ||
if (self.connectTimeout || self.connectTimeout === 0) { | ||
self.conn.connectTimeout = self.connectTimeout; | ||
} | ||
if (self.loginTimeout || self.loginTimeout === 0) { | ||
self.conn.loginTimeout = self.loginTimeout; | ||
} | ||
if (typeof(connectionString) == "object") { | ||
var obj = connectionString; | ||
connectionString = ""; | ||
Object.keys(obj).forEach(function (key) { | ||
connectionString += key + "=" + obj[key] + ";"; | ||
}); | ||
} | ||
var result = self.conn.openSync(connectionString); | ||
if (result) { | ||
self.connected = true; | ||
} | ||
return result; | ||
} | ||
Database.prototype.close = function (cb) { | ||
var self = this; | ||
self.queue.push(function (next) { | ||
//check to see if conn still exists (it's deleted when closed) | ||
if (!self.conn) { | ||
if (cb) cb(null); | ||
return next(); | ||
} | ||
self.conn.close(function (err) { | ||
self.connected = false; | ||
delete self.conn; | ||
if (cb) cb(err); | ||
return next(); | ||
}); | ||
}); | ||
}; | ||
Database.prototype.closeSync = function () { | ||
var self = this; | ||
var result = self.conn.closeSync(); | ||
self.connected = false; | ||
delete self.conn; | ||
return result | ||
} | ||
Database.prototype.query = function (sql, params, cb) { | ||
var self = this; | ||
if (typeof(params) == 'function') { | ||
cb = params; | ||
params = null; | ||
} | ||
if (!self.connected) { | ||
return cb({ message : "Connection not open."}, [], false); | ||
} | ||
self.queue.push(function (next) { | ||
function cbQuery (initialErr, result) { | ||
fetchMore(); | ||
function fetchMore() { | ||
if (self.fetchMode) { | ||
result.fetchMode = self.fetchMode; | ||
} | ||
result.fetchAll(function (err, data) { | ||
var moreResults, moreResultsError = null; | ||
try { | ||
moreResults = result.moreResultsSync(); | ||
} | ||
catch (e) { | ||
moreResultsError = e; | ||
//force to check for more results | ||
moreResults = true; | ||
} | ||
//close the result before calling back | ||
//if there are not more result sets | ||
if (!moreResults) { | ||
result.closeSync(); | ||
} | ||
cb(err || initialErr, data, moreResults); | ||
initialErr = null; | ||
while (moreResultsError) { | ||
try { | ||
moreResults = result.moreResultsSync(); | ||
cb(moreResultsError, [], moreResults); // No errors left - still need to report the | ||
// last one, though | ||
moreResultsError = null; | ||
} catch (e) { | ||
cb(moreResultsError, [], moreResults); | ||
moreResultsError = e; | ||
} | ||
} | ||
if (moreResults) { | ||
return fetchMore(); | ||
} | ||
else { | ||
return next(); | ||
} | ||
}); | ||
} | ||
} | ||
if (params) { | ||
self.conn.query(sql, params, cbQuery); | ||
} | ||
else { | ||
self.conn.query(sql, cbQuery); | ||
} | ||
}); | ||
}; | ||
Database.prototype.queryResult = function (sql, params, cb) { | ||
var self = this; | ||
if (typeof(params) == 'function') { | ||
cb = params; | ||
params = null; | ||
} | ||
if (!self.connected) { | ||
return cb({ message : "Connection not open."}, null); | ||
} | ||
self.queue.push(function (next) { | ||
//ODBCConnection.query() is the fastest-path querying mechanism. | ||
if (params) { | ||
self.conn.query(sql, params, cbQuery); | ||
} | ||
else { | ||
self.conn.query(sql, cbQuery); | ||
} | ||
function cbQuery (err, result) { | ||
if (err) { | ||
cb(err, null); | ||
return next(); | ||
} | ||
if (self.fetchMode) { | ||
result.fetchMode = self.fetchMode; | ||
} | ||
cb(err, result); | ||
return next(); | ||
} | ||
}); | ||
}; | ||
Database.prototype.queryResultSync = function (sql, params) { | ||
var self = this, result; | ||
if (!self.connected) { | ||
throw ({ message : "Connection not open."}); | ||
} | ||
if (params) { | ||
result = self.conn.querySync(sql, params); | ||
} | ||
else { | ||
result = self.conn.querySync(sql); | ||
} | ||
if (self.fetchMode) { | ||
result.fetchMode = self.fetchMode; | ||
} | ||
return result; | ||
}; | ||
Database.prototype.querySync = function (sql, params) { | ||
var self = this, result; | ||
if (!self.connected) { | ||
throw ({ message : "Connection not open."}); | ||
} | ||
if (params) { | ||
result = self.conn.querySync(sql, params); | ||
} | ||
else { | ||
result = self.conn.querySync(sql); | ||
} | ||
if (self.fetchMode) { | ||
result.fetchMode = self.fetchMode; | ||
} | ||
var data = result.fetchAllSync(); | ||
result.closeSync(); | ||
return data; | ||
}; | ||
Database.prototype.beginTransaction = function (cb) { | ||
var self = this; | ||
self.conn.beginTransaction(cb); | ||
return self; | ||
}; | ||
Database.prototype.endTransaction = function (rollback, cb) { | ||
var self = this; | ||
self.conn.endTransaction(rollback, cb); | ||
return self; | ||
}; | ||
Database.prototype.commitTransaction = function (cb) { | ||
var self = this; | ||
self.conn.endTransaction(false, cb); //don't rollback | ||
return self; | ||
}; | ||
Database.prototype.rollbackTransaction = function (cb) { | ||
var self = this; | ||
self.conn.endTransaction(true, cb); //rollback | ||
return self; | ||
}; | ||
Database.prototype.beginTransactionSync = function () { | ||
var self = this; | ||
self.conn.beginTransactionSync(); | ||
return self; | ||
}; | ||
Database.prototype.endTransactionSync = function (rollback) { | ||
var self = this; | ||
self.conn.endTransactionSync(rollback); | ||
return self; | ||
}; | ||
Database.prototype.commitTransactionSync = function () { | ||
var self = this; | ||
self.conn.endTransactionSync(false); //don't rollback | ||
return self; | ||
}; | ||
Database.prototype.rollbackTransactionSync = function () { | ||
var self = this; | ||
self.conn.endTransactionSync(true); //rollback | ||
return self; | ||
}; | ||
Database.prototype.columns = function(catalog, schema, table, column, callback) { | ||
var self = this; | ||
if (!self.queue) self.queue = []; | ||
callback = callback || arguments[arguments.length - 1]; | ||
self.queue.push(function (next) { | ||
self.conn.columns(catalog, schema, table, column, function (err, result) { | ||
if (err) return callback(err, [], false); | ||
result.fetchAll(function (err, data) { | ||
result.closeSync(); | ||
callback(err, data); | ||
return next(); | ||
}); | ||
}); | ||
}); | ||
}; | ||
Database.prototype.tables = function(catalog, schema, table, type, callback) { | ||
var self = this; | ||
if (!self.queue) self.queue = []; | ||
callback = callback || arguments[arguments.length - 1]; | ||
self.queue.push(function (next) { | ||
self.conn.tables(catalog, schema, table, type, function (err, result) { | ||
if (err) return callback(err, [], false); | ||
result.fetchAll(function (err, data) { | ||
result.closeSync(); | ||
callback(err, data); | ||
return next(); | ||
}); | ||
}); | ||
}); | ||
}; | ||
Database.prototype.describe = function(obj, callback) { | ||
var self = this; | ||
if (typeof(callback) != "function") { | ||
throw({ | ||
error : "[node-odbc] Missing Arguments", | ||
message : "You must specify a callback function in order for the describe method to work." | ||
}); | ||
return false; | ||
} | ||
if (typeof(obj) != "object") { | ||
callback({ | ||
error : "[node-odbc] Missing Arguments", | ||
message : "You must pass an object as argument 0 if you want anything productive to happen in the describe method." | ||
}, []); | ||
return false; | ||
} | ||
if (!obj.database) { | ||
callback({ | ||
error : "[node-odbc] Missing Arguments", | ||
message : "The object you passed did not contain a database property. This is required for the describe method to work." | ||
}, []); | ||
return false; | ||
} | ||
//set some defaults if they weren't passed | ||
obj.schema = obj.schema || "%"; | ||
obj.type = obj.type || "table"; | ||
if (obj.table && obj.column) { | ||
//get the column details | ||
self.columns(obj.database, obj.schema, obj.table, obj.column, callback); | ||
} | ||
else if (obj.table) { | ||
//get the columns in the table | ||
self.columns(obj.database, obj.schema, obj.table, "%", callback); | ||
} | ||
else { | ||
//get the tables in the database | ||
self.tables(obj.database, obj.schema, null, obj.type || "table", callback); | ||
} | ||
}; | ||
Database.prototype.prepare = function (sql, cb) { | ||
var self = this; | ||
self.conn.createStatement(function (err, stmt) { | ||
if (err) return cb(err); | ||
stmt.queue = new SimpleQueue(); | ||
stmt.prepare(sql, function (err) { | ||
if (err) return cb(err); | ||
return cb(null, stmt); | ||
}); | ||
}); | ||
} | ||
Database.prototype.prepareSync = function (sql, cb) { | ||
var self = this; | ||
var stmt = self.conn.createStatementSync(); | ||
stmt.queue = new SimpleQueue(); | ||
stmt.prepareSync(sql); | ||
return stmt; | ||
} | ||
//Proxy all of the asynchronous functions so that they are queued | ||
odbc.ODBCStatement.prototype._execute = odbc.ODBCStatement.prototype.execute; | ||
odbc.ODBCStatement.prototype._executeDirect = odbc.ODBCStatement.prototype.executeDirect; | ||
odbc.ODBCStatement.prototype._executeNonQuery = odbc.ODBCStatement.prototype.executeNonQuery; | ||
odbc.ODBCStatement.prototype._prepare = odbc.ODBCStatement.prototype.prepare; | ||
odbc.ODBCStatement.prototype._bind = odbc.ODBCStatement.prototype.bind; | ||
odbc.ODBCStatement.prototype.execute = function (params, cb) { | ||
var self = this; | ||
self.queue = self.queue || new SimpleQueue(); | ||
if (!cb) { | ||
cb = params; | ||
params = null; | ||
} | ||
self.queue.push(function (next) { | ||
//If params were passed to this function, then bind them and | ||
//then execute. | ||
if (params) { | ||
self._bind(params, function (err) { | ||
if (err) { | ||
return cb(err); | ||
} | ||
self._execute(function (err, result) { | ||
cb(err, result); | ||
return next(); | ||
}); | ||
}); | ||
} | ||
//Otherwise execute and pop the next bind call | ||
else { | ||
self._execute(function (err, result) { | ||
cb(err, result); | ||
//NOTE: We only execute the next queued bind call after | ||
// we have called execute() or executeNonQuery(). This ensures | ||
// that we don't call a bind() a bunch of times without ever | ||
// actually executing that bind. Not | ||
self.bindQueue && self.bindQueue.next(); | ||
return next(); | ||
}); | ||
} | ||
}); | ||
}; | ||
odbc.ODBCStatement.prototype.executeDirect = function (sql, cb) { | ||
var self = this; | ||
self.queue = self.queue || new SimpleQueue(); | ||
self.queue.push(function (next) { | ||
self._executeDirect(sql, function (err, result) { | ||
cb(err, result); | ||
return next(); | ||
}); | ||
}); | ||
}; | ||
odbc.ODBCStatement.prototype.executeNonQuery = function (params, cb) { | ||
var self = this; | ||
self.queue = self.queue || new SimpleQueue(); | ||
if (!cb) { | ||
cb = params; | ||
params = null; | ||
} | ||
self.queue.push(function (next) { | ||
//If params were passed to this function, then bind them and | ||
//then executeNonQuery. | ||
if (params) { | ||
self._bind(params, function (err) { | ||
if (err) { | ||
return cb(err); | ||
} | ||
self._executeNonQuery(function (err, result) { | ||
cb(err, result); | ||
return next(); | ||
}); | ||
}); | ||
} | ||
//Otherwise executeNonQuery and pop the next bind call | ||
else { | ||
self._executeNonQuery(function (err, result) { | ||
cb(err, result); | ||
//NOTE: We only execute the next queued bind call after | ||
// we have called execute() or executeNonQuery(). This ensures | ||
// that we don't call a bind() a bunch of times without ever | ||
// actually executing that bind. Not | ||
self.bindQueue && self.bindQueue.next(); | ||
return next(); | ||
}); | ||
} | ||
}); | ||
}; | ||
odbc.ODBCStatement.prototype.prepare = function (sql, cb) { | ||
var self = this; | ||
self.queue = self.queue || new SimpleQueue(); | ||
self.queue.push(function (next) { | ||
self._prepare(sql, function (err) { | ||
cb(err); | ||
return next(); | ||
}); | ||
}); | ||
}; | ||
odbc.ODBCStatement.prototype.bind = function (ary, cb) { | ||
var self = this; | ||
self.bindQueue = self.bindQueue || new SimpleQueue(); | ||
self.bindQueue.push(function () { | ||
self._bind(ary, function (err) { | ||
cb(err); | ||
//NOTE: we do not call next() here because | ||
//we want to pop the next bind call only | ||
//after the next execute call | ||
}); | ||
}); | ||
}; | ||
//proxy the ODBCResult fetch function so that it is queued | ||
odbc.ODBCResult.prototype._fetch = odbc.ODBCResult.prototype.fetch; | ||
odbc.ODBCResult.prototype.fetch = function (cb) { | ||
var self = this; | ||
self.queue = self.queue || new SimpleQueue(); | ||
self.queue.push(function (next) { | ||
self._fetch(function (err, data) { | ||
if (cb) cb(err, data); | ||
return next(); | ||
}); | ||
}); | ||
}; | ||
module.exports.Pool = Pool; | ||
Pool.count = 0; | ||
function Pool (options) { | ||
var self = this; | ||
self.index = Pool.count++; | ||
self.availablePool = {}; | ||
self.usedPool = {}; | ||
self.odbc = new odbc.ODBC(); | ||
self.options = options || {} | ||
self.options.odbc = self.odbc; | ||
} | ||
Pool.prototype.open = function (connectionString, callback) { | ||
var self = this | ||
, db | ||
; | ||
//check to see if we already have a connection for this connection string | ||
if (self.availablePool[connectionString] && self.availablePool[connectionString].length) { | ||
db = self.availablePool[connectionString].shift() | ||
self.usedPool[connectionString].push(db) | ||
callback(null, db); | ||
} | ||
else { | ||
db = new Database(self.options); | ||
db.realClose = db.close; | ||
db.close = function (cb) { | ||
//call back early, we can do the rest of this stuff after the client thinks | ||
//that the connection is closed. | ||
cb(null); | ||
//close the connection for real | ||
//this will kill any temp tables or anything that might be a security issue. | ||
db.realClose(function () { | ||
//remove this db from the usedPool | ||
self.usedPool[connectionString].splice(self.usedPool[connectionString].indexOf(db), 1); | ||
//re-open the connection using the connection string | ||
db.open(connectionString, function (error) { | ||
if (error) { | ||
console.error(error); | ||
return; | ||
} | ||
//add this clean connection to the connection pool | ||
self.availablePool[connectionString] = self.availablePool[connectionString] || []; | ||
self.availablePool[connectionString].push(db); | ||
exports.debug && console.dir(self); | ||
}); | ||
}); | ||
}; | ||
db.open(connectionString, function (error) { | ||
exports.debug && console.log("odbc.js : pool[%s] : pool.db.open callback()", self.index); | ||
self.usedPool[connectionString] = self.usedPool[connectionString] || []; | ||
self.usedPool[connectionString].push(db); | ||
callback(error, db); | ||
}); | ||
} | ||
}; | ||
Pool.prototype.close = function (callback) { | ||
var self = this | ||
, required = 0 | ||
, received = 0 | ||
, connections | ||
, key | ||
, x | ||
; | ||
exports.debug && console.log("odbc.js : pool[%s] : pool.close()", self.index); | ||
//we set a timeout because a previous db.close() may | ||
//have caused the a behind the scenes db.open() to prepare | ||
//a new connection | ||
setTimeout(function () { | ||
//merge the available pool and the usedPool | ||
var pools = {}; | ||
for (key in self.availablePool) { | ||
pools[key] = (pools[key] || []).concat(self.availablePool[key]); | ||
} | ||
for (key in self.usedPool) { | ||
pools[key] = (pools[key] || []).concat(self.usedPool[key]); | ||
} | ||
exports.debug && console.log("odbc.js : pool[%s] : pool.close() - setTimeout() callback", self.index); | ||
exports.debug && console.dir(pools); | ||
if (Object.keys(pools).length == 0) { | ||
return callback(); | ||
} | ||
for (key in pools) { | ||
connections = pools[key]; | ||
required += connections.length; | ||
exports.debug && console.log("odbc.js : pool[%s] : pool.close() - processing pools %s - connections: %s", self.index, key, connections.length); | ||
for (x = 0 ; x < connections.length; x ++) { | ||
(function (x) { | ||
//call the realClose method to avoid | ||
//automatically re-opening the connection | ||
exports.debug && console.log("odbc.js : pool[%s] : pool.close() - calling realClose() for connection #%s", self.index, x); | ||
connections[x].realClose(function () { | ||
exports.debug && console.log("odbc.js : pool[%s] : pool.close() - realClose() callback for connection #%s", self.index, x); | ||
received += 1; | ||
if (received === required) { | ||
callback(); | ||
//prevent mem leaks | ||
self = null; | ||
connections = null; | ||
required = null; | ||
received = null; | ||
key = null; | ||
return; | ||
} | ||
}); | ||
})(x); | ||
} | ||
} | ||
}, 2000); | ||
}; |
{ | ||
"name": "odbc", | ||
"description": "unixodbc bindings for node", | ||
"version": "1.4.5", | ||
"main": "lib/odbc.js", | ||
"types": "./lib/odbc.d.ts", | ||
"version": "2.0.0-beta.0", | ||
"homepage": "http://github.com/wankdanker/node-odbc/", | ||
"main": "./lib/odbc.js", | ||
"repository": { | ||
@@ -17,2 +16,6 @@ "type": "git", | ||
{ | ||
"name": "Mark Irish", | ||
"email": "mirish@ibm.com" | ||
}, | ||
{ | ||
"name": "Dan VerWeire", | ||
@@ -34,9 +37,15 @@ "email": "dverweire@gmail.com" | ||
"install": "node-gyp configure build", | ||
"test": "cd test && node run-tests.js" | ||
"test": "mocha --slow 5000 --timeout 10000" | ||
}, | ||
"dependencies": { | ||
"bindings": "^1.3.0", | ||
"nan": "^2.10.0" | ||
"dotenv": "^6.2.0", | ||
"node-addon-api": "^1.3.0" | ||
}, | ||
"gypfile": true | ||
"gypfile": true, | ||
"devDependencies": { | ||
"eslint": "^5.13.0", | ||
"eslint-config-airbnb-base": "^13.1.0", | ||
"eslint-plugin-import": "^2.16.0", | ||
"mocha": "^5.2.0" | ||
} | ||
} |
1142
README.md
@@ -1,669 +0,886 @@ | ||
node-odbc | ||
--------- | ||
# node-odbc | ||
An asynchronous/synchronous interface for node.js to unixODBC and its supported | ||
drivers. | ||
`node-odbc` is an ODBC database interface for Node.js. It allows connecting to any database management system if the system has been correctly configured, including installing of unixODBC and unixODBC-devel packages, installing an ODBC driver for your desired database, and configuring your odbc.ini and odbcinst.ini files. By using an ODBC, and it makes remote development a breeze through the use of ODBC data sources, and switching between DBMS systems is as easy as modifying your queries, as all your code can stay the same. | ||
requirements | ||
------------ | ||
--- | ||
* unixODBC binaries and development libraries for module compilation | ||
* on Ubuntu/Debian `sudo apt-get install unixodbc unixodbc-dev` | ||
* on RedHat/CentOS `sudo yum install unixODBC unixODBC-devel` | ||
* on OSX | ||
* using macports.org `sudo port unixODBC` | ||
* using brew `brew install unixODBC` | ||
* on IBM i `yum install unixODBC unixODBC-devel` (requires [yum](http://ibm.biz/ibmi-rpms)) | ||
* odbc drivers for target database | ||
* properly configured odbc.ini and odbcinst.ini. | ||
## Installation | ||
install | ||
------- | ||
Instructions on how to set up your ODBC environment can be found in the SETUP.md. As an overview, three main steps must be done before `node-odbc` can interact with your database: | ||
After insuring that all requirements are installed you may install by one of the | ||
two following options: | ||
* **Install unixODBC and unixODBC-devel:** Compilation of `node-odbc` on your system requires these packages to provide the correct headers. | ||
* **Ubuntu/Debian**: `sudo apt-get install unixodbc unixodbc-dev` | ||
* **RedHat/CentOS**: `sudo yum install unixODBC unixODBC-devel` | ||
* **OSX**: | ||
* **macports.<span></span>org:** `sudo port unixODBC` | ||
* **using brew:** `brew install unixODBC` | ||
* **IBM i:** `yum install unixODBC unixODBC-devel` (requires [yum](http://ibm.biz/ibmi-rpms)) | ||
* **Install ODBC drivers for target database:** Most database management system providers offer ODBC drivers for their product. See the website of your DBMS for more information. | ||
* **odbc.ini and odbcinst.ini**: These files define your DSNs (data source names) and ODBC drivers, respectively. They must be set up for ODBC functions to correctly interact with your database. | ||
### git | ||
When all these steps have been completed, install `node-odbc` into your Node.js project by using: | ||
```bash | ||
git clone git://github.com/wankdanker/node-odbc.git | ||
cd node-odbc | ||
node-gyp configure build | ||
``` | ||
### npm | ||
```bash | ||
npm install odbc | ||
``` | ||
--- | ||
quick example | ||
------------- | ||
## Important Changes in 2.0 | ||
```javascript | ||
var db = require('odbc')() | ||
, cn = process.env.ODBC_CONNECTION_STRING | ||
; | ||
`node-odbc` has recently been upgraded from its initial release. The following list highlights the major improvements and potential code-breaking changes. | ||
db.open(cn, function (err) { | ||
if (err) return console.log(err); | ||
db.query('select * from user where user_id = ?', [42], function (err, data) { | ||
if (err) console.log(err); | ||
console.log(data); | ||
* **Promise support:** All asynchronous functions can now be used with native JavaScript Promises. If a callback function is not passed, the ODBC functions will return a native Promise. If a callback _is_ passed to the ODBC functions, then the old callback behavior will be used. | ||
db.close(function () { | ||
console.log('done'); | ||
}); | ||
}); | ||
}); | ||
``` | ||
* **Performance improvements:** The underlying ODBC function calls have been reworked to greatly improve performance. For ODBC afficianados, `node-odbc` used to retrieved results using SQLGetData, which works for small amounts of data but is slow for large datasets. `node-odbc` now uses SQLBindCol for binding result sets, which for large queries is orders of magnitude faster. | ||
api | ||
* **Rewritten with N-API:** `node-odbc` was completely rewritten using node-addon-api, a C++ wrapper for N-API, which created an engine-agnostic and ABI-stable package. This means that if you upgrade your Node.js version, there is no need to recompile the package, it just works! | ||
* **API Changes:** The API has been changed and simplified. See the documentation below for a list of all the changes. | ||
--- | ||
### Database | ||
## API | ||
The simple api is based on instances of the `Database` class. You may get an | ||
instance in one of the following ways: | ||
* [Connection](#Connection) | ||
* [constructor (new Connection())](#constructor-\(new-connection\(connectionstring\)\)) | ||
* [.query()](#.query\(sql,-parameters?,-callback?\)) | ||
* [.callProcedure()](.callProcedure\(catalog,-schema,-name,-parameters?,-callback?\)) | ||
* [.createStatement()](.createStatement\(callback?\)) | ||
* [.tables()](#.tables\(catalog,-schema,-table,-type,-callback?\)) | ||
* [.columns()](#.columns\(catalog,-schema,-table,-column,-callback?\)) | ||
* [.beginTransaction()](#.beginTransaction\(callback?\)) | ||
* [.commit()](#.commit\(callback?\)) | ||
* [.rollback()](#.rollback\(callback?\)) | ||
* [.close()](#.close\(callback?\)) | ||
* [Pool](#Pool) | ||
* [constructor (new Pool())](#constructor-\(new-pool\(connectionstring\)\)) | ||
* [.init()](#.init\(callback?\)) | ||
* [.connect()](#.connect\(callback?\)) | ||
* [.query()](#.query\(sql,-parameters?,-callback?\)) | ||
* [.close()](#.close\(callback?\)) | ||
* [Statement](#Statement) | ||
* [.prepare()](#.prepare\(sql,-callback?\)) | ||
* [.bind()](#.bind\(parameters,-callback?\)) | ||
* [.execute()](#.execute\(callback?\)) | ||
* [.close()](#.close\(callback?\)) | ||
```javascript | ||
require("odbc").open(connectionString, function (err, db){ | ||
//db is already open now if err is falsy | ||
}); | ||
``` | ||
### **Callbacks _or_ Promises** | ||
or by using the helper function: | ||
Every asynchronous function in the Node.js `node-odbc` package can be called with either a callback Function or a Promise. To use Promises, simply do not pass a callback function (in the API docs below, specified with a `callback?`). This will return a Promise object than can then be used with `.then` or the more modern `async/await` workflow. To use callbacks, simply pass a callback function. For each function explained in the documents below, both Callback and Promise examples are given. | ||
```javascript | ||
var db = require("odbc")(); | ||
``` | ||
_All examples are shown using IBM i Db2 DSNs and queries. Because ODBC is DBMS-agnostic, examples will work as long as the query strings are modified for your particular DBMS._ | ||
or by creating an instance with the constructor function: | ||
### **Result Array** | ||
```javascript | ||
var Database = require("odbc").Database | ||
, db = new Database(); | ||
All functions that return a result set do so in an array, where each row in the result set is an entry in the array. The format of data within the row can either be an array or an object, depending on the configuration option passed to the connection. | ||
The result array also contains several properties: | ||
* `count`: the number of rows affected by the statement or procedure. Returns the result from ODBC function SQLRowCount. | ||
* `columns`: a list of columns in the result set. This is returned in an array. Each column in the array has the following properties: | ||
* `name`: The name of the column | ||
* `dataType`: The data type of the column properties | ||
* `statement`: The statement used to return the result set | ||
* `parameters`: The parameters passed to the statement or procedure. For input/output and output parameters, this value will reflect the value updated from a procedure. | ||
* `return`: The return value from some procedures. For many DBMS, this will always be undefined. | ||
``` | ||
[ { CUSNUM: 938472, | ||
LSTNAM: 'Henning ', | ||
INIT: 'G K', | ||
STREET: '4859 Elm Ave ', | ||
CITY: 'Dallas', | ||
STATE: 'TX', | ||
ZIPCOD: 75217, | ||
CDTLMT: 5000, | ||
CHGCOD: 3, | ||
BALDUE: 37, | ||
CDTDUE: 0 }, | ||
{ CUSNUM: 839283, | ||
LSTNAM: 'Jones ', | ||
INIT: 'B D', | ||
STREET: '21B NW 135 St', | ||
CITY: 'Clay ', | ||
STATE: 'NY', | ||
ZIPCOD: 13041, | ||
CDTLMT: 400, | ||
CHGCOD: 1, | ||
BALDUE: 100, | ||
CDTDUE: 0 }, | ||
statement: 'SELECT * FROM QIWS.QCUSTCDT', | ||
parameters: [], | ||
return: undefined, | ||
count: -1, | ||
columns: [ { name: 'CUSNUM', dataType: 2 }, | ||
{ name: 'LSTNAM', dataType: 1 }, | ||
{ name: 'INIT', dataType: 1 }, | ||
{ name: 'STREET', dataType: 1 }, | ||
{ name: 'CITY', dataType: 1 }, | ||
{ name: 'STATE', dataType: 1 }, | ||
{ name: 'ZIPCOD', dataType: 2 }, | ||
{ name: 'CDTLMT', dataType: 2 }, | ||
{ name: 'CHGCOD', dataType: 2 }, | ||
{ name: 'BALDUE', dataType: 2 }, | ||
{ name: 'CDTDUE', dataType: 2 } ] ] | ||
``` | ||
#### .connected | ||
In this example, two rows are returned, with eleven columns each. The format of these columns is found on the `columns` property, with their names and dataType (which are integers mapped to SQL data types). | ||
Returns a Boolean of whether the database is currently connected. | ||
With this result structure, users can iterate over the result set like any old array (in this case, `results.length` would return 2) while also accessing important information from the SQL call and result set. | ||
```javascript | ||
var db = require("odbc")(); | ||
--- | ||
--- | ||
console.log( "Connected: " + db.connected ); | ||
``` | ||
## **Connection** | ||
#### .open(connectionString, callback) | ||
Connection has the following functions: | ||
Open a connection to a database. | ||
### `constructor (new Connection(connectionString))` | ||
* **connectionString** - The ODBC connection string for your database | ||
* **callback** - `callback (err)` | ||
Create a Connection object, which is opened (synchronously!) | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(connectionString); | ||
``` | ||
db.open(cn, function (err) { | ||
if (err) { | ||
return console.log(err); | ||
} | ||
--- | ||
//we now have an open connection to the database | ||
}); | ||
### `.query(sql, parameters?, callback?)` | ||
Run a query on the database. Can be passed an SQL string with parameter markers `?` and an array of parameters to bind to those markers. | ||
```JavaScript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(connectionString); | ||
connection.query('SELECT * FROM QIWS.QCUSTCDT', (error, result) => { | ||
if (error) { console.error(error) } | ||
console.log(result); | ||
}) | ||
``` | ||
#### .openSync(connectionString) | ||
Synchronously open a connection to a database. | ||
--- | ||
* **connectionString** - The ODBC connection string for your database | ||
### `.callProcedure(catalog, schema, name, parameters?, callback?)` | ||
Calls a database procedure, returning the results in a [result array](#result-array). | ||
#### Parameters: | ||
* **catalog**: The name of the catalog where the procedure exists, or null to use the default catalog | ||
* **schema**: The name of the schema where the procedure exists, or null to use a default schema | ||
* **name**: The name of the procedure in the database | ||
* **{OPTIONAL} parameters**: An array of parameters to pass to the procedure. For input and input/output parameters, the JavaScript value passed in is expected to be of a type translatable to the SQL type the procedure expects. For output parameters, any JavaScript value can be passed in, and will be overwritten by the function. The number of parameters passed in must match the number of parameters expected by the procedure. | ||
* **{OPTIONAL} callback**: The function called when `.callProcedure` has finished execution. If no callback function is given, `.callProcedure` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* result: The result object from execution | ||
#### Examples: | ||
**Promises** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
try { | ||
var result = db.openSync(cn); | ||
// can only use await keywork in an async function | ||
async function callProcedureExample() { | ||
const statement = await connection.createStatement(); | ||
// now have a statement where sql can be prepared, bound, and executed | ||
} | ||
catch (e) { | ||
console.log(e.message); | ||
} | ||
//we now have an open connection to the database | ||
callProcedureExample(); | ||
``` | ||
#### .query(sqlQuery [, bindingParameters], callback) | ||
**Callbacks** | ||
Issue an asynchronous SQL query to the database which is currently open. | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(connectionString); | ||
connection.callProcedure(null, null, 'MY_PROC', [undefined], (error, result) => { | ||
if (error) { console.error(error) } // handle | ||
// result contains an array of results, and has a `parameters` property to access parameters returned by the procedure. | ||
console.log(result); | ||
}) | ||
``` | ||
* **sqlQuery** - The SQL query to be executed. | ||
* **bindingParameters** - _OPTIONAL_ - An array of values that will be bound to | ||
any '?' characters in `sqlQuery`. | ||
* **callback** - `callback (err, rows, moreResultSets)` | ||
--- | ||
### `.createStatement(callback?)` | ||
Returns a [Statement](#Statement) object from the connection. | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.createStatement` has finished execution. If no callback function is given, `.createStatement` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* statement: The newly created Statement object | ||
#### Examples: | ||
**Promises** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
db.open(cn, function (err) { | ||
if (err) { | ||
return console.log(err); | ||
} | ||
// can only use await keywork in an async function | ||
async function statementExample() { | ||
const statement = await connection.createStatement(); | ||
// now have a statement where sql can be prepared, bound, and executed | ||
} | ||
//we now have an open connection to the database | ||
//so lets get some data | ||
db.query("select top 10 * from customers", function (err, rows, moreResultSets) { | ||
if (err) { | ||
return console.log(err); | ||
} | ||
console.log(rows); | ||
statementExample(); | ||
``` | ||
//if moreResultSets is truthy, then this callback function will be called | ||
//again with the next set of rows. | ||
}); | ||
**Callbacks** | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
// returns information about all tables in schema MY_SCHEMA | ||
connection.createStatement((error, statement) => { | ||
if (error) { return; } // handle | ||
// now have a statement where sql can be prepared, bound, and executed | ||
}); | ||
``` | ||
#### .querySync(sqlQuery [, bindingParameters]) | ||
--- | ||
Synchronously issue a SQL query to the database that is currently open. | ||
### `.tables(catalog, schema, table, type, callback?)` | ||
* **sqlQuery** - The SQL query to be executed. | ||
* **bindingParameters** - _OPTIONAL_ - An array of values that will be bound to | ||
any '?' characters in `sqlQuery`. | ||
Returns information about the table specified in the parameters by calling the ODBC function [SQLTables](https://docs.microsoft.com/en-us/sql/odbc/reference/syntax/sqltables-function?view=sql-server-2017). Values passed to parameters will narrow the result set, while `null` will include all results of that level. | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
#### Parameters: | ||
* **catalog**: The name of the catalog, or null if not specified | ||
* **schema**: The name of the schema, or null if not specified | ||
* **table**: The name of the table, or null if not specified | ||
* **type**: The type of table that you want information about, or null if not specified | ||
* **{OPTIONAL} callback**: The function called when `.tables` has finished execution. If no callback function is given, `.tables` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* result: The result object from execution | ||
//blocks until the connection is opened. | ||
db.openSync(cn); | ||
#### Examples: | ||
//blocks until the query is completed and all data has been acquired | ||
var rows = db.querySync("select top 10 * from customers"); | ||
**Promises** | ||
console.log(rows); | ||
``` | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
#### .close(callback) | ||
// can only use await keywork in an async function | ||
async function getTables() { | ||
// returns information about all tables in schema MY_SCHEMA | ||
const result = await connection.tables(null, 'MY_SCHEMA', null, null); | ||
console.log(result); | ||
} | ||
Close the currently opened database. | ||
getTables(); | ||
``` | ||
* **callback** - `callback (err)` | ||
**Callbacks** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
db.open(cn, function (err) { | ||
if (err) { | ||
return console.log(err); | ||
} | ||
//we now have an open connection to the database | ||
db.close(function (err) { | ||
console.log("the database connection is now closed"); | ||
}); | ||
// returns information about all tables in schema MY_SCHEMA | ||
connection.columns(null, "MY_SCHEMA", null, null, (error, result) => { | ||
if (error) { return; } // handle | ||
console.log(result); | ||
}); | ||
``` | ||
#### .closeSync() | ||
--- | ||
Synchronously close the currently opened database. | ||
### `.columns(catalog, schema, table, column, callback?)` | ||
Returns information about the columns specified in the parameters by calling the ODBC function [SQLColumns](https://docs.microsoft.com/en-us/sql/odbc/reference/syntax/sqlcolumns-function?view=sql-server-2017). Values passed to parameters will narrow the result set, while `null` will include all results of that level. | ||
#### Parameters: | ||
* **catalog**: The name of the catalog, or null if not specified | ||
* **schema**: The name of the schema, or null if not specified | ||
* **table**: The name of the table, or null if not specified | ||
* **column**: The name of the column that you want information about, or null if not specified | ||
* **{OPTIONAL} callback**: The function called when `.columns` has finished execution. If no callback function is given, `.columns` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* result: The result object from execution | ||
#### Examples: | ||
**Promises** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
// can only use await keywork in an async function | ||
async function getColumns() { | ||
// returns information about all columns in table MY_SCEHMA.MY_TABLE | ||
const result = await connection.columns(null, 'MY_SCHEMA', 'MY_TABLE', null); | ||
console.log(result); | ||
} | ||
//Blocks until the connection is closed | ||
db.closeSync(); | ||
getColumns(); | ||
``` | ||
#### .prepare(sql, callback) | ||
**Callbacks** | ||
Prepare a statement for execution. | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
* **sql** - SQL string to prepare | ||
* **callback** - `callback (err, stmt)` | ||
// returns information about all columns in table MY_SCEHMA.MY_TABLE | ||
connection.columns(null, "MY_SCHEMA", "MY_TABLE", null, (error, result) => { | ||
if (error) { return; } // handle | ||
console.log(result); | ||
}); | ||
``` | ||
Returns a `Statement` object via the callback | ||
--- | ||
### `.beginTransaction(callback?)` | ||
Begins a transaction on the connection. The transaction can be committed by calling `.commit` or rolled back by calling `.rollback`. **If a connection is closed with an open transaction, it will be rolled back.** Connection isolation level will affect the data that other transactions can view mid transaction. | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.beginTransaction` has finished execution. If no callback function is given, `.beginTransaction` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
#### Examples: | ||
**Promises** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
// can only use await keywork in an async function | ||
async function transaction() { | ||
await connection.beginTransaction(); | ||
// transaction is now open | ||
} | ||
db.prepare("insert into hits (col1, col2) VALUES (?, ?)", function (err, stmt) { | ||
if (err) { | ||
//could not prepare for some reason | ||
console.log(err); | ||
return db.closeSync(); | ||
} | ||
transaction(); | ||
``` | ||
//Bind and Execute the statment asynchronously | ||
stmt.execute(['something', 42], function (err, result) { | ||
result.closeSync(); | ||
**Callbacks** | ||
//Close the connection | ||
db.closeSync(); | ||
}); | ||
}) | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
// returns information about all columns in table MY_SCEHMA.MY_TABLE | ||
connection.beginTransaction((error) => { | ||
if (error) { return; } // handle | ||
// transaction is now open | ||
}); | ||
``` | ||
#### .prepareSync(sql) | ||
--- | ||
Synchronously prepare a statement for execution. | ||
### `.commit(callback?)` | ||
* **sql** - SQL string to prepare | ||
Commits an open transaction. If called on a connection that doesn't have an open transaction, will no-op. | ||
Returns a `Statement` object | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.commit` has finished execution. If no callback function is given, `.commit` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
#### Examples: | ||
**Promises** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
// can only use await keywork in an async function | ||
async function commitTransaction() { | ||
await connection.beginTransaction(); | ||
const insertResult = await connection.query('INSERT INTO MY_TABLE VALUES(1, \'Name\')'); | ||
await connection.commit(); | ||
// INSERT query has now been committed | ||
} | ||
//Blocks while preparing the statement | ||
var stmt = db.prepareSync("insert into hits (col1, col2) VALUES (?, ?)") | ||
commitTransaction(); | ||
``` | ||
//Bind and Execute the statment asynchronously | ||
stmt.execute(['something', 42], function (err, result) { | ||
result.closeSync(); | ||
**Callbacks** | ||
//Close the connection | ||
db.closeSync(); | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
// returns information about all columns in table MY_SCEHMA.MY_TABLE | ||
connection.beginTransaction((error1) => { | ||
if (error1) { return; } // handle | ||
connection.query('INSERT INTO MY_TABLE VALUES(1, \'Name\')', (error2, result) => { | ||
if (error2) { return; } // handle | ||
connection.commit((error3) => { | ||
// INSERT query has now been committed | ||
}) | ||
}) | ||
}); | ||
``` | ||
#### .beginTransaction(callback) | ||
--- | ||
Begin a transaction | ||
* **callback** - `callback (err)` | ||
### `.rollback(callback?)` | ||
#### .beginTransactionSync() | ||
Rolls back an open transaction. If called on a connection that doesn't have an open transaction, will no-op. | ||
Synchronously begin a transaction | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.rollback` has finished execution. If no callback function is given, `.rollback` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
#### .commitTransaction(callback) | ||
#### Examples: | ||
Commit a transaction | ||
**Promises** | ||
* **callback** - `callback (err)` | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
// can only use await keywork in an async function | ||
async function rollbackTransaction() { | ||
await connection.beginTransaction(); | ||
const insertResult = await connection.query('INSERT INTO MY_TABLE VALUES(1, \'Name\')'); | ||
await connection.rollback(); | ||
// INSERT query has now been rolled back | ||
} | ||
rollbackTransaction(); | ||
``` | ||
**Callbacks** | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
// returns information about all columns in table MY_SCEHMA.MY_TABLE | ||
connection.beginTransaction((error1) => { | ||
if (error1) { return; } // handle | ||
connection.query('INSERT INTO MY_TABLE VALUES(1, \'Name\')', (error2, result) => { | ||
if (error2) { return; } // handle | ||
connection.rollback((error3) => { | ||
// INSERT query has now been rolled back | ||
}) | ||
}) | ||
}); | ||
``` | ||
db.beginTransaction(function (err) { | ||
if (err) { | ||
//could not begin a transaction for some reason. | ||
console.log(err); | ||
return db.closeSync(); | ||
} | ||
--- | ||
var result = db.querySync("insert into customer (customerCode) values ('stevedave')"); | ||
### `.close(callback?)` | ||
db.commitTransaction(function (err) { | ||
if (err) { | ||
//error during commit | ||
console.log(err); | ||
return db.closeSync(); | ||
} | ||
Closes and open connection. Any transactions on the connection that have not been committed or rolledback will be rolledback. | ||
console.log(db.querySync("select * from customer where customerCode = 'stevedave'")); | ||
--- | ||
--- | ||
//Close the connection | ||
db.closeSync(); | ||
}); | ||
}) | ||
### **Pool** | ||
### `constructor (new Pool(connectionString))` | ||
Creates a instance of the Pool class, storing information but not opening any connections. | ||
```JavaScript | ||
const { Pool } = require('odbc'); | ||
const pool = new Pool(connectionString); | ||
``` | ||
#### .commitTransactionSync() | ||
**PLEASE NOTE:** The pool will not have any open connections until you call pool.init(); | ||
Synchronously commit a transaction | ||
### `.init(callback?)` | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
Opens all the connections in the Pool asynchronously. Returns once all of the Connections have been opened. | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.init` has finished execution. If no callback function is given, `.init` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
db.beginTransactionSync(); | ||
#### Examples: | ||
var result = db.querySync("insert into customer (customerCode) values ('stevedave')"); | ||
**Promises** | ||
db.commitTransactionSync(); | ||
```javascript | ||
const { Pool } = require('odbc'); | ||
console.log(db.querySync("select * from customer where customerCode = 'stevedave'")); | ||
// can only use await keywork in an async function | ||
async function connectExample() { | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
await pool.init(); | ||
// all Connections in the pool are now opened | ||
} | ||
//Close the connection | ||
db.closeSync(); | ||
connectExample(); | ||
``` | ||
#### .rollbackTransaction(callback) | ||
**Callbacks** | ||
Rollback a transaction | ||
```javascript | ||
const { Pool } = require('odbc'); | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
pool.init((error1) => { | ||
if (error1) { return; } // handle | ||
// all Connections in the pool are now opened | ||
}); | ||
``` | ||
* **callback** - `callback (err)` | ||
### `.connect(callback?)` | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
Returns a [Connection](#connection) object for you to use from the Pool. Doesn't actually open a connection, because they are already open in the pool when `.init` is called. | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.connect` has finished execution. If no callback function is given, `.connect` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* connection: The [Connection](#connection) retrieved from the Pool. | ||
db.beginTransaction(function (err) { | ||
if (err) { | ||
//could not begin a transaction for some reason. | ||
console.log(err); | ||
return db.closeSync(); | ||
} | ||
#### Examples: | ||
var result = db.querySync("insert into customer (customerCode) values ('stevedave')"); | ||
**Promises** | ||
db.rollbackTransaction(function (err) { | ||
if (err) { | ||
//error during rollback | ||
console.log(err); | ||
return db.closeSync(); | ||
} | ||
```javascript | ||
const { Pool } = require('odbc'); | ||
console.log(db.querySync("select * from customer where customerCode = 'stevedave'")); | ||
// can only use await keywork in an async function | ||
async function connectExample() { | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
await pool.init(); | ||
const connection = await pool.connect(); | ||
// now have a Connection to do work with | ||
} | ||
//Close the connection | ||
db.closeSync(); | ||
}); | ||
}) | ||
connectExample(); | ||
``` | ||
#### .rollbackTransactionSync() | ||
**Callbacks** | ||
Synchronously rollback a transaction | ||
```javascript | ||
var db = require("odbc")() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Pool } = require('odbc'); | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
pool.init((error1) => { | ||
if (error1) { return; } // handle | ||
pool.connect((error2, connection) => { | ||
if (error2) { return; } // handle | ||
// now have a Connection to do work with | ||
}); | ||
}); | ||
``` | ||
//Blocks until the connection is open | ||
db.openSync(cn); | ||
--- | ||
db.beginTransactionSync(); | ||
### `.query(sql, parameters?, callback?)` | ||
var result = db.querySync("insert into customer (customerCode) values ('stevedave')"); | ||
Utility function to execute a query on any open connection in the pool. Will get a connection, fire of the query, return the results, and return the connection the the pool. | ||
db.rollbackTransactionSync(); | ||
#### Parameters: | ||
* **sql**: An SQL string that will be executed. Can optionally be given parameter markers (`?`) and also given an array of values to bind to the parameters. | ||
* **{OPTIONAL} parameters**: An array of values to bind to the parameter markers, if there are any. The number of values in this array must match the number of parameter markers in the sql statement. | ||
* **{OPTIONAL} callback**: The function called when `.query` has finished execution. If no callback function is given, `.query` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* result: The [result array](#result-array) returned from the executed statement | ||
console.log(db.querySync("select * from customer where customerCode = 'stevedave'")); | ||
#### Examples: | ||
//Close the connection | ||
db.closeSync(); | ||
**Promises** | ||
```javascript | ||
const { Pool } = require('odbc'); | ||
// can only use await keywork in an async function | ||
async function queryExample() { | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
await pool.init(); | ||
const result = await pool.query('SELECT * FROM MY_TABLE'); | ||
console.log(result); | ||
} | ||
queryExample(); | ||
``` | ||
---------- | ||
**Callbacks** | ||
### Pool | ||
```javascript | ||
const { Pool } = require('odbc'); | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
pool.init((error1) => { | ||
if (error1) { return; } // handle | ||
pool.query('SELECT * FROM MY_TABLE', (error2, result) => { | ||
if (error2) { return; } // handle | ||
console.log(result); | ||
}); | ||
}); | ||
``` | ||
The node-odbc `Pool` is a rudimentary connection pool which will attempt to have | ||
database connections ready and waiting for you when you call the `open` method. | ||
--- | ||
If you use a `Pool` instance, any connection that you close will cause another | ||
connection to be opened for that same connection string. That connection will | ||
be used the next time you call `Pool.open()` for the same connection string. | ||
### `.close(callback?)` | ||
This should probably be changed. | ||
Closes the entire pool of currently unused connections. Will not close connections that are checked-out, but will discard the connections when they are closed with Connection's `.close` function. After calling close, must create a new Pool sprin up new Connections. | ||
#### .open(connectionString, callback) | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.close` has finished execution. If no callback function is given, `.close` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
Get a Database` instance which is already connected to `connectionString` | ||
#### Examples: | ||
* **connectionString** - The ODBC connection string for your database | ||
* **callback** - `callback (err, db)` | ||
**Promises** | ||
```javascript | ||
var Pool = require("odbc").Pool | ||
, pool = new Pool() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Pool } = require('odbc'); | ||
pool.open(cn, function (err, db) { | ||
if (err) { | ||
return console.log(err); | ||
} | ||
// can only use await keywork in an async function | ||
async function closeExample() { | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
await pool.init(); | ||
await pool.close(); | ||
// pool is now closed | ||
} | ||
//db is now an open database connection and can be used like normal | ||
//if we run some queries with db.query(...) and then call db.close(); | ||
//a connection to `cn` will be re-opened silently behind the scense | ||
//and will be ready the next time we do `pool.open(cn)` | ||
closeExample(); | ||
``` | ||
**Callbacks** | ||
```javascript | ||
const { Pool } = require('odbc'); | ||
const pool = new Pool(`${process.env.CONNECTION_STRING}`); | ||
pool.init((error1) => { | ||
if (error1) { return; } // handle | ||
pool.close((error2) => { | ||
if (error2) { return; } // handle | ||
// pool is now closed | ||
}); | ||
}); | ||
``` | ||
#### .close(callback) | ||
--- | ||
--- | ||
Close all connections in the `Pool` instance | ||
## **Statement** | ||
* **callback** - `callback (err)` | ||
A statement object is created from a Connection, and cannot be created _ad hoc_ with a constructor. | ||
Statements allow you to prepare a commonly used statement, then bind parameters to it multiple times, executing in between. | ||
--- | ||
### `.prepare(sql, callback?)` | ||
Prepares an SQL statement, with or without parameters (?) to bind to. | ||
#### Parameters: | ||
* **sql**: An SQL string that is prepared and can be executed with the .`execute` function. | ||
* **{OPTIONAL} callback**: The function called when `.prepare` has finished execution. If no callback function is given, `.prepare` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
#### Examples: | ||
**Promises** | ||
```javascript | ||
var Pool = require("odbc").Pool | ||
, pool = new Pool() | ||
, cn = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname" | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
pool.open(cn, function (err, db) { | ||
if (err) { | ||
return console.log(err); | ||
} | ||
// can only use await keywork in an async function | ||
async function prepareExample() { | ||
const statement = await connection.createStatement(); | ||
await statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)'); | ||
// statement has been prepared, can bind and execute | ||
} | ||
//db is now an open database connection and can be used like normal | ||
//but all we will do now is close the whole pool | ||
pool.close(function () { | ||
console.log("all connections in the pool are closed"); | ||
}); | ||
}); | ||
prepareExample(); | ||
``` | ||
example | ||
------- | ||
**Callbacks** | ||
```javascript | ||
var odbc = require("odbc") | ||
, util = require('util') | ||
, db = new odbc.Database() | ||
; | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
var connectionString = "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname"; | ||
db.open(connectionString, function(err) { | ||
db.query("select * from table", function(err, rows, moreResultSets) { | ||
console.log(util.inspect(rows, null, 10)); | ||
db.close(function() { | ||
console.log("Database connection closed"); | ||
}); | ||
}); | ||
connection.createStatement((error1, statement) => { | ||
if (error1) { return; } // handle | ||
statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)' (error2) => { | ||
if (error2) { return; } // handle | ||
// statement has been prepared, can bind and execute | ||
}); | ||
}); | ||
``` | ||
testing | ||
------- | ||
--- | ||
Tests can be run by executing `npm test` from within the root of the node-odbc | ||
directory. You can also run the tests by executing `node run-tests.js` from | ||
within the `/test` directory. | ||
### `.bind(parameters, callback?)` | ||
By default, the tests are setup to run against a sqlite3 database which is | ||
created at test time. This will require proper installation of the sqlite odbc | ||
driver. On Ubuntu: `sudo apt-get install libsqliteodbc` | ||
Binds an array of values to the parameters on the prepared SQL statement. Cannot be called before `.prepare`. | ||
build options | ||
------------- | ||
#### Parameters: | ||
* **sql**: An array of values to bind to the sql statement previously prepared. All parameters will be input parameters. The number of values passed in the array must match the number of parameters to bind to in the prepared statement. | ||
* **{OPTIONAL} callback**: The function called when `.bind` has finished execution. If no callback function is given, `.bind` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
### Debug | ||
#### Examples: | ||
If you would like to enable debugging messages to be displayed you can add the | ||
flag `DEBUG` to the defines section of the `binding.gyp` file and then execute | ||
`node-gyp rebuild`. | ||
**Promises** | ||
```javascript | ||
<snip> | ||
'defines' : [ | ||
"DEBUG" | ||
], | ||
<snip> | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
// can only use await keywork in an async function | ||
async function bindExample() { | ||
const statement = await connection.createStatement(); | ||
await statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)'); | ||
// Assuming MY_TABLE has INTEGER and VARCHAR fields. | ||
await statement.bind([1, 'Name']); | ||
// statement has been prepared and values bound, can now execute | ||
} | ||
bindExample(); | ||
``` | ||
### Dynodbc | ||
**Callbacks** | ||
You may also enable the ability to load a specific ODBC driver and bypass the | ||
ODBC driver management layer. A performance increase of ~5Kqps was seen using | ||
this method with the libsqlite3odbc driver. To do this, specify the `dynodbc` | ||
flag in the defines section of the `binding.gyp` file. You will also need to | ||
remove any library references in `binding.gyp`. Then execute `node-gyp | ||
rebuild`. | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
```javascript | ||
<snip> | ||
'defines' : [ | ||
"dynodbc" | ||
], | ||
'conditions' : [ | ||
[ 'OS == "linux"', { | ||
'libraries' : [ | ||
//remove this: '-lodbc' | ||
], | ||
<snip> | ||
connection.createStatement((error1, statement) => { | ||
if (error1) { return; } // handle | ||
statement.prepare('INSERT INTO MY_TABLE VALUES(?, ?)' (error2) => { | ||
if (error2) { return; } // handle | ||
// Assuming MY_TABLE has INTEGER and VARCHAR fields. | ||
statement.bind([1, 'Name'], (error3) => { | ||
if (error3) { return; } // handle | ||
// statement has been prepared and values bound, can now execute | ||
}); | ||
}); | ||
}); | ||
``` | ||
### Unicode | ||
--- | ||
By default, UNICODE suppport is enabled. This should provide the most accurate | ||
way to get Unicode strings submitted to your database. For best results, you | ||
may want to put your Unicode string into bound parameters. | ||
### `.execute(callback?)` | ||
However, if you experience issues or you think that submitting UTF8 strings will | ||
work better or faster, you can remove the `UNICODE` define in `binding.gyp` | ||
Executes the prepared and optionally bound SQL statement. | ||
```javascript | ||
<snip> | ||
'defines' : [ | ||
"UNICODE" | ||
], | ||
<snip> | ||
``` | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.execute` has finished execution. If no callback function is given, `.execute` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
* result: The [result array](#result-array) returned from the executed statement | ||
### timegm vs timelocal | ||
#### Examples: | ||
When converting a database time to a C time one may use `timegm` or `timelocal`. See | ||
`man timegm` for the details of these two functions. By default the node-odbc bindings | ||
use `timelocal`. If you would prefer for it to use `timegm` then specify the `TIMEGM` | ||
define in `binding.gyp` | ||
**Promises** | ||
```javascript | ||
<snip> | ||
'defines' : [ | ||
"TIMEGM" | ||
], | ||
<snip> | ||
``` | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
### Strict Column Naming | ||
// can only use await keywork in an async function | ||
async function executeExample() { | ||
const statement = await connection.createStatement(); | ||
await statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)'); | ||
// Assuming MY_TABLE has INTEGER and VARCHAR fields. | ||
await statement.bind([1, 'Name']); | ||
const result = await statement.execute(); | ||
console.log(result); | ||
} | ||
When column names are retrieved from ODBC, you can request by SQL_DESC_NAME or | ||
SQL_DESC_LABEL. SQL_DESC_NAME is the exact column name or none if there is none | ||
defined. SQL_DESC_LABEL is the heading or column name or calculation. | ||
SQL_DESC_LABEL is used by default and seems to work well in most cases. | ||
executeExample(); | ||
``` | ||
If you want to use the exact column name via SQL_DESC_NAME, enable the `STRICT_COLUMN_NAMES` | ||
define in `binding.gyp` | ||
**Callbacks** | ||
```javascript | ||
<snip> | ||
'defines' : [ | ||
"STRICT_COLUMN_NAMES" | ||
], | ||
<snip> | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
connection.createStatement((error1, statement) => { | ||
if (error1) { return; } // handle | ||
statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)' (error2) => { | ||
if (error2) { return; } // handle | ||
// Assuming MY_TABLE has INTEGER and VARCHAR fields. | ||
statement.bind([1, 'Name'], (error3) => { | ||
if (error3) { return; } // handle | ||
statement.execute((error4, result) => { | ||
if (error4) { return; } // handle | ||
console.log(result); | ||
}) | ||
}); | ||
}); | ||
}); | ||
``` | ||
tips | ||
---- | ||
### Using node < v0.10 on Linux | ||
--- | ||
Be aware that through node v0.9 the uv_queue_work function, which is used to | ||
execute the ODBC functions on a separate thread, uses libeio for its thread | ||
pool. This thread pool by default is limited to 4 threads. | ||
### `.close(callback?)` | ||
This means that if you have long running queries spread across multiple | ||
instances of odbc.Database() or using odbc.Pool(), you will only be able to | ||
have 4 concurrent queries. | ||
Closes the Statement, freeing the statement handle. Running functions on the statement after closing will result in an error. | ||
You can increase the thread pool size by using @developmentseed's [node-eio] | ||
(https://github.com/developmentseed/node-eio). | ||
#### Parameters: | ||
* **{OPTIONAL} callback**: The function called when `.close` has finished execution. If no callback function is given, `.close` will return a native JavaScript `Promise`. Callback signature is: | ||
* error: The error that occured in execution, or `null` if no error | ||
#### install: | ||
```bash | ||
npm install eio | ||
``` | ||
#### Examples: | ||
#### usage: | ||
**Promises** | ||
```javascript | ||
var eio = require('eio'); | ||
eio.setMinParallel(threadCount); | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
// can only use await keywork in an async function | ||
async function executeExample() { | ||
const statement = await connection.createStatement(); | ||
await statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)'); | ||
// Assuming MY_TABLE has INTEGER and VARCHAR fields. | ||
await statement.bind([1, 'Name']); | ||
const result = await statement.execute(); | ||
console.log(result); | ||
await statement.close(); | ||
} | ||
executeExample(); | ||
``` | ||
### Using the FreeTDS ODBC driver | ||
**Callbacks** | ||
* If you have column names longer than 30 characters, you should add | ||
"TDS_Version=7.0" to your connection string to retrive the full column name. | ||
* Example : "DRIVER={FreeTDS};SERVER=host;UID=user;PWD=password;DATABASE=dbname;TDS_Version=7.0" | ||
* If you got error "[unixODBC][FreeTDS][SQL Server]Unable to connect to data source" | ||
Try use SERVERNAME instead of SERVER | ||
* Example : "DRIVER={FreeTDS};SERVERNAME=host;UID=user;PWD=password;DATABASE=dbname" | ||
* Be sure that your odbcinst.ini has the proper threading configuration for your | ||
FreeTDS driver. If you choose the incorrect threading model it may cause | ||
the thread pool to be blocked by long running queries. This is what | ||
@wankdanker currently uses on Ubuntu 12.04: | ||
```javascript | ||
const { Connection } = require('odbc'); | ||
const connection = new Connection(`${process.env.CONNECTION_STRING}`); | ||
connection.createStatement((error1, statement) => { | ||
if (error1) { return; } // handle | ||
statement.prepare('INSTERT INTO MY_TABLE VALUES(?, ?)' (error2) => { | ||
if (error2) { return; } // handle | ||
// Assuming MY_TABLE has INTEGER and VARCHAR fields. | ||
statement.bind([1, 'Name'], (error3) => { | ||
if (error3) { return; } // handle | ||
statement.execute((error4, result) => { | ||
if (error4) { return; } // handle | ||
console.log(result); | ||
statement.close((error5) => { | ||
if (error5) { return; } // handle | ||
// statement closed successfully | ||
}) | ||
}) | ||
}); | ||
}); | ||
}); | ||
``` | ||
[FreeTDS] | ||
Description = TDS driver (Sybase/MS SQL) | ||
Driver = libtdsodbc.so | ||
Setup = libtdsS.so | ||
CPTimeout = 120 | ||
CPReuse = | ||
Threading = 0 | ||
``` | ||
contributors | ||
------ | ||
--- | ||
--- | ||
## Future improvements | ||
Development of `node-odbc` is an ongoing endeavor, and there are many planned improvements for the package. If you would like to see something, simply add it to the Issues and we will respond! | ||
## contributors | ||
* Mark Irish (mirish@ibm.com) | ||
* Dan VerWeire (dverweire@gmail.com) | ||
@@ -681,21 +898,10 @@ * Lee Smith (notwink@gmail.com) | ||
Copyright (c) 2013 Dan VerWeire <dverweire@gmail.com> | ||
Copyright (c) 2010 Lee Smith <notwink@gmail.com> | ||
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: | ||
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 ofthe 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 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. | ||
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. |
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
Major refactor
Supply chain riskPackage has recently undergone a major refactor. It may be unstable or indicate significant internal changes. Use caution when updating to versions that include significant changes.
Found 1 instance in 1 package
New author
Supply chain riskA new npm collaborator published a version of the package for the first time. New collaborators are usually benign additions to a project, but do indicate a change to the security surface area of a package.
Found 1 instance in 1 package
Environment variable access
Supply chain riskPackage accesses environment variables, which may be a sign of credential stuffing or data theft.
Found 4 instances in 1 package
No v1
QualityPackage is not semver >=1. This means it is not stable and does not support ^ ranges.
Found 1 instance in 1 package
Network access
Supply chain riskThis module accesses the network.
Found 1 instance in 1 package
Shell access
Supply chain riskThis module accesses the system shell. Accessing the system shell increases the risk of executing arbitrary code.
Found 1 instance in 1 package
Filesystem access
Supply chain riskAccesses the file system, and could potentially read sensitive data.
Found 1 instance in 1 package
906
3
299358
4
43
2646
1
326
+ Addeddotenv@^6.2.0
+ Addednode-addon-api@^1.3.0
+ Addeddotenv@6.2.0(transitive)
+ Addednode-addon-api@1.7.2(transitive)
- Removedbindings@^1.3.0
- Removednan@^2.10.0
- Removedbindings@1.5.0(transitive)
- Removedfile-uri-to-path@1.0.0(transitive)
- Removednan@2.22.1(transitive)