immutable vs immer vs immutability-helper vs seamless-immutable
Immutable State Management in JavaScript Applications
immutableimmerimmutability-helperseamless-immutable
Immutable State Management in JavaScript Applications

immer, immutability-helper, immutable, and seamless-immutable are libraries designed to help developers work with immutable data structures in JavaScript applications. Since JavaScript objects and arrays are mutable by default, these tools provide patterns or data types that enforce immutability—ensuring state changes create new references instead of modifying existing ones. This is especially valuable in UI frameworks like React, where predictable state updates improve performance and reduce bugs.

Npm Package Weekly Downloads Trend
3 Years
Github Stars Ranking
Stat Detail
Package
Downloads
Stars
Size
Issues
Publish
License
immutable31,031,24233,098709 kB1214 months agoMIT
immer27,467,77028,870897 kB48a month agoMIT
immutability-helper828,2975,276-66 years agoMIT
seamless-immutable401,1015,352-547 years agoBSD-3-Clause

Immutable State Management: immer vs immmutability-helper vs immutable vs seamless-immutable

Managing state without accidental mutations is a core challenge in modern frontend apps. These four libraries offer different strategies—from proxy-based mutation emulation to fully custom data structures. Let’s compare how they handle real-world scenarios.

🧪 Core Philosophy: How Each Library Enforces Immutability

immer uses JavaScript Proxies to let you "mutate" a draft state, then produces a new immutable snapshot.

  • You write code as if you’re mutating an object.
  • Under the hood, it tracks changes and builds a new object.
import { produce } from 'immer';

const nextState = produce(baseState, draft => {
  draft.user.name = 'Alice'; // Looks like mutation
  draft.posts.push({ id: 3, title: 'New Post' });
});
// nextState is a new object; baseState unchanged

immutability-helper uses command objects with special keys ($set, $push, etc.) to describe changes.

  • No actual mutation occurs—you specify operations declaratively.
  • Relies on string paths to target nested properties.
import update from 'immutability-helper';

const nextState = update(baseState, {
  user: { name: { $set: 'Alice' } },
  posts: { $push: [{ id: 3, title: 'New Post' }] }
});

immutable replaces native objects/arrays with its own classes (Map, List, etc.).

  • All methods return new instances—mutation is impossible by design.
  • Requires converting data to and from Immutable.js types.
import { Map, List } from 'immutable';

const baseState = Map({
  user: Map({ name: 'Bob' }),
  posts: List([{ id: 1, title: 'Old Post' }])
});

const nextState = baseState
  .setIn(['user', 'name'], 'Alice')
  .updateIn(['posts'], posts => posts.push(Map({ id: 3, title: 'New Post' })));

seamless-immutable extends plain JavaScript objects with non-mutating methods.

  • Uses Object.freeze() in development to catch mutations early.
  • Provides helpers like setIn that return new objects.
import Immutable from 'seamless-immutable';

const baseState = Immutable({
  user: { name: 'Bob' },
  posts: [{ id: 1, title: 'Old Post' }]
});

const nextState = baseState
  .setIn(['user', 'name'], 'Alice')
  .updateIn(['posts'], posts => [...posts, { id: 3, title: 'New Post' }]);

🔌 Interoperability with Plain JavaScript Objects

immer: Works directly with standard JS objects/arrays. No conversion needed—input and output are plain data.

// Input and output are plain objects
const input = { count: 0 };
const output = produce(input, d => { d.count++ });
console.log(output instanceof Object); // true

immutability-helper: Also uses plain JS objects. Output matches input structure exactly.

const input = { count: 0 };
const output = update(input, { count: { $set: 1 } });
console.log(output instanceof Object); // true

immutable: Requires wrapping data in Immutable.js collections. To use with React or APIs, you must call .toJS().

const wrapped = Map({ count: 0 });
const plain = wrapped.toJS(); // { count: 0 }

seamless-immutable: Returns frozen plain objects. Can be used directly but may cause issues if downstream code tries to mutate them.

const state = Immutable({ count: 0 });
// state is a plain object, but frozen in dev mode

