![Create React App Officially Deprecated Amid React 19 Compatibility Issues](https://cdn.sanity.io/images/cgdhsj6q/production/04fa08cf844d798abc0e1a6391c129363cc7e2ab-1024x1024.webp?w=400&fit=max&auto=format)
Security News
Create React App Officially Deprecated Amid React 19 Compatibility Issues
Create React App is officially deprecated due to React 19 issues and lack of maintenance—developers should switch to Vite or other modern alternatives.
streamline
Advanced tools
streamline.js
is a language tool to simplify asynchronous Javascript programming.
Instead of writing hairy code like:
function archiveOrders(date, cb) {
db.connect(function(err, conn) {
if (err) return cb(err);
conn.query("select * from orders where date < ?", [date], function(err, orders) {
if (err) return cb(err);
helper.each(orders, function(order, next) {
conn.execute("insert into archivedOrders ...", [order.id, ...], function(err) {
if (err) return cb(err);
conn.execute("delete from orders where id=?", [order.id], function(err) {
if (err) return cb(err);
next();
});
});
}, function() {
console.log("orders have been archived");
cb();
});
});
});
}
you write:
function archiveOrders(date, _) {
var conn = db.connect(_);
conn.query("select * from orders where date < ?", [date], _).forEach_(_, function(_, order) {
conn.execute("insert into archivedOrders ...", [order.id, ...], _);
conn.execute("delete from orders where id=?", [order.id], _);
});
console.log("orders have been archived");
}
and streamline transforms the code and takes care of the callbacks!
No control flow APIs to learn! You just have to follow a simple rule:
Replace all callbacks by an underscore and write your code as if all functions were synchronous.
Streamline is not limited to a subset of Javascript.
You can use all the features of Javascript in your asynchronous code: conditionals,
loops, try/catch/finally
blocks, anonymous functions, chaining, this
, etc.
Streamline also provides futures, and asynchronous variants of the EcmaScript 5 array functions (forEach
, map
, etc.).
NPM, of course:
npm install streamline -g
Warning: you may get errors when installing streamline versions >= 0.10.11 because fibers and galaxy are now installed as optional packages and they are not compatible with all versions of node.js. But these packages are optional and streamline itself should install fine. Just check these dependencies if you plan to use the fibers or generators modes.
The -g
option installs streamline globally.
You can also install it locally, without -g
but then the _node
and _coffee
commands will not be in your default PATH.
Note: If you encounter a permission error when installing on UNIX systems, you should retry with sudo
.
http://coolwanglu.github.io/vim.js/web/vim.html (emscripten + streamline.js + @coolwanglu's magic touch).
# Hello WorldStreamline modules have ._js
or ._coffee
extensions and you run them with the _node
or _coffee
loader.
Javascripters:
$ cat > hello._js
console.log('hello ...');
setTimeout(_, 1000);
console.log('... world');
^D
$ _node hello
Coffeescripters:
$ cat > hello._coffee
console.log 'hello ...'
setTimeout _, 1000
console.log '... world'
^D
$ _coffee hello
You can also create standalone shell utilities:
$ cat > hello._js
#!/usr/bin/env _node
console.log('hello ...');
setTimeout(_, 1000);
console.log('... world');
^D
$ chmod +x hello._js
$ ./hello._js
or:
$ cat > hello._coffee
#!/usr/bin/env _coffee
console.log 'hello ...'
setTimeout _, 1000
console.log '... world'
^D
$ chmod +x hello._coffee
$ ./hello._coffee
# Compiling and writing loaders
You can also set up your code so that it can be run directly with node
or coffee
.
You have two options here:
The first one is to compile your source with _node -c
or _coffee -c
:
$ _node -c .
This command compiles all the *._js
and *._coffee
source files in the current directory and its sub-directories. It generates *.js
files that you can run directly with node
.
The second one is to create your own loader with the register
API. See the loader example for details.
Compiling will give you the fastest startup time because node will directly load the compiled *.js
files but the register
API has a cache
option which comes close and the loader saves you a compilation pass.
You have three options to use streamline in the browser:
_node --standalone -c
. The compiler generates vanilla Javascript code that you can load with <script>
directives in an HTML page. See the eval unit test for an example.transform
API. All the necessary JS code is available as a single lib/transform-all.js
file. See the streamlineMe example.require
that lets you load streamlined modules as well as vanilla Javascript modules in the browser.Streamline gives you the choice between generating regular callback-based asynchronous code, generating code that takes advantage of the fibers library, or generating code for JavaScript generators.
The callback option produces code that does not have any special runtime dependencies.
The fibers option produces simpler code but requires that you install
the fibers library (easy: npm install fibers
).
This option gives superior development experience: line numbers and comments are preserved in the transformed code;
you can step with the debugger through asynchronous calls without having to go through complex callbacks, etc.
The fibers option can be activated by passing the --fibers
option to the _node
command or by setting the fibers
option when registering streamline
(see the streamline.register(options)
function.
The generators option produces code for harmony generators. It uses the galaxy module as runtime. It requires node.js version >= 0.11.4 or an experimental browser (latest Chrome Canary). This options produces code which is similar to what you get with the fibers option, just a bit heavier because of the yield
keywords.
The generators option can be activated by passing the --generators
option to the _node
command or by setting the ganerators
option when registering streamline. If you run it with a loader you have to pass the --harmony
option to node
.
There are also fast variants of the fibers and generators options. See below.
# Interoperability with standard node.js codeYou can call standard node functions from streamline code. For example the fs.readFile
function:
function lineCount(path, _) {
return fs.readFile(path, "utf8", _).split('\n').length;
}
You can also call streamline functions as if they were standard node functions. For example, the lineCount
function defined above can be called as follows from non-streamlined modules:
lineCount("README.md", function(err, result) {
if (err) return console.error("ERROR: " + err.message);
console.log("README has " + result + " lines.");
});
And you can mix streamline functions, classical callback based code and synchrononous functions in the same file.
Streamline only transforms the functions that have the special _
parameter.
Note: this works with all transformation options. Even if you use the fibers option, you can seamlessly call standard callback based node APIs and the asynchronous functions that you create with streamline have the standard node callback signature.
# Interoperability with PromisesStreamline also provides seamless interoperability with Promise libraries, in both directions.
First, you can consume promises from streamline code, by passing two underscores to their then
method:
function myStreamlineFunction(p1, p2, _) {
var result = functionReturningAPromise(p1, p2).then(_, _);
// do something with result
}
Note: if the promise fails the error will be propagated as an exception and you can catch it with try/catch
.
And you can also consume libraries implemented with streamline as if they had been implemented with promises. All you have to do is omit the _
parameter when calling streamlined functions and you will get a promise in return.
function callingStreamlineAsPromise(p1, p2) {
var p = myStreamlineFunction(p1, p2);
p.then(function(result) {
// do something with result
}, function(err) {
// handle error
});
}
Note: you can also pass null
or undefined
as callback. This is useful when _
is not the last parameter.
Promise interoperability is not enabled by default but you can enable it easily:
_node
or _coffee
, just pass the --promise
option.promise
option to true
in your streamline.register(options)
call.Streamline will use the JavaScript built-in Promise
class by default if available (node v11.13 and up). If this built-in class is not available it will try to load the es6-promise
module instead (you should install it with npm install es6-promise
).
Note: the loader also gives you the option to pick a promise library of your choice (but reasonably compliant with ES6 specs). To do this, set the promise
option to the name of your promise library, instead of true
.
Streamline also provides futures. Futures are like promises, without all the bells and whistles. They let you parallelize I/O operations in a very simple manner. They are always bundled with streamline and they have a very simple API.
If you pass !_
instead of _
when calling a streamline function, the function returns a future. The future is just a regular node.js asynchronous function that you can call later to obtain the result. Here is an example:
function countLines(path, _) {
return fs.readFile(path, "utf8", _).split('\n').length;
}
function compareLineCounts(path1, path2, _) {
// parallelize the two countLines operations
var n1 = countLines(path1, !_);
var n2 = countLines(path2, !_);
// get the results and diff them
return n1(_) - n2(_);
}
In this example, countLines
is called twice with !_
. These calls start the fs.readFile
asynchronous operations and return immediately two futures (n1
and n2
). The return
statement retrieves the results with n1(_)
and n2(_)
calls and computes their difference.
Futures are very flexible. In the example above, the results are retrieved from the same function, but you can also pass futures to other functions, store them in objects, call them to get the results from a different module, etc. You can also have several readers on the same future.
See the futures wiki page for details.
The flows module contains utilities to deal with futures. For example flows.collect
to wait on an array of futures and flows.funnel
to limit the number of concurrent operations.
Streamline extends the Array prototype with asynchronous variants of the EcmaScript 5 forEach
, map
, filter
, reduce
, ... functions. These asynchronous variants are postfixed with an underscore and they take an extra _
argument (their callback too), but they are otherwise similar to the standard ES5 functions. Here is an example with the map_
function:
function dirLines(dir, _) {
return fs.readdir(dir, _).map_(_, function(_, file) {
return fs.readFile(dir + '/' + file, 'utf8', _).split('\n').length;
});
}
Parallelizing loops is easy: just pass the number of parallel operations as second argument to the call:
function dirLines(dir, _) {
// process 8 files in parallel
return fs.readdir(dir, _).map_(_, 8, function(_, file) {
return fs.readFile(dir + '/' + file, 'utf8', _).split('\n').length;
});
}
If you don't want to limit the level of parallelism, just pass -1
.
See the documentation of the builtins module for details.
# Exception HandlingStreamline lets you do your exception handling with the usual try/catch
construct. The finally
clause is also fully supported.
Streamline overrides the ex.stack
getter to give you complete comprehensive stacktrace information. In callbacks and generators modes you get two stack traces:
In fibers mode there is a single stack trace.
Note: you must install the companion galaxy-stack package to get async stack traces in generators mode.
Exception handling also works with futures and promises. If a future throws an exception before you try to read its result, the exception is memorized by the future and you get it at the point where your try to read the future's result. For example:
try {
var n1 = countLines(badPath, !_);
var n2 = countLines(goodPath, !_);
setTimeout(_, 1000); // n1 fails, exception is memorized
return n1(_) - n2(_); // exception is thrown by n1(_) expression.
} catch (ex) {
console.error(ex.stack); // exception caught here
}
# Callbacks with multiple results
Some APIs return several results through their callback. For example:
request(options, function(err, response, body) {
// ...
});
You can get all the results by passing [_]
instead of _
:
var results = request(options, [_]);
// will be better with destructuring assignment.
var response = results[0];
var body = results[1];
Note: if you only need the first result you can pass _
:
var response = request(options, _);
# CoffeeScript support
CoffeeScript is fully supported.
You can even use language features which are not available in JavaScript. For example you can specify a default callback (see #218 for full details):
fn = (p1, p2, _ = (e) -> throw e if e) ->
# do something
# Fast mode
Streamline has a fast mode which produces leaner and faster code at the expense of a few more keystrokes and a bit of extra care when writing the code.
This mode only applies to fibers and generators modes. It has no impact in callbacks mode.
For details see the fast mode wiki page
# Stream WrappersStreamline also provides stream wrappers that simplify stream programming. These wrappers used to be included in the streamline npm package but they have now been moved to a separate ez-streams package.
# Debugging with source mapsYou can seamlessly debug streamline code thanks to JavaScript source maps. See this video for a quick demo.
To activate this feature, pass the --source-map
options to _node
or _coffee
, or set the sourcemap
option if you register via a loader.
Streamline code can be instrumented to produce flame graphs.
Two cool things about these flame graphs:
See streamline-flamegraph for details.
# ExamplesThe tutorial shows streamline.js in action on a simple search aggregator application.
The diskUsage examples show an asynchronous directory traversal that computes disk usage.
# Online demoYou can see how streamline transforms the code by playing with the online demo.
# TroubleshootingIf you don't find your answer in the FAQ, post to the mailing list, or file an issue in GitHub's issue tracking.
# Related PackagesThe following package contains a complete yet simple streaming API for streamline.js:
The following packages contain API wrappers for streamline.js:
fs
module. It fixes the fs.exists
call and it wraps the entire API for streamline's fast mode.ez-steams
module (see above). If you want a rich streaming APIs you should use ez-streams
instead.There are also some helper packages for express:
The following packages use streamline.js:
The tutorial and FAQ are must-reads for starters.
The API is documented here.
For support and discussion, please join the streamline.js mailing list.
# CreditsSpecial thanks to Marcel Laverdet who contributed the fibers implementation and to Geoffry Song who contributed sourcemap support.
# LicenseFAQs
Asynchronous Javascript for dummies
We found that streamline demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Create React App is officially deprecated due to React 19 issues and lack of maintenance—developers should switch to Vite or other modern alternatives.
Security News
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Security News
The Linux Foundation is warning open source developers that compliance with global sanctions is mandatory, highlighting legal risks and restrictions on contributions.