A reactive state engine for TypeScript with fields, events, objects, arrays, computed values, effects, batching, path subscriptions, async support, cancellation, and built-in undo/redo history.
Get Started | Other Libraries | Telegram | Contacts
❓ Why ReactiveTS?
🔹 Lightweight Library with zero dependencies;
🔹 Powerful Reactive state engine written in Typescript;
🔹 History and Transactions support;
🔹 Production ready with benchmarks;
ReactiveTS combines:
- Reactive fields (signals);
- Reactive objects & arrays (Proxy-based);
- Computed values with automatic dependency tracking;
useEffect-like side effects;- Path-level subscriptions with wildcard support (
user.name,items.*.id); - Batching & transactions;
- Undo/Redo history (including grouped transactions);
- Async listeners with cancellation;
- Adapters:
toPromise,fromEvent,fromObservable; - WeakMap proxy cache for stable nested references;
- Transaction middleware and profiler;
- Snapshot API for capture/restore;
- Sync helpers for one-way and two-way field synchronization;
- Lens and Atom primitives;
- Inspect Dependencies API for computed values;
- Worker bridge and DevTools event bus;
- Installation
- Core Concepts
- ReactiveField
- ReactiveEvent
- ReactiveObject
- ReactiveArray
- Computed
- Selectors
- Effect
- Batching
- History & Transactions
- Path Subscriptions
- Async & Cancellation
- Views (
useFiltered,useMapped,useSorted) - Adapters (
toPromise,fromEvent,fromObservable) - Transaction Middleware & Profiler
- Snapshot API
- Sync API
- Lens and Atom
- Inspect Dependencies
- Worker Bridge
- DevTools
- Reactive Watcher (auto-unsubscribe)
- Performance Notes
- Comparison Philosophy
- License
To install the library, you can use NPM:
npm install @neurosell/reactivetsOr from CDN:
<script src="https://cdn.jsdelivr.net/npm/@neurosell/reactivets@0.9.5/browser/reactivets.global.js"></script>
<script type="text/javascript">
// Will be connected as Global
const { ReactiveField } = window.ReactiveTS;
</script>Manual GitHub Installation for developers:
git clone https://github.com/Neurosell/ReactiveTS.git
cd ./ReactiveTS/
npm install
npm run buildReactiveTS Library is built around:
- State-first reactivity;
- Automatic dependency tracking;
- Microtask batching;
- Deterministic undo/redo with transactions support;
- Minimal boilerplate;
You work with state naturally:
state.value.user.name = "Elijah";And everything reacts. Simple.
ReactiveField is a reactive primitive (similar to a signal).
By default, ReactiveTS coalesces (merges) reactions into a single microtask. The restart of effects and reactive fields is scheduled once and will be executed at the end of the tick, so it only sees the last value. This is due to the batching system for optimization, so you should take this into account in your work.
Basic Usage:
// Import
import { ReactiveField } from "@neurosell/reactivets";
// Create Reactive Field
const count = new ReactiveField(0);
count.addListener((v) => {
console.log("count:", v);
});
count.value = 1;Batching and Unsubscribe:
// Let's Create our Reactive Field
const count = new ReactiveField(0);
// Listener Returns Unsubscribe Method
const unsub = count.addListener((v) => {
console.log("count:", v);
});
count.value = 1;
await new Promise(resolve => {}) // If you don't wait before unsubscribe in single tick - batching does't run reactive listener
unsub();Reactive events are generally similar in concept to reactive fields, but typically do not contain a current value (such as fields or objects), except when you use history.
Let's look at basic usage:
// Import Events Class
import { ReactiveEvent } from "@neurosell/reactivets";
// Create Event
const event = new ReactiveEvent<string>();
// Add Listener
event.addListener((msg, ctx) => {
console.log(msg);
});
// Invoke Event
event.invoke("hello");You can also use async event listeners:
event.addListener(async (msg, ctx) => {
await new Promise(r => setTimeout(r, 100));
if (ctx.signal.aborted) return;
console.log(msg);
});Reactive Events Supports:
- batched listeners;
- AbortSignal cancellation;
invokeAsync()for async events;
Reactive objects are similar to fields, but they can contain any objects. This is useful when you need to track changes, for example, in user data. Reactive objects work through Proxy, can also use Patch Tracking, and support change history (stream).
Let's look at basic usage:
import { ReactiveObject } from "@neurosell/reactivets";
// Create our Object
const state = new ReactiveObject({
user: { name: "Ada" },
count: 0
});
// Add Listener
state.addListener((patch) => {
console.log("patch:", patch);
});
// Let's change object
state.value.count++;
state.value.user.name = "Grace";Listener contains patch for our changes. For example:
{
patch: {
op: "set", // Operation
path: ['count'], // Object Path
prev: 0, // Preview Value
next: 1 // Next Value
}
}Reactive arrays work in a similar way to objects, but additional filters and other functions can be applied to them (which we will discuss later).
Basic Usage with Patch Tracking:
import { ReactiveArray } from "@neurosell/reactivets";
// Our Array
const list = new ReactiveArray<number>([1, 2]);
// Similar Add Listener
list.addListener((patch) => {
console.log("array patch:", patch);
});
// And Try to Change Array
list.value.push(3);
list.value.splice(0, 1);Patch Example:
{
op: "splice", path: [], index: 0, deleteCount: 1, items: [3], removed: [1]
}Computed functions are needed to automatically track dependencies for calculations and recalculate the final value if one of the dependencies changes. An example of the logic behind such calculations can be found in linked cells in Excel — when you change one of the two, the sum changes.
Computed are:
- tracks dependencies automatically;
- recomputes final value when dependencies change;
- batched;
- supports lazy mode;
- supports custom equality;
Let's look at simple example:
import { ReactiveField, useComputed } from "@neurosell/reactivets";
// Let's create two Reactive Fields
const a = new ReactiveField(2);
const b = new ReactiveField(3);
// Create Computed Function
const sum = useComputed(() => a.value + b.value);
// Add Listener for Sum
sum.addListener((v) => console.log("sum:", v));
// Now let's change A
a.value = 10;
// And after 100ms change B, computed listener printed new value
await new Promise(resolve => setTimeout(resolve, 100));
a.value = 5;Selectors are needed to respond to changes in only certain object fields without unnecessarily triggering listeners.
Simple selector example:
import { ReactiveField, useSelect } from "@neurosell/reactivets";
// Create our user
const user = new ReactiveField({ id: 1, name: "Ada" });
// Select only name
const name = useSelect(user, u => u.name);
// Add Listener for name chages
name.addListener(n => console.log(n));
// Update Value
user.value = { ...user.value, name: "Grace" };
// Try to change ID after 100ms, Name listener not called after this action :)
await new Promise(resolve => setTimeout(resolve, 100));
user.value.id = 2;Side effects with automatic dependency tracking and cleanup.
Use Case:
import { ReactiveField, useEffect } from "@neurosell/reactivets";
// Create our Reactive Field
const count = new ReactiveField(0);
const stop = useEffect(() => {
console.log("count is", count.value);
const timer = setInterval(() => {}, 1000);
return () => clearInterval(timer);
});
// Let's Change Value
count.value = 1;
// Wait 100ms and stop our effector
// The next value changes can't be called in useEffect listener
await new Promise(resolve => setTimeout(resolve, 100));
stop();
count.value = 2;Batch multiple mutations into one reactive wave. By defaults all mutations will be batched in first generation.
Use Case:
import { ReactiveField, useBatch } from "@neurosell/reactivets";
// Let's create our field
const f = new ReactiveField(0);
f.addListener(v => console.log(v));
// Batch our calculation
useBatch(() => {
f.value = 1;
f.value = 2;
f.value = 3;
});Only one notification wave runs with
useBatchhelper.
ReactiveTS supports powerful built-in undo/redo system with transactions support.
Simple use case:
import { ReactiveField, ReactiveHistoryStack } from "@neurosell/reactivets";
// Create our history stack
const history = new ReactiveHistoryStack();
// Create Reactive Field with History Stack
const count = new ReactiveField(0, { history });
// Fill our history
count.value = 1;
count.value = 2;
// Work with history
history.undo();
console.log(count.value); // 1
history.undo();
console.log(count.value); // 0
history.redo();
console.log(count.value); // 1You can also group multiple changes into one undo step with transactions.
Transaction Example:
import { useReactiveTransaction } from "@neurosell/reactivets";
console.log(count.value); // 1
// Will be applied as single step
useReactiveTransaction(history, () => {
count.value = 10;
count.value = 20;
count.value = 30;
});
console.log(count.value); // 30
// Back to history
history.undo();
console.log(count.value); // 1With ReactiveTS you can listen to specific paths of objects.
Usage sample:
// Create our Reactive Object
const state = new ReactiveObject({
user: {
name: "Igor",
age: 15
}
});
// This Listener reacts only at user.name changes
state.addPathListener("user.name", (patch) => {
console.log("name changed");
}, { mode: "exact" });
// This Listener reacts at all user changes
state.addPathListener("user", (patch) => {
console.log("anything under user changed");
});
// Change our object
state.value.user.name = "Elijah"; // Calls both listeners
state.value.user.age = 10; // Calls only second listenerPath Subscription supports:
- exact mode (
item.data.key); - prefix mode (
item); - wildcard mode (
items.*.id)
You can use cancellation tokens and async listeners for your reactive fields.
For Example:
const field = new ReactiveField(0);
const controller = new AbortController();
field.addListener(async (v, ctx) => {
await someAsyncTask();
if (ctx.signal.aborted) return;
}, { signal: controller.signal });
controller.abort();To simplify working with Reactive Arrays, you can also use auxiliary functionality for filtering, mapping, and sorting data.
Usage Example:
import { ReactiveArray, useFiltered, useMapped, useSorted } from "@neurosell/reactivets";
// Create our Array
const list = new ReactiveArray([1, 2, 3, 4]);
// Filtered Array
const evens = useFiltered(list, x => x % 2 === 0);
evens.addListener(arr => console.log(arr));
// Push new value
list.value.push(6);Adapters are helper functions for converting reactive events, fields, and other elements into asynchronous methods, Observables, etc.
Conversion to Promise:
import { toPromise } from "@neurosell/reactivets";
toPromise(event, {
predicate: v => v > 10
}).then(v => console.log(v));Conversion to Promise Field:
import { toPromiseField } from "@neurosell/reactivets";
toPromiseField(field, {
predicate: v => v === 5
});Conversion from DOM Event:
import { fromEvent } from "@neurosell/reactivets";
const { event, dispose } = fromEvent(document, "click");
event.addListener(e => console.log(e));Conversion from Observable:
import { fromObservable } from "@neurosell/reactivets";
// Observable Example
const obs = {
subscribe(next) {
const t = setInterval(() => next(Date.now()), 1000);
return () => clearInterval(t);
}
};
const { event } = fromObservable(obs);Use middleware function around transactions and collect profiling data.
import {
ReactiveHistoryStack,
ReactiveTransactionManager,
createTransactionProfiler,
ReactiveField
} from "@neurosell/reactivets";
const history = new ReactiveHistoryStack();
const tx = new ReactiveTransactionManager(history);
const timings = [];
tx.use(createTransactionProfiler(timings));
const count = new ReactiveField(0, { history });
tx.run(() => {
count.value = 1;
count.value = 2;
}, "update-count");
console.log(timings[0]?.durationMs);Take a snapshot and restore it later.
import { ReactiveObject, createSnapshot, restoreSnapshot } from "@neurosell/reactivets";
const state = new ReactiveObject({ user: { name: "Ada" }, count: 1 });
const snap = createSnapshot(state);
state.value.user.name = "Grace";
state.value.count = 10;
restoreSnapshot(state, snap);
console.log(state.value.user.name); // AdaSynchronize two reactive fields.
import { ReactiveField, useSync } from "@neurosell/reactivets";
const left = new ReactiveField("A");
const right = new ReactiveField("B");
const stop = useSync(left, right);
left.value = "Hello";
console.log(right.value); // Hello
stop();ReactiveAtom is a thin alias over ReactiveField; useLens focuses into nested state.
import { ReactiveObject, useLens, useAtom } from "@neurosell/reactivets";
const state = new ReactiveObject({ profile: { name: "Ada" } });
const nameLens = useLens(state, ["profile", "name"]);
const localFlag = useAtom(false);
nameLens.value = "Grace";
console.log(state.value.profile.name); // Grace
localFlag.value = true;Inspect collected dependencies for computed values (useful for debugging).
import { ReactiveField, useComputed } from "@neurosell/reactivets";
const a = new ReactiveField(1);
const b = new ReactiveField(2);
const sum = useComputed(() => a.value + b.value);
console.log(sum.inspectDependencies().length); // 2Bridge browser Worker messages with ReactiveTS events.
import { createWorkerBridge } from "@neurosell/reactivets";
const worker = new Worker("./worker.js", { type: "module" });
const bridge = createWorkerBridge(worker);
bridge.onMessage.addListener((message) => {
console.log(message.type, message.payload);
});
bridge.post({ type: "PING", payload: { at: Date.now() } });Use a minimal built-in event bus for state/debug records.
import { ReactiveDevTools } from "@neurosell/reactivets";
const devtools = new ReactiveDevTools();
devtools.addListener((record) => console.log(record.type, record.payload));
devtools.emit("state:update", { feature: "counter", next: 10 });
console.log(devtools.inspect().length); // 1Reactive Watcher in ReactiveTS needed to track dependent listeners and further automatically unsubscribe all listeners from specific reactive fields, events, objects, and arrays.
Use Case:
import { ReactiveWatcher } from "@neurosell/reactivets";
// Create Watcher
const watcher = new ReactiveWatcher();
watcher.own(field.addListener(console.log));
watcher.dispose(); // removes all listenersNow let's talk about ReactiveTS performance and optimization under the hood, and take a look at the benchmarks.
ReactiveTS uses:
- Microtask batching;
- WeakMap proxy caching;
- Deduplicated scheduler queue;
- Version-based dependency tracking;
For extreme hot paths:
- Prefer ReactiveField over deep Proxy objects;
- Use batching;
- Use transactions for grouped updates and history optimisation;
ReactiveTS is optimized for typical UI/state scenarios (frequent changes to small fields + batching + effects). To fairly compare performance between versions/configurations, use reproducible microbenchmarks.
The benchmarks below include the following scenarios:
- ReactiveField: speed of
setand listener notifications; - Computed: recalculation of derived value chains;
- Effect: restarting effects when changes occur;
- ReactiveObject / ReactiveArray (Proxy): cost of
set/spliceand patch generation; - Path subscriptions: filtering patches by path/mask;
- Batching & Transactions: how well the wave of updates coalesces;
- History undo/redo: cost of recording/rolling back changes;
Important: Proxies and patches are inevitably more expensive than simple signals. For hot paths, use
ReactiveFieldand computed/selectors.
| Scenario (200K Iterations) | ops/s | Notes |
|---|---|---|
| Field.set (no listeners) | 9,1M (21ms) | baseline |
| Field.set (10 listeners) | 768K (260ms) | fan-out |
| Computed chain (3 nodes) | 79K (2500ms) | dep tracking cost |
| ReactiveArray push | 4,4m (22ms) | reactive array push |
| ReactiveObject set (deep) | 1,1m (176ms) | Proxy + patch |
| Batch(100 sets) => 1 wave | 58K (859ms) | coalescing |
| Transaction(100 sets)+undo | 114K (174ms) | grouped history |
| Event.invoke (10 listeners) | 864K (231ms) | reactive event invoke |
In this section, we have provided you with the main comparisons with other popular reactive extension libraries.
ReactiveTS focuses on:
- Reactive state management;
- Deterministic undo/redo and transactions;
- Path-level reactivity and simple API;
- TypeScript-first API;
It is not a stream algebra engine like RxJS. It is your simple reactive state management engine!
| Feature | ReactiveTS | RxJS |
|---|---|---|
| ReactiveField | ✅ | |
| ReactiveObject (Proxy) | ✅ | ❌ |
| Path subscriptions | ✅ | ❌ |
| Computed (auto deps) | ✅ | |
| useEffect-подобное | ✅ | |
| Undo/Redo history | ✅ | ❌ |
| Transaction history | ✅ | ❌ |
| Stream combinators (switchMap, retry, debounce) | ✅ powerful | |
| Cancellation | ✅ AbortSignal | ✅ |
| Async operators | ✅ large ecosystem |
| Feature | ReactiveTS | MobX |
|---|---|---|
| Proxy-based | ✅ | ❌ (only using getters/observables) |
| Dependency tracking | ✅ | ✅ |
| History | ✅ | ❌ |
| Transaction | ✅ | |
| Devtools ecosystem | ✅ | |
| Battle-tested | ✅ | ✅ |
Our library is distributed under the MIT license. You can use it however you like. We would appreciate any feedback and suggestions for improvement.
