The software requirements for running the examples found in the next few sections are as follows:
A working Node.js installation
Working installations of the
ndb
andmysql-js
adaptersThe
mysql-js
adapter also requires a working installation of thenode-mysql
driver from https://github.com/felixge/node-mysql/.
Section 5.2, “Installing the JavaScript Connector”, describes the installation process for all three of these requirements.
Sample database, table, and data.
All of the examples use a sample table named
tweet
, in the test
database. This table is defined as in the following
CREATE TABLE
statement:
CREATE TABLE IF NOT EXISTS tweet (
id CHAR(36) NOT NULL PRIMARY KEY,
author VARCHAR(20),
message VARCHAR(140),
date_created TIMESTAMP,
KEY idx_btree_date_created (date_created),
KEY idx_btree_author(author)
)
ENGINE=NDB;
The tweet
table can be created by running the
included SQL script create.sql
in the
mysql client. You can do this by invoking
mysql in your system shell, as shown here:
$> mysql < create.sql
All of the examples also make use of two modules defined in the
file lib.js
, whose contents are reproduced
here:
# FILE: lib.js
"use strict";
var udebug = unified_debug.getLogger("samples/lib.js");
var exec = require("child_process").exec;
var SQL = {};
/* Pseudo random UUID generator */
var randomUUID = function() {
return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function(c) {
var r = Math.random()*16|0, v = c == 'x' ? r : (r&0x3|0x8);
return v.toString(16);
});
};
/* Tweet domain object model */
var Tweet = function(author, message) {
this.id = randomUUID();
this.date_created = new Date();
this.author = author;
this.message = message;
};
/* SQL DDL Utilities */
var runSQL = function(sqlPath, source, callback) {
function childProcess(error, stdout, stderr) {
udebug.log('harness runSQL process completed.');
udebug.log(source + ' stdout: ' + stdout);
udebug.log(source + ' stderr: ' + stderr);
if (error !== null) {
console.log(source + 'exec error: ' + error);
} else {
udebug.log(source + ' exec OK');
}
if(callback) {
callback(error);
}
}
var p = mysql_conn_properties;
var cmd = 'mysql';
if(p) {
if(p.mysql_socket) { cmd += " --socket=" + p.mysql_socket; }
else if(p.mysql_port) { cmd += " --port=" + p.mysql_port; }
if(p.mysql_host) { cmd += " -h " + p.mysql_host; }
if(p.mysql_user) { cmd += " -u " + p.mysql_user; }
if(p.mysql_password) { cmd += " --password=" + p.mysql_password; }
}
cmd += ' <' + sqlPath;
udebug.log('harness runSQL forking process...');
var child = exec(cmd, childProcess);
};
SQL.create = function(suite, callback) {
var sqlPath = path.join(suite.path, 'create.sql');
udebug.log_detail("createSQL path: " + sqlPath);
runSQL(sqlPath, 'createSQL', callback);
};
SQL.drop = function(suite, callback) {
var sqlPath = path.join(suite.path, 'drop.sql');
udebug.log_detail("dropSQL path: " + sqlPath);
runSQL(sqlPath, 'dropSQL', callback);
};
/* Exports from this module */
exports.SQL = SQL;
exports.Tweet = Tweet;
Finally, a module used for random data generation is included in
the file ndb_loader/lib/RandomData.js
,
shown here:
# FILE: RandomData.js
var assert = require("assert");
function RandomIntGenerator(min, max) {
assert(max > min);
var range = max - min;
this.next = function() {
var x = Math.floor(Math.random() * range);
return min + x;
};
}
function SequentialIntGenerator(startSeq) {
var seq = startSeq - 1;
this.next = function() {
seq += 1;
return seq;
};
}
function RandomFloatGenerator(min, max, prec, scale) {
assert(max > min);
this.next = function() {
var x = Math.random();
/* fixme! */
return 100 * x;
};
}
function RandomCharacterGenerator() {
var intGenerator = new RandomIntGenerator(32, 126);
this.next = function() {
return String.fromCharCode(intGenerator.next());
};
}
function RandomVarcharGenerator(length) {
var lengthGenerator = new RandomIntGenerator(0, length),
characterGenerator = new RandomCharacterGenerator();
this.next = function() {
var i = 0,
str = "",
len = lengthGenerator.next();
for(; i < len ; i++) str += characterGenerator.next();
return str;
}
}
function RandomCharGenerator(length) {
var characterGenerator = new RandomCharacterGenerator();
this.next = function() {
var i = 0,
str = "";
for(; i < length ; i++) str += characterGenerator.next();
return str;
};
}
function RandomDateGenerator() {
var generator = new RandomIntGenerator(0, Date.now());
this.next = function() {
return new Date(generator.next());
};
}
function RandomGeneratorForColumn(column) {
var g = {},
min, max, bits;
switch(column.columnType.toLocaleUpperCase()) {
case "TINYINT":
case "SMALLINT":
case "MEDIUMINT":
case "INT":
case "BIGINT":
if(column.isInPrimaryKey) {
g = new SequentialIntGenerator(0);
}
else {
bits = column.intSize * 8;
max = column.isUnsigned ? Math.pow(2,bits)-1 : Math.pow(2, bits-1);
min = column.isUnsigned ? 0 : 1 - max;
g = new RandomIntGenerator(min, max);
}
break;
case "FLOAT":
case "DOUBLE":
case "DECIMAL":
g = new RandomFloatGenerator(0, 100000); // fixme
break;
case "CHAR":
g = new RandomCharGenerator(column.length);
break;
case "VARCHAR":
g = new RandomVarcharGenerator(column.length);
break;
case "TIMESTAMP":
g = new RandomIntGenerator(0, Math.pow(2,32)-1);
break;
case "YEAR":
g = new RandomIntGenerator(1900, 2155);
break;
case "DATE":
case "TIME":
case "DATETIME":
g = new RandomDateGenerator();
break;
case "BLOB":
case "TEXT":
case "BIT":
case "BINARY":
case "VARBINARY":
default:
throw("UNSUPPORTED COLUMN TYPE " + column.columnType);
break;
}
return g;
}
function RandomRowGenerator(table) {
var i = 0,
generators = [];
for(; i < table.columns.length ; i++) {
generators[i] = RandomGeneratorForColumn(table.columns[i]);
}
this.newRow = function() {
var n, col, row = {};
for(n = 0; n < table.columns.length ; n++) {
col = table.columns[n];
row[col.name] = generators[n].next();
}
return row;
};
}
exports.RandomRowGenerator = RandomRowGenerator;
exports.RandomGeneratorForColumn = RandomGeneratorForColumn;