Asynchronous operations
Asynchronous operations
Asynchronous operations are common in the Aerospike Node.js client. The client supports two methods of handling asynchronous data: promises and callbacks. Modern Node.js projects use promises due to their superior readability and simplicity. It is recommended that developers use promises and leverage async/ await patterns to handle asynchronous Aerospike operations rather than callbacks. Callbacks are supported primarily for legacy reasons.
To showcase all asynchronous programming options, we will implement a trivial demo program that writes a new record to an Aerospike database, then reads that record back, and finally deletes the record. Potential errors must be handled correctly in each of these steps. We also need to take care to close the client connection at the end of the program because if the connection is left open this prevents the Node.js event loop from closing down.
async/await
In our first version of the demo program, we make use of the await
operator and async
functions introduced in Node.js v8. To quote
MDN
again, “the purpose of async/await functions is to simplify the behavior of
using Promises synchronously and to perform some behavior on a group of
Promises. Just as Promises are similar to structured callbacks, async/await is
similar to combining generators and promises.”
Using the new await
operator, our Promises-based demo can be simplified
further:
const Aerospike = await import("aerospike");
// Set hosts to your server's address and portconst config = { hosts: "YOUR_HOST_ADDRESS:YOUR_PORT" };
// Establishes a connection to the serverconst client = await Aerospike.connect(config);
// Create a key with the namespace "test", set "demo", and user key 'example'const key = new Aerospike.Key("test", "demo", "example");
// Create the record binsconst bins = { name: "Norma", age: 31,};
// Write a record to the serverawait client.put(key, bins);
// Update a record from the serverbins.retired = false;await client.put(key, bins);
// Read a record from the serverconst record = await client.get(key);console.info("Record:", record);
// Remove a record from the serverawait client.remove(key);
// Close the client connectionawait client.close();
The await
expression causes async
function execution to pause, wait for
the Promise to resolve, and resume the async
function execution when the
value is resolved. It then returns the resolved value.
-
If the value is not a Promise, it’s converted to a resolved Promise.
-
If the Promise is rejected, the
await
expression throws the rejected value.
Because we can use regular try...catch...finally
statements to handle
synchronous as well as asynchronous errors when using await
, we can ensure
that the client connection is closed regardless of whether the database
operations succeeded or failed.
Promises
The Mozilla Developer Network (MDN) describes Promises as follows: “A Promise is an object representing the eventual completion or failure of an asynchronous operation. […] Essentially, a promise is a returned object to which you attach callbacks, instead of passing callbacks into a function.” More information about the usage of Promises can be found in this excellent guide on the MDN web site.
To use Promises with the Aerospike Node.js client, you simply omit the callback parameter when calling any of the client’s asynchronous database operations. If no callback function is passed, the client will return a Promise instead.
In the case of a successful completion of the database operation, the Promise
resolves to the same result value passed to the Node.js-style callback. In
the case of a failure, the Promise resolves to an AerospikeError
instance
instead.
Let’s see how our simple demo looks like when using Promises instead of Node.js-style callback functions:
const Aerospike = require("aerospike");
Aerospike.connect() .then((client) => { const key = new Aerospike.Key("test", "test", "abcd"); const bins = { name: "Norma", age: 31, };
return client .put(key, bins) .then(() => client.get(key)) .then((record) => console.info("Record:", record)) .then(() => client.remove(key)) .then(() => client.close()) .catch((error) => { client.close(); throw error; }); }) .catch((error) => { console.error("Error:", error); process.exit(1); });
You can see that the demo makes heavy use of “promise chaining” to execute two or more asynchronous operations back to back, where each subsequent operation starts when the previous operation succeeds, with the result from the previous step. This simplifies error handling, as we only need to handle errors once at the end of the chain.
Note that we still need to close the client connection regardless of whether the operations succeed or fail.
Callbacks
For legacy projects, traditional Node.js style callbacks may be used to handle
asynchronous database operations. All client commands accept a callback
function as the last function parameter.
This callback function is called once the database
operation has completed. The exact method signature for the callback varies
from command to command, but all callback functions take an error
value as
their first argument. The error
value is either null
, if the operation
was successful, or else it is an instance of the AerospikeError
class.
As a second parameter, some callbacks receive a single result value. E.g.
the callback for the client’s get
command returns the Record
object that it
reads from the database. Other operations such as the truncate
command do not
return a result value. In any case, the result value is undefined
if the
operation fails, i.e. if the callback is called with an AerospikeError
.
Here is our simple demo that writes, reads and finally deletes a single record from the database:
const Aerospike = require("aerospike");
function abort(error, client) { console.error("Error:", error); if (client) client.close(); process.exit(1);}
Aerospike.connect(function (error, client) { if (error) abort(error, client);
const key = new Aerospike.Key("test", "test", "abcd"); const bins = { name: "Norma", age: 31, };
client.put(key, bins, function (error) { if (error) abort(error, client); client.get(key, function (error, record) { if (error) abort(error, client); console.info("Record:", record); client.remove(key, function (error) { if (error) abort(error, client); client.close(); }); }); });});
Notice how we need to check for errors in every single callback function. If
none of the database operations fails, we need to close the client
connection in the last callback that is being executed, i.e. after the remove
operation is successfully completed. In case of an error we also need to close
the connection before terminating the program.
Managing Aerospike connections using the Cluster module
The core Node.js library contains the Cluster module: a simple yet powerful interface designed to launch a cluster of Node.js processes. This module allows a Node.js application to take advantage of multi-core systems to handle more load than a single Node.js instance running in a single thread.