⚠️ Maintenance Status and Modern JavaScript Support

  • immer: Actively maintained, supports modern JS (including Symbols, Maps, Sets), and integrates well with Redux Toolkit.
  • immutability-helper: Deprecated—last updated in 2017. Not recommended for new projects.
  • immutable: Still maintained but in “long-term support” mode. The team recommends considering alternatives like immer for new code.
  • seamless-immutable: Unmaintained—last commit in 2020. Lacks support for newer language features.

🛠️ Nested Updates: Updating Deeply Structured Data

All libraries support updating nested paths, but syntax varies.

immer: Natural dot notation or bracket access.

produce(state, draft => {
  draft.ui.sidebar.isOpen = false;
});

immutability-helper: Nested command objects with path segments.

update(state, {
  ui: { sidebar: { isOpen: { $set: false } } }
});

immutable: setIn with array path.

state.setIn(['ui', 'sidebar', 'isOpen'], false);

seamless-immutable: setIn with array path.

state.setIn(['ui', 'sidebar', 'isOpen'], false);

📦 Performance Characteristics

  • immer: Efficient structural sharing. Only changed branches are copied. Uses Proxies, so minimal overhead in modern engines.
  • immutability-helper: Creates full copies of intermediate objects along the path—can be inefficient for deep trees.
  • immutable: Optimized persistent data structures (tries) enable fast reads/writes with minimal copying. But conversion cost (toJS()) can hurt performance.
  • seamless-immutable: Always creates shallow copies up the path—no advanced sharing. Freezing in dev adds overhead.

🧩 Real-World Recommendation

For New React/Redux Projects

Use immer. It’s the de facto standard in modern Redux (via Redux Toolkit) and lets you write clean, readable code without boilerplate. Teams adopt it quickly because it feels like regular JavaScript.

For Legacy Codebases

  • If you’re on immutability-helper, migrate to immer—the mental model shift is small.
  • If you’re on seamless-immutable, evaluate migration effort; immer is the natural successor.
  • If you’re on immutable, consider staying if you rely on its advanced collections—but for simple object trees, immer reduces friction.

When to Avoid Each

  • Don’t start new projects with immutability-helper or seamless-immutable—both are unmaintained.
  • Avoid immutable if your app mostly deals with plain JSON-like data and you need seamless integration with external libraries.
  • Avoid immer only if you need compile-time guarantees (e.g., via TypeScript with branded types)—though even then, immer works well with type guards.

✅ Summary Table

LibraryData TypeSyntax StyleMaintained?Interop with Plain JS
immerPlain objectsMutable-looking✅ Yes✅ Excellent
immutability-helperPlain objectsCommand objects❌ No✅ Good
immutableCustom classesMethod chaining⚠️ LTS only❌ Requires conversion
seamless-immutableFrozen objectsHelper methods❌ No⚠️ Limited (frozen)

💡 Final Thought

Immutability isn’t just about correctness—it’s about making change detection efficient and debugging easier. Among active options, immer strikes the best balance: it hides complexity without sacrificing power, and it plays nicely with the rest of the JavaScript ecosystem. Unless you have specific needs for persistent data structures, it’s the pragmatic choice for most teams today.

How to Choose: immutable vs immer vs immutability-helper vs seamless-immutable
  • immutable:

    Choose immutable when you need guaranteed, deeply immutable data structures with rich APIs (e.g., Map, List, Set) and built-in performance optimizations like hash maps and persistent tries. It enforces immutability at the type level, preventing accidental mutations. However, it requires wrapping and unwrapping data, which can complicate interoperability with libraries expecting plain JavaScript objects.

  • immer:

    Choose immer if you want to write code that looks like mutable assignments but produces immutable updates under the hood. It’s ideal for teams already using plain JavaScript objects and arrays who need a low-friction way to adopt immutability without learning new APIs or changing data shapes. Its produce function enables intuitive syntax while guaranteeing structural sharing and referential integrity.

  • immutability-helper:

    Avoid immutability-helper in new projects—it is deprecated and no longer maintained. Originally inspired by React’s old update() helper, it uses string-based path commands (like $set, $push) to modify nested structures. While functional, its syntax is verbose and error-prone compared to modern alternatives. Use only if maintaining legacy code that already depends on it.

  • seamless-immutable:

    Choose seamless-immutable if you prefer working with plain JavaScript objects and arrays but want lightweight immutability enforcement. It freezes objects recursively in development and provides mutation-safe methods like setIn and merge. However, it’s unmaintained as of 2023 and lacks support for modern JavaScript features. Only consider it for small projects or legacy systems where switching libraries isn’t feasible.

