![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.
The modular, KISS, functional reactive programming library for JavaScript.
Functional reactive programming is a powerful programming paradigm for expressing values that change over time. But existing libraries for JavaScript are huge, complex, have a high learning curve and aren't functional enough.
Flyd is simple and expressive. It has a minimal but powerful core on top of which new abstractions can be built modularly.
For other examples check the source code of the modules.
This is not general tutorial to functional reactive programming. For that take a look at The introduction to Reactive Programming you've been missing and/or this Elm tutorial if you are comfortable with reading Haskell-like code.
This tutorial will introduce you to the core of Flyd and show how to use it to build FRP abstractions.
Flyd gives you streams as the building block for creating reactive dataflows.
The function stream
creates a representation of a value that changes over time.
A stream is a function. At first sight it works a bit like a getter-setter:
// Create a stream with initial value 5.
var number = flyd.stream(5);
// Get the current value of the stream.
console.log(number()); // logs 5
// Update the value of the stream.
console.log(number(7)); // logs 7
// The stream now returns the new value.
console.log(number()); // logs 7
Top level streams, that is streams without dependencies, should typically depend on the external world, like user input or fetched data.
Since streams are just functions you can easily plug them in whenever a function is expected.
var clicks = flyd.stream();
document.getElementById('button').addEventListener('click', clicks);
var messages = flyd.stream();
webSocket.onmessage = messages;
Clicks events will now flow down the clicks
stream and WebSockets messages
down the messages
stream.
Streams can depend on other streams. Instead of calling stream
with a value
as in the above examples we can pass it a list of dependencies and a function.
The function should produce a value based on its dependencies. This new value
results in a new stream.
Flyd automatically updates the stream whenever a dependency changes. This
means that the sum
function below will be called whenever x
and y
changes. You can think of dependent stream as streams that automatically
listens/subscribes to their dependencies.
// Create two streams of numbers
var x = flyd.stream(4);
var y = flyd.stream(6);
// Create a stream that depends on the two previous streams
// and with its value given by the two added together.
var sum = flyd.stream([x, y], function() {
return x() + y();
});
// `sum` is automatically recalculated whenever the streams it depends on changes.
x(12);
console.log(sum()); // logs 18
y(8);
console.log(sum()); // logs 20
Naturally, a stream with dependencies can depend on other streams with dependencies.
// Create two streams of numbers
var x = flyd.stream(4);
var y = flyd.stream(6);
var squareX = flyd.stream([x], function() {
return x() * x();
});
var squareXPlusY = flyd.stream([y, squareX], function() {
return y() + squareX();
});
console.log(squareXPlusY()); // logs 22
x(2);
console.log(squareXPlusY()); // logs 10
The body of a dependent stream is called with two streams: itself and the last changed stream on which it depends.
// Create two streams of numbers
var x = flyd.stream(1);
var y = flyd.stream(2);
var sum = flyd.stream([x, y], function(sum, changed) {
// The stream can read from itself
console.log('Last sum was ' + sum());
if (changed) { // On the initial call no stream has changed
var changedName = (changed === y ? 'y' : 'x');
console.log(changedName + ' changed to ' + changed());
}
return x() + y();
});
Instead of returning a value a stream can update itself by calling itself. This is handy when working with APIs that takes callbacks.
var urls = flyd.stream('/something.json');
var responses = flyd.stream([urls], function(resp) {
makeRequest(urls(), resp);
});
flyd.stream([responses], function() {
console.log('Received response!');
console.log(responses());
});
Note that the stream that logs the responses from the server should only be called
after an actual response has been recieved (otherwise responses()
whould return
undefined
). Fortunately a streams body will not be called before all of its declared
streams has recieved a value.
Flyd has inbuilt support for promises. Similairly to how a promise can never be resolved with a promise, a promise can never flow down a stream. Instead the fulfilled value of the promise will be sent down the stream.
var urls = flyd.stream('/something.json');
var responses = flyd.stream(function() {
return requestPromise(urls());
});
flyd.stream([responses], function() {
console.log('Recieved response!');
console.log(responses());
});
You've now seen the basic building block which Flyd provides. Let's see what we
can do with it. Lets write a function that takes a stream and a function and
returns a new stream with the function applied to every value emitted by the
stream. In short, a map
function.
var mapStream = function(f, s) {
return flyd.stream([s], function() {
return f(s());
});
};
We simply create a new stream dependent on the first stream. We declare the stream as a dependency so that our stream won't return values before the original stream produces its first value.
Flyd includes a similar map function as part of its core.
Lets try something else: a scan function for accumulating a stream! It could look like this:
var scanStream = function(f, acc, s) {
return flyd.stream([s], function() {
acc = f(acc, s());
return acc;
});
};
Our scan function takes a accumulator function, in initial value and a stream. Every time the original stream emit a value we pass it to the accumulator along with the accumulated value.
Flyd includes a scan function as part of its core.
You're done! To learn more check out the API, the examples and the source of the modules.
Creates a new stream.
Signature
dependencies
(array) – The streams on which this stream depends.body
(function) – The function body of the stream.doesNotRequireDeps
] (boolean) – If true
the function body can be
invoked even before all dependencies have a value.Returns
The created stream.
###flyd.map(fn, s)
Returns a new stream consisting of every value from s
passed through fn
. I.e. map
creates
a new stream that listens to s
and applies fn
to every new value.
Signature
(a -> result) -> Stream a -> Stream result
Example
var numbers = flyd.stream(0);
var squaredNumbers = flyd.map(function(n) { return n*n; }, numbers);
###flyd.scan(fn, acc, stream)
Creates a new stream with the results of calling the function on every incoming stream with and accumulator and the incoming value.
Signature
(a -> b -> a) -> a -> Stream b -> Stream a
Example
var numbers = flyd.stream();
var sum = flyd.scan(function(sum, n) { return sum+n; }, 0, numbers);
numbers(2)(3)(5);
sum(); // 10
###flyd.merge(stream1, stream2)
Creates a new stream down which all values from both stream1
and stream2
will be sent.
Signature
Stream a -> Stream a - Stream a
Example
var btn1Clicks = flyd.stream();
button1Elm.addEventListener(clicks);
var btn2Clicks = flyd.stream();
button2Elm.addEventListener(clicks);
var allClicks = flyd.merge(btn1Clicks, btn2Clicks);
Creates a new stream resulting from applying transducer
to stream
.
Signature
Transducer -> Stream a -> Stream b
Example
var t = require('transducers.js');
var results = [];
var s1 = flyd.stream();
var tx = t.compose(
t.map(function(x) { return x * 2; }),
t.dedupe()
);
var s2 = flyd.transduce(tx, s1);
flyd.stream([s2], function() { results.push(s2()); });
s1(1)(1)(2)(3)(3)(3)(4);
results; // [2, 4, 6, 8]
###flyd.destroy(stream)
If the stream has no dependencies this will detach it from any streams it depends on. This makes it available for garbage collection if there are no additional references to it.
Signature
Stream -> undefined
Example
var s = flyd.map(function() { /* something */ }, someStream);
flyd.destroy(s);
s = undefined;
// `s` can be garbage collected
###flyd.curryN(n, fn)
Returns fn
curried to n
. Use this function to curry functions exposed by
modules for Flyd.
Signature
Integer -> (* -> a) -> (* -> a)
Example
function add(x, y) { return x + y; };
flyd.curryN(2, add);
var add
###flyd.isStream(stream)
Returns true
if the supplied argument is a Flyd stream and false
otherwise.
Signature
* -> Boolean
Example
var s = flyd.stream(1);
var n = 1;
flyd.isStream(s); //=> true
flyd.isStream(n); //=> false
###stream()
Returns the last value of the stream.
Signature
a
Example
var names = flyd.stream('Turing');
names(); // 'Turing'
###stream(val)
Pushes a value down the stream.
Signature
a -> Stream a
Example
names('Bohr');
names(); // 'Bohr'
###stream.map(f)
Returns a new stream identical to the original except every
value will be passed through f
.
Note: This function is included in order to support the fantasy land specification.
Signature
Called bound to Stream a
: (a -> b) -> Stream b
Example
var numbers = flyd.stream(0);
var squaredNumbers = numbers.map(function(n) { return n*n; });
###stream1.ap(stream2)
stream1
must be a stream of functions.
Returns a new stream which is the result of applying the
functions from stream1
to the values in stream2
.
Note: This function is included in order to support the fantasy land specification.
Signature
Called bound to Stream (a -> b)
: a -> Stream b
Example
var add = flyd.curryN(2, function(x, y) { return x + y; });
var numbers1 = flyd.stream();
var numbers2 = flyd.stream();
var addToNumbers1 = flyd.map(add, numbers1);
var added = addToNumbers1.ap(numbers2);
###stream.of(value)
Returns a new stream with value
as its initial value. It is identical to
calling flyd.stream
with one argument.
Signature
Called bound to Stream (a)
: b -> Stream b
Example
var n = flyd.stream(1);
var m = n.of(1);
If you're created a module for Flyd open an issue or send a pull request and it will be added to this list.
Consider code like the following
var a = flyd.stream(1);
var b = flyd.stream([a], function() { return a() * 2; });
var c = flyd.stream([a], function() { return a() + 4; });
var d = flyd.stream([b, c], function(self, ch) {
result.push(b() + c());
});
Now, when a value flows down a
, both b
and c
will change because they
depend on a
. If you merely consider streams as being events you'd expect d
to be updated twice. Because a
triggers b
triggers d
after which a
also
twiggers c
which again triggers d
. But Flyd will handle this better.
Since only one value entered the system d
will only be updated once with the
changed values of b
and c
. This avoids superfluous updates of your streams.
Flyd should work in all JavaScript environments. Some of its modules may however assume ECMAScript 4.
FAQs
The less is more, modular, functional reactive programming library
The npm package flyd receives a total of 681 weekly downloads. As such, flyd popularity was classified as not popular.
We found that flyd 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.