DataFlow JS provides an actor-based programming model that supports in-process message passing for coarse-grained dataflow and pipelining tasks.
Using npm package manager for nodejs module:
npm install --save dataflow-js
ActionBlock class provides a dataflow block that invokes a provided action for every data element posted.
var ActionBlock = require('dataflow-js').ActionBlock;
var addToBasket = new ActionBlock(function(product, price, quantity) {
console.log('Adding product', product);
// ...
});
addToBasket.post('Shoes', 49, 2);
addToBasket.post('Pants', 19, 3);
post()
Posts a data element to this dataflow block.
completion
q promise for all running actions started bypost()
calls.
BatchBlock class provides a dataflow block that batches inputs into arrays.
var BatchBlock = require('dataflow-js').BatchBlock;
var ActionBlock = require('dataflow-js').ActionBlock;
var batchedAddToBasket = new BatchBlock(3);
var addToBasket = new ActionBlock(function(products) {
// products == [ ['Shoes', 49, 2], ['Pants', 19, 3], ['Trousers', 29, 1] ]
});
batchedAddToBasket.linkTo(addToBasket);
batchedAddToBasket.post('Shoes', 49, 2);
batchedAddToBasket.post('Pants', 19, 3);
// No relay to addToBasket post() yet
batchedAddToBasket.post('Trousers', 29, 1);
// Batch size reached, the 3 post() commands are relayed to addToBasket
post()
Posts a data element to this dataflow block.trigger()
Transfer pendingpost()
call to next blocks even if batch size is not reached.linkTo()
Link current block output to another block input.
completion
q promise for all running actions started bypost()
calls.
TransformBlock provides a dataflow block that invokes a provided transformation function for every data element received.
var block = new TransformBlock(function (input) {
return input * 10;
});
block.linkTo(new ActionBlock(function(input) {
console.log(input);
}));
block.post(5);
block.post(1);
block.post(3);
// Output:
// 50
// 10
// 30
post()
Posts a data element to this dataflow block.linkTo()
Link current block output to another block input.
completion
q promise for all running actions started bypost()
calls.
TransformManyBlock provides a dataflow block that invokes a provided transformation function for every data element received. Output linked blocks will receive on their input each element from output enumerable.
var block = new TransformManyBlock(function (input) {
return [input, input * 2, input * 4, input * 8];
});
block.linkTo(new ActionBlock(function(input) {
console.log(input);
}));
block.post(5);
block.post(1);
block.post(3);
// output:
// 5
// 10
// 20
// 40
// 1
// 2
// ...
post()
Posts a data element to this dataflow block.linkTo()
Link current block output to another block input.
completion
q promise for all running actions started bypost()
calls.