README for immutable

Immutable collections for JavaScript

Build Status Chat on slack

Read the docs and eat your vegetables.

Docs are automatically generated from README.md and immutable.d.ts. Please contribute! Also, don't miss the wiki which contains articles on additional specific topics. Can't find something? Open an issue.

Table of contents:

Introduction

Immutable data cannot be changed once created, leading to much simpler application development, no defensive copying, and enabling advanced memoization and change detection techniques with simple logic. Persistent data presents a mutative API which does not update the data in-place, but instead always yields new updated data.

Immutable.js provides many Persistent Immutable data structures including: List, Stack, Map, OrderedMap, Set, OrderedSet and Record.

These data structures are highly efficient on modern JavaScript VMs by using structural sharing via hash maps tries and vector tries as popularized by Clojure and Scala, minimizing the need to copy or cache data.

Immutable.js also provides a lazy Seq, allowing efficient chaining of collection methods like map and filter without creating intermediate representations. Create some Seq with Range and Repeat.

Want to hear more? Watch the presentation about Immutable.js:

Immutable Data and React

Getting started

Install immutable using npm.

# using npm
npm install immutable

# using Yarn
yarn add immutable

# using pnpm
pnpm add immutable

# using Bun
bun add immutable

Then require it into any module.

import { Map } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3 });
const map2 = map1.set('b', 50);
map1.get('b') + ' vs. ' + map2.get('b'); // 2 vs. 50

Browser

Immutable.js has no dependencies, which makes it predictable to include in a Browser.

It's highly recommended to use a module bundler like webpack, rollup, or browserify. The immutable npm module works without any additional consideration. All examples throughout the documentation will assume use of this kind of tool.

Alternatively, Immutable.js may be directly included as a script tag. Download or link to a CDN such as CDNJS or jsDelivr.

Use a script tag to directly add Immutable to the global scope:

<script src="immutable.min.js"></script>
<script>
  var map1 = Immutable.Map({ a: 1, b: 2, c: 3 });
  var map2 = map1.set('b', 50);
  map1.get('b'); // 2
  map2.get('b'); // 50
</script>

Or use an AMD-style loader (such as RequireJS):

require(['./immutable.min.js'], function (Immutable) {
  var map1 = Immutable.Map({ a: 1, b: 2, c: 3 });
  var map2 = map1.set('b', 50);
  map1.get('b'); // 2
  map2.get('b'); // 50
});

Flow & TypeScript

Use these Immutable collections and sequences as you would use native collections in your Flowtype or TypeScript programs while still taking advantage of type generics, error detection, and auto-complete in your IDE.

Installing immutable via npm brings with it type definitions for Flow (v0.55.0 or higher) and TypeScript (v4.5 or higher), so you shouldn't need to do anything at all!

Using TypeScript with Immutable.js v4+

Immutable.js type definitions embrace ES2015. While Immutable.js itself supports legacy browsers and environments, its type definitions require TypeScript's 2015 lib. Include either "target": "es2015" or "lib": "es2015" in your tsconfig.json, or provide --target es2015 or --lib es2015 to the tsc command.

import { Map } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3 });
const map2 = map1.set('b', 50);
map1.get('b') + ' vs. ' + map2.get('b'); // 2 vs. 50

Using TypeScript with Immutable.js v3 and earlier:

Previous versions of Immutable.js include a reference file which you can include via relative path to the type definitions at the top of your file.

///<reference path='./node_modules/immutable/dist/immutable.d.ts'/>
import { Map } from 'immutable';
var map1: Map<string, number>;
map1 = Map({ a: 1, b: 2, c: 3 });
var map2 = map1.set('b', 50);
map1.get('b'); // 2
map2.get('b'); // 50

The case for Immutability

Much of what makes application development difficult is tracking mutation and maintaining state. Developing with immutable data encourages you to think differently about how data flows through your application.

Subscribing to data events throughout your application creates a huge overhead of book-keeping which can hurt performance, sometimes dramatically, and creates opportunities for areas of your application to get out of sync with each other due to easy to make programmer error. Since immutable data never changes, subscribing to changes throughout the model is a dead-end and new data can only ever be passed from above.

This model of data flow aligns well with the architecture of React and especially well with an application designed using the ideas of Flux.

When data is passed from above rather than being subscribed to, and you're only interested in doing work when something has changed, you can use equality.

Immutable collections should be treated as values rather than objects. While objects represent some thing which could change over time, a value represents the state of that thing at a particular instance of time. This principle is most important to understanding the appropriate use of immutable data. In order to treat Immutable.js collections as values, it's important to use the Immutable.is() function or .equals() method to determine value equality instead of the === operator which determines object reference identity.

import { Map } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3 });
const map2 = Map({ a: 1, b: 2, c: 3 });
map1.equals(map2); // true
map1 === map2; // false

Note: As a performance optimization Immutable.js attempts to return the existing collection when an operation would result in an identical collection, allowing for using === reference equality to determine if something definitely has not changed. This can be extremely useful when used within a memoization function which would prefer to re-run the function if a deeper equality check could potentially be more costly. The === equality check is also used internally by Immutable.is and .equals() as a performance optimization.

import { Map } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3 });
const map2 = map1.set('b', 2); // Set to same value
map1 === map2; // true

If an object is immutable, it can be "copied" simply by making another reference to it instead of copying the entire object. Because a reference is much smaller than the object itself, this results in memory savings and a potential boost in execution speed for programs which rely on copies (such as an undo-stack).

import { Map } from 'immutable';
const map = Map({ a: 1, b: 2, c: 3 });
const mapCopy = map; // Look, "copies" are free!

JavaScript-first API

While Immutable.js is inspired by Clojure, Scala, Haskell and other functional programming environments, it's designed to bring these powerful concepts to JavaScript, and therefore has an Object-Oriented API that closely mirrors that of ES2015 Array, Map, and Set.

The difference for the immutable collections is that methods which would mutate the collection, like push, set, unshift or splice, instead return a new immutable collection. Methods which return new arrays, like slice or concat, instead return new immutable collections.

import { List } from 'immutable';
const list1 = List([1, 2]);
const list2 = list1.push(3, 4, 5);
const list3 = list2.unshift(0);
const list4 = list1.concat(list2, list3);
assert.equal(list1.size, 2);
assert.equal(list2.size, 5);
assert.equal(list3.size, 6);
assert.equal(list4.size, 13);
assert.equal(list4.get(0), 1);

Almost all of the methods on Array will be found in similar form on Immutable.List, those of Map found on Immutable.Map, and those of Set found on Immutable.Set, including collection operations like forEach() and map().

import { Map } from 'immutable';
const alpha = Map({ a: 1, b: 2, c: 3, d: 4 });
alpha.map((v, k) => k.toUpperCase()).join();
// 'A,B,C,D'

Convert from raw JavaScript objects and arrays.

Designed to inter-operate with your existing JavaScript, Immutable.js accepts plain JavaScript Arrays and Objects anywhere a method expects a Collection.

import { Map, List } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3, d: 4 });
const map2 = Map({ c: 10, a: 20, t: 30 });
const obj = { d: 100, o: 200, g: 300 };
const map3 = map1.merge(map2, obj);
// Map { a: 20, b: 2, c: 10, d: 100, t: 30, o: 200, g: 300 }
const list1 = List([1, 2, 3]);
const list2 = List([4, 5, 6]);
const array = [7, 8, 9];
const list3 = list1.concat(list2, array);
// List [ 1, 2, 3, 4, 5, 6, 7, 8, 9 ]

This is possible because Immutable.js can treat any JavaScript Array or Object as a Collection. You can take advantage of this in order to get sophisticated collection methods on JavaScript Objects, which otherwise have a very sparse native API. Because Seq evaluates lazily and does not cache intermediate results, these operations can be extremely efficient.

import { Seq } from 'immutable';
const myObject = { a: 1, b: 2, c: 3 };
Seq(myObject)
  .map((x) => x * x)
  .toObject();
// { a: 1, b: 4, c: 9 }

Keep in mind, when using JS objects to construct Immutable Maps, that JavaScript Object properties are always strings, even if written in a quote-less shorthand, while Immutable Maps accept keys of any type.

import { fromJS } from 'immutable';

const obj = { 1: 'one' };
console.log(Object.keys(obj)); // [ "1" ]
console.log(obj['1'], obj[1]); // "one", "one"

const map = fromJS(obj);
console.log(map.get('1'), map.get(1)); // "one", undefined

Property access for JavaScript Objects first converts the key to a string, but since Immutable Map keys can be of any type the argument to get() is not altered.

Converts back to raw JavaScript objects.

All Immutable.js Collections can be converted to plain JavaScript Arrays and Objects shallowly with toArray() and toObject() or deeply with toJS(). All Immutable Collections also implement toJSON() allowing them to be passed to JSON.stringify directly. They also respect the custom toJSON() methods of nested objects.

import { Map, List } from 'immutable';
const deep = Map({ a: 1, b: 2, c: List([3, 4, 5]) });
console.log(deep.toObject()); // { a: 1, b: 2, c: List [ 3, 4, 5 ] }
console.log(deep.toArray()); // [ 1, 2, List [ 3, 4, 5 ] ]
console.log(deep.toJS()); // { a: 1, b: 2, c: [ 3, 4, 5 ] }
JSON.stringify(deep); // '{"a":1,"b":2,"c":[3,4,5]}'

Embraces ES2015

Immutable.js supports all JavaScript environments, including legacy browsers (even IE11). However it also takes advantage of features added to JavaScript in ES2015, the latest standard version of JavaScript, including Iterators, Arrow Functions, Classes, and Modules. It's inspired by the native Map and Set collections added to ES2015.

All examples in the Documentation are presented in ES2015. To run in all browsers, they need to be translated to ES5.

// ES2015
const mapped = foo.map((x) => x * x);
// ES5
var mapped = foo.map(function (x) {
  return x * x;
});

All Immutable.js collections are Iterable, which allows them to be used anywhere an Iterable is expected, such as when spreading into an Array.

import { List } from 'immutable';
const aList = List([1, 2, 3]);
const anArray = [0, ...aList, 4, 5]; // [ 0, 1, 2, 3, 4, 5 ]

Note: A Collection is always iterated in the same order, however that order may not always be well defined, as is the case for the Map and Set.

Nested Structures

The collections in Immutable.js are intended to be nested, allowing for deep trees of data, similar to JSON.

import { fromJS } from 'immutable';
const nested = fromJS({ a: { b: { c: [3, 4, 5] } } });
// Map { a: Map { b: Map { c: List [ 3, 4, 5 ] } } }

A few power-tools allow for reading and operating on nested data. The most useful are mergeDeep, getIn, setIn, and updateIn, found on List, Map and OrderedMap.

import { fromJS } from 'immutable';
const nested = fromJS({ a: { b: { c: [3, 4, 5] } } });

const nested2 = nested.mergeDeep({ a: { b: { d: 6 } } });
// Map { a: Map { b: Map { c: List [ 3, 4, 5 ], d: 6 } } }

console.log(nested2.getIn(['a', 'b', 'd'])); // 6

const nested3 = nested2.updateIn(['a', 'b', 'd'], (value) => value + 1);
console.log(nested3);
// Map { a: Map { b: Map { c: List [ 3, 4, 5 ], d: 7 } } }

const nested4 = nested3.updateIn(['a', 'b', 'c'], (list) => list.push(6));
// Map { a: Map { b: Map { c: List [ 3, 4, 5, 6 ], d: 7 } } }

Equality treats Collections as Values

Immutable.js collections are treated as pure data values. Two immutable collections are considered value equal (via .equals() or is()) if they represent the same collection of values. This differs from JavaScript's typical reference equal (via === or ==) for Objects and Arrays which only determines if two variables represent references to the same object instance.

Consider the example below where two identical Map instances are not reference equal but are value equal.

// First consider:
const obj1 = { a: 1, b: 2, c: 3 };
const obj2 = { a: 1, b: 2, c: 3 };
obj1 !== obj2; // two different instances are always not equal with ===

import { Map, is } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3 });
const map2 = Map({ a: 1, b: 2, c: 3 });
map1 !== map2; // two different instances are not reference-equal
map1.equals(map2); // but are value-equal if they have the same values
is(map1, map2); // alternatively can use the is() function

Value equality allows Immutable.js collections to be used as keys in Maps or values in Sets, and retrieved with different but equivalent collections:

import { Map, Set } from 'immutable';
const map1 = Map({ a: 1, b: 2, c: 3 });
const map2 = Map({ a: 1, b: 2, c: 3 });
const set = Set().add(map1);
set.has(map2); // true because these are value-equal

Note: is() uses the same measure of equality as Object.is for scalar strings and numbers, but uses value equality for Immutable collections, determining if both are immutable and all keys and values are equal using the same measure of equality.

Performance tradeoffs

While value equality is useful in many circumstances, it has different performance characteristics than reference equality. Understanding these tradeoffs may help you decide which to use in each case, especially when used to memoize some operation.

When comparing two collections, value equality may require considering every item in each collection, on an O(N) time complexity. For large collections of values, this could become a costly operation. Though if the two are not equal and hardly similar, the inequality is determined very quickly. In contrast, when comparing two collections with reference equality, only the initial references to memory need to be compared which is not based on the size of the collections, which has an O(1) time complexity. Checking reference equality is always very fast, however just because two collections are not reference-equal does not rule out the possibility that they may be value-equal.

Return self on no-op optimization

When possible, Immutable.js avoids creating new objects for updates where no change in value occurred, to allow for efficient reference equality checking to quickly determine if no change occurred.

import { Map } from 'immutable';
const originalMap = Map({ a: 1, b: 2, c: 3 });
const updatedMap = originalMap.set('b', 2);
updatedMap === originalMap; // No-op .set() returned the original reference.

However updates which do result in a change will return a new reference. Each of these operations occur independently, so two similar updates will not return the same reference:

import { Map } from 'immutable';
const originalMap = Map({ a: 1, b: 2, c: 3 });
const updatedMap = originalMap.set('b', 1000);
// New instance, leaving the original immutable.
updatedMap !== originalMap;
const anotherUpdatedMap = originalMap.set('b', 1000);
// Despite both the results of the same operation, each created a new reference.
anotherUpdatedMap !== updatedMap;
// However the two are value equal.
anotherUpdatedMap.equals(updatedMap);

Batching Mutations

If a tree falls in the woods, does it make a sound?

If a pure function mutates some local data in order to produce an immutable return value, is that ok?

— Rich Hickey, Clojure

Applying a mutation to create a new immutable object results in some overhead, which can add up to a minor performance penalty. If you need to apply a series of mutations locally before returning, Immutable.js gives you the ability to create a temporary mutable (transient) copy of a collection and apply a batch of mutations in a performant manner by using withMutations. In fact, this is exactly how Immutable.js applies complex mutations itself.

As an example, building list2 results in the creation of 1, not 3, new immutable Lists.

import { List } from 'immutable';
const list1 = List([1, 2, 3]);
const list2 = list1.withMutations(function (list) {
  list.push(4).push(5).push(6);
});
assert.equal(list1.size, 3);
assert.equal(list2.size, 6);

Note: Immutable.js also provides asMutable and asImmutable, but only encourages their use when withMutations will not suffice. Use caution to not return a mutable copy, which could result in undesired behavior.

Important!: Only a select few methods can be used in withMutations including set, push and pop. These methods can be applied directly against a persistent data-structure where other methods like map, filter, sort, and splice will always return new immutable data-structures and never mutate a mutable collection.

Lazy Seq

Seq describes a lazy operation, allowing them to efficiently chain use of all the higher-order collection methods (such as map and filter) by not creating intermediate collections.

Seq is immutable — Once a Seq is created, it cannot be changed, appended to, rearranged or otherwise modified. Instead, any mutative method called on a Seq will return a new Seq.

Seq is lazySeq does as little work as necessary to respond to any method call. Values are often created during iteration, including implicit iteration when reducing or converting to a concrete data structure such as a List or JavaScript Array.

For example, the following performs no work, because the resulting Seq's values are never iterated:

import { Seq } from 'immutable';
const oddSquares = Seq([1, 2, 3, 4, 5, 6, 7, 8])
  .filter((x) => x % 2 !== 0)
  .map((x) => x * x);

Once the Seq is used, it performs only the work necessary. In this example, no intermediate arrays are ever created, filter is called three times, and map is only called once:

oddSquares.get(1); // 9

Any collection can be converted to a lazy Seq with Seq().

import { Map, Seq } from 'immutable';
const map = Map({ a: 1, b: 2, c: 3 });
const lazySeq = Seq(map);

Seq allows for the efficient chaining of operations, allowing for the expression of logic that can otherwise be very tedious:

lazySeq
  .flip()
  .map((key) => key.toUpperCase())
  .flip();
// Seq { A: 1, B: 2, C: 3 }

As well as expressing logic that would otherwise seem memory or time limited, for example Range is a special kind of Lazy sequence.

import { Range } from 'immutable';
Range(1, Infinity)
  .skip(1000)
  .map((n) => -n)
  .filter((n) => n % 2 === 0)
  .take(2)
  .reduce((r, n) => r * n, 1);
// 1006008

Comparison of filter(), groupBy(), and partition()

The filter(), groupBy(), and partition() methods are similar in that they all divide a collection into parts based on applying a function to each element. All three call the predicate or grouping function once for each item in the input collection. All three return zero or more collections of the same type as their input. The returned collections are always distinct from the input (according to ===), even if the contents are identical.

Of these methods, filter() is the only one that is lazy and the only one which discards items from the input collection. It is the simplest to use, and the fact that it returns exactly one collection makes it easy to combine with other methods to form a pipeline of operations.

The partition() method is similar to an eager version of filter(), but it returns two collections; the first contains the items that would have been discarded by filter(), and the second contains the items that would have been kept. It always returns an array of exactly two collections, which can make it easier to use than groupBy(). Compared to making two separate calls to filter(), partition() makes half as many calls it the predicate passed to it.

The groupBy() method is a more generalized version of partition() that can group by an arbitrary function rather than just a predicate. It returns a map with zero or more entries, where the keys are the values returned by the grouping function, and the values are nonempty collections of the corresponding arguments. Although groupBy() is more powerful than partition(), it can be harder to use because it is not always possible predict in advance how many entries the returned map will have and what their keys will be.

SummaryfilterpartitiongroupBy
ease of useeasiestmoderatehardest
generalityleastmoderatemost
lazinesslazyeagereager
# of returned sub-collections120 or more
sub-collections may be emptyyesyesno
can discard itemsyesnono
wrapping containernonearrayMap/OrderedMap

Additional Tools and Resources

  • Atom-store

    • A Clojure-inspired atom implementation in Javascript with configurability for external persistance.
  • Chai Immutable

    • If you are using the Chai Assertion Library, this provides a set of assertions to use against Immutable.js collections.
  • Fantasy-land

    • Specification for interoperability of common algebraic structures in JavaScript.
  • Immutagen

    • A library for simulating immutable generators in JavaScript.
  • Immutable-cursor

    • Immutable cursors incorporating the Immutable.js interface over Clojure-inspired atom.
  • Immutable-ext

    • Fantasyland extensions for immutablejs
  • Immutable-js-tools

    • Util tools for immutable.js
  • Immutable-Redux

    • redux-immutable is used to create an equivalent function of Redux combineReducers that works with Immutable.js state.
  • Immutable-Treeutils

    • Functional tree traversal helpers for ImmutableJS data structures.
  • Irecord

    • An immutable store that exposes an RxJS observable. Great for React.
  • Mudash

    • Lodash wrapper providing Immutable.JS support.
  • React-Immutable-PropTypes

    • PropType validators that work with Immutable.js.
  • Redux-Immutablejs

    • Redux Immutable facilities.
  • Rxstate

    • Simple opinionated state management library based on RxJS and Immutable.js.
  • Transit-Immutable-js

    • Transit serialisation for Immutable.js.
    • See also: Transit-js

Have an additional tool designed to work with Immutable.js? Submit a PR to add it to this list in alphabetical order.

Contributing

Use Github issues for requests.

We actively welcome pull requests, learn how to contribute.

Immutable.js is maintained within the Contributor Covenant's Code of Conduct.

Changelog

Changes are tracked as Github releases.

License

Immutable.js is MIT-licensed.

Thanks

Phil Bagwell, for his inspiration and research in persistent data structures.

Hugh Jackson, for providing the npm package name. If you're looking for his unsupported package, see this repository.