André Staltz

JavaScript Getter-Setter Pyramid

The cornerstone of JavaScript is the function. It is a flexible abstraction that works as the basis for other abstractions, such as Promises, Iterables, Observables, and others. I have been teaching these concepts in conferences and workshops, and over time I have found an elegant summary of these abstractions, layed out in a pyramid. In this blog post I’ll provide a tour through these layers in the pyramid.

FUNCTIONS

X => Y

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Function Value

The very base of JavaScript are the first-class values such as numbers, strings, objects, booleans, etc. Although you could still write a program that uses just values and control flow, very soon you would need to write a function to improve your program.

Functions are unavoidable abstractions in JavaScript, they are often required for async I/O via callbacks. The word “function” in JavaScript does not refer to “pure functions” like in functional programming. It’s better to understand these as simply “procedures”, because they are just lazy reusable chunks of code, with optional input (the arguments), and optional output (the return).

Compared to hard coded chunks of code, functions provide a couple important benefits:

GETTERS

() => X

A getter is a function with no input arguments and X as output

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Getter Function Value

Getters are one kind of function, where no arguments are passed but a return value is expected. There are many such getters in the JavaScript runtime, such as Math.random(), Date.now(), and others. Getters are also useful as abstractions for values. Compare user with getUser below:

const user = {name: 'Alice', age: 30};
console.log(user.name); // Alice


function getUser() {
  return {name: 'Alice', age: 30};
}
console.log(getUser().name); // Alice

By using a getter to represent a value, we inherit the benefits of functions, such as laziness: if we don’t call getUser(), then the user object will not be created in vain.

We also gain implementation flexibility, because we can calculate the return object in multiple different ways, either by creating a plain object, or by returning an instance of a class, or by using properties on the prototype, etc. With hard-coded values we wouldn’t have this flexibility.

Getters also allow us to have a hook for side effects. Whenever the getter is executed we can trigger a useful side effect, like a console.log or the triggering of an Analytics event, for instance:

function getUser() {
  Analytics.sendEvent('User object is now being accessed');
  return {name: 'Alice', age: 30};
}

Computations on getters can also be abstract, because functions can be passed around as first-class value in JavaScript. For instance, consider this addition function which takes getters as arguments, and returns a getter of a number, not a number directly:

function add(getX, getY) {
  return function getZ() {
    const x = getX();
    const y = getY();
    return x + y;
  }
}

The benefit of such abstract computation is clearer when the getters return unpredictable values, such as adding with the getter Math.random:

const getTen = () => 10;
const getTenPlusRandom = add(getTen, Math.random);

console.log(getTenPlusRandom()); // 10.948117215055046
console.log(getTenPlusRandom()); // 10.796721274448556
console.log(getTenPlusRandom()); // 10.15350303918338
console.log(getTenPlusRandom()); // 10.829703269933633

It’s also common to see getters being used with Promises, since Promises are known to not be reusable computations, so that wrapping a Promise constructor in a getter (also known as “factory” or “thunk”) makes it reusable.

SETTERS

X => ()

A setter is a function with X as input and no output

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Getter Setter Function Value

Setters are one kind of function, where an argument is provided, but no output value is returned. There are many setters natively in the JavaScript runtime and in the DOM, such as console.log(x), document.write(x), and others.

Unlike getters, setters are often not abstractions, because if no value comes out of the function, it means the function is only meant for sending data or commanding the JavaScript runtime. For instance, while the getter getTen is an abstraction for the number ten and we can pass that getter around as a value, it does not make sense to pass the function setTen around as a value, because you will not be able to retrieve any number by calling it.

That said, setters can be simple wrappers of other setters. Consider this wrapper for the console.log setter:

function fancyConsoleLog(str) {
  console.log('' + str + '');
}

GETTER GETTERS

() => (() => X)

A getter-getter is a function with no input arguments and a getter as output

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Getter-getter Getter Setter Function Value

A special type of a getter is one that returns another getter, so it’s a “getter of getters”. The need for getter-getters arises from using getters to iterate over sequences. For instance, if we want to show the sequence of numbers that are a power of two, we could use the getter getNextPowerOfTwo():

let i = 2;
function getNextPowerOfTwo() {
  const next = i;
  i = i * 2;
  return next;
}

console.log(getNextPowerOfTwo()); // 2
console.log(getNextPowerOfTwo()); // 4
console.log(getNextPowerOfTwo()); // 8
console.log(getNextPowerOfTwo()); // 16
console.log(getNextPowerOfTwo()); // 32
console.log(getNextPowerOfTwo()); // 64
console.log(getNextPowerOfTwo()); // 128

The problem with the code above is that the variable i is declared globally, and if we would want to restart the sequence, we would have to manipulate this variable in the correct way, leaking implementation details of the getter.

What needs to be done to make the code above reusable and free of globals is to wrap the getter in another function. And this wrapper function is also a getter.

function getGetNext() {
  let i = 2;
  return function getNext() {
    const next = i;
    i = i * 2;
    return next;
  }
}

let getNext = getGetNext();
console.log(getNext()); // 2
console.log(getNext()); // 4
console.log(getNext()); // 8
getNext = getGetNext(); // 🔷 restart!
console.log(getNext()); // 2
console.log(getNext()); // 4
console.log(getNext()); // 8
console.log(getNext()); // 16
console.log(getNext()); // 32

Because getter-getters are just a special type of getter, they inherit all the benefits of getters, such as: (1) implementation flexibility, (2) hook for side effects, (3) laziness. The laziness this time is reflected in the initialization step. The outer function enables lazy initialization, while the inner function enables lazy iteration of values:

function getGetNext() {
  // 🔷 LAZY INITIALIZATION
  let i = 2;

  return function getNext() {
    // 🔷 LAZY ITERATION
    const next = i;
    i = i * 2;
    return next;
  }
}

SETTER SETTERS

(X => ()) => ()

A setter-setter is a function with a setter as input and no output

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Getter-getter Setter-setter Getter Setter Function Value

A setter-setter is a particular kind of setter functions, where the argument passed is also a setter. While basic setters are not abstractions, setter-setters are abstractions capable of representing values that can be passed around the codebase.

For instance, consider how it’s possible to represent the number ten through this setter-setter:

function setSetTen(setTen) {
  setTen(10)
}

Notice the lack of a return, because setters never return. The example above might be more readable by simply renaming some arguments:

function setTenListener(cb) {
  cb(10)
}

As the name indicates, cb stands for “callback”, and illustrates how setter-setters are common in JavaScript, given an abundant amount of use cases for callbacks. Consuming the abstract value represented by a setter-setter in the opposite way you would consume a getter. These two examples below are functionally equivalent, but have very different call styles.

setSetTen(console.log);

// compare with...

console.log(getTen());

The benefits of setter-setters are the same as with getters – laziness, implementation flexibility, hook for side effects – but with two new properties that getters don’t have: inversion of control and asynchronicity.

In the example above, the code that uses the getter dictates when the getter is consumed with console.log. However, when using a setter-setter, it’s the setter-setter itself which dictates when to call console.log. This inversion of responsibility allows the setter-setter to have more power than getters, for instance by sending many values to consuming code:

function setSetTen(setTen) {
  setTen(10)
  setTen(10)
  setTen(10)
  setTen(10)
}

Inversion of control also allows the setter-setter to decide when to deliver a value to the callback, for example asynchronously. Recall that another name for setSetTen could be setTenListener:

function setTenListener(cb) {
  setTimeout(() => { cb(10); }, 1000);
}

While setter-setters are common in JavaScript for asynchronous programming, callback-driven code is not necessarily asynchronous. In the setSetTen example below, it is as synchronous as a getter is:

function setSetTen(setTen) {
  setTen(10)
}

console.log('before');
setSetTen(console.log);
console.log('after');

// (Log shows:)
// before
// 10
// after

ITERABLES

() => (() => ({done, value}))

An iterable is (with some details omitted:)
a getter-getter of an object that describes either a value or completion

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Iterable Getter-getter Setter-setter Getter Setter Function Value

Getter-getters are capable of representing restartable sequences of values, but they have no convention to signal the end of a sequence. Iterables are a particular kind of getter-getter where the value is always an object with two properties: done (boolean indicating completion), and value (the actual delivered value unless done is true).

The completion indicator allows the code that consumes an iterable to know that subsequent Gets will return invalid data, so the consuming code can know when to stop iterating.

In the example below, we can produce a finite getter-getter of even numbers in the range 40 to 48, by respecting the completion indicator:

function getGetNext() {
  let i = 40;
  return function getNext() {
    if (i <= 48) {
      const next = i;
      i += 2;
      return {done: false, value: next};
    } else {
      return {done: true};
    }
  }
}

let getNext = getGetNext();
for (let result = getNext(); !result.done; result = getNext()) {
  console.log(result.value);
}

ES6 Iterables have further conventions beyond the simple () => (() => ({done, value})) pattern, they add a wrapper object on each getter:

Here is the code that matches the previous example, but as a valid ES6 Iterable:

const oddNums = {
  [Symbol.iterator]: () => {
    let i = 40;
    return {
      next: () => {
        if (i <= 48) {
          const next = i;
          i += 2;
          return {done: false, value: next};
        } else {
          return {done: true};
        }
      }
    }
  }
}

let iterator = oddNums[Symbol.iterator]();
for (let result = iterator.next(); !result.done; result = iterator.next()) {
  console.log(result.value);
}

Notice the difference between those examples:

-function getGetNext() {
+const oddNums = {
+  [Symbol.iterator]: () => {
     let i = 40;
-  return function getNext() {
+    return {
+      next: () => {
         if (i <= 48) {
           const next = i;
           i += 2;
           return {done: false, value: next};
         } else {
           return {done: true};
         }
       }
+    }
   }
+}

-let getNext = getGetNext();
-for (let result = getNext(); !result.done; result = getNext()) {
+let iterator = oddNums[Symbol.iterator]();
+for (let result = iterator.next(); !result.done; result = iterator.next()) {
  console.log(result.value);
}

ES6 provides the syntax sugar for-let-of to consume Iterables in a convenient way:

for (let x of oddNums) {
  console.log(x);
}

For easily creating Iterables, ES6 also provides the generator function syntax sugar function*:

function* oddNums() {
  let i = 40;
  while (true) {
    if (i <= 48) {
      const next = i;
      i += 2;
      yield next;
    } else {
      return;
    }
  }
}

With production-side syntax sugar and consumption-side syntax sugar, iterables are easy-to-use abstractions for completable sequences of values in JavaScript since 2015. Note that calling a generator function will return an Iterable, the generator function itself is not an Iterable:

function* oddNums() {
  let i = 40;
  while (true) {
    if (i <= 48) {
      yield i;
      i += 2;
    } else {
      return;
    }
  }
}

for (let x of oddNums()) {
  console.log(x);
}

PROMISES

(X => (), Err => ()) => ()

A promise is (with some details omitted:)
a setter of two setters, with additional guarantees

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Iterable Promise Getter-getter Setter-setter Getter Setter Function Value

While setter-setters are powerful, they can be very unpredictable due to inversion of control. They can be synchronous or asynchronous, and can deliver zero or one or multiple values over time. Promises are a special kind of setter-setters that provide some guarantees on the delivery of values:

Compare the setter-setter below with an equivalent Promise. The Promise will deliver the value only once, and not between the two console.log calls because the value delivery is asynchronous:

function setSetTen(setTen) {
  setTen(10)
  setTen(10)
}

console.log('before setSetTen');
setSetTen(console.log);
console.log('after setSetTen');

// (Log shows:)
// before setSetTen
// 10
// 10
// after setSetTen

Compared with:

const tenPromise = new Promise(function setSetTen(setTen) {
  setTen(10);
  setTen(10);
});

console.log('before Promise.then');
tenPromise.then(console.log);
console.log('after Promise.then');

// (Log shows:)
// before Promise.then
// after Promise.then
// 10

Promises conveniently represent one asynchronous and non-reusable value, and since ES2017 have a syntax sugar for production and consumption: asyncawait. To consume the value within a Promise, use await only in functions prefixed with the keyword async:

async function main() {
  console.log('before await');
  const ten = await new Promise(function setSetTen(setTen) {
    setTen(10);
  });
  console.log(ten);
  console.log('after await');
}

main();

// (Log shows:)
// before await
// 10
// after await

The syntax sugar asyncawait can also be used to create a Promise, because the async function returns a Promise which delivers the value that was return‘d in the function.

async function getTenPromise() {
  return 10;
}
const tenPromise = getTenPromise();

console.log('before Promise.then');
tenPromise.then(console.log);
console.log('after Promise.then');

// (Log shows:)
// before Promise.then
// after Promise.then
// 10

OBSERVABLES

(X => (), Err => (), () => ()) => ()

An observable is (with some details omitted:)
a setter of three setters, with additional guarantees

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Iterable Promise Observable Getter-getter Setter-setter Getter Setter Function Value

Like Iterables were a special type of getter-getter with the added capability of signalling completion, Observables are a type of setter-setter that add completion capability too. Typical setter-setters in JavaScript, like element.addEventListener, don’t notify whether the stream of events is done, so this makes it difficult to concatenate event streams or do other completion-related logic.

Unlike Iterables, which are standardized in the JavaScript specification, Observables are loosely-agreed conventions found among several libraries such as RxJS, most.js, xstream, Bacon.js, etc. Although Observables are being considered as a TC39 proposal, the proposal is in flux, so in this article let us assume the Fantasy Observable specification, which libraries like RxJS, most.js and xstream have traditionally followed.

Observables are the dual of Iterables, and this can be seen through some symmetries:

The observer object also can contain two other methods, complete and error, to indicate successful completion and failed completion, respectively. The complete setter is equivalent to the done indicator in Iterables, and the error setter is equivalent to throwing an exception from the iterator getter.

Like Promises, Observables add some guarantees on the delivery of values:

In the example below, the Observable represents an asynchronous and finite sequence of numbers:

const oddNums = {
  subscribe: (observer) => {
    let x = 40;
    let clock = setInterval(() => {
      if (x <= 48) {
        observer.next(x);
        x += 2;
      } else {
        observer.complete();
        clearInterval(clock);
      }
    }, 1000);
  }
};

oddNums.subscribe({
  next: x => console.log(x),
  complete: () => console.log('done'),
});

// (Log shows:)
// 40
// 42
// 44
// 46
// 48
// done

Like with setter-setters, Observables cause inversion of control, so the consumption side (oddNums.subscribe) has no way of pausing or cancelling the incoming flow of data. Most Observable implementations add one important detail to allow cancellation to be transmitted from consumer to producer: Subscriptions.

The subscribe function can return an object – the subscription – with one method: unsubscribe, which the consumer side can use to abort the incoming flow of data. Thus, the subscribe is not anymore a setter, because it’s a function with both input (observer) and output (subscription). Below, we add a subscription object to our previous example:

const oddNums = {
  subscribe: (observer) => {
    let x = 40;
    let clock = setInterval(() => {
      if (x <= 48) {
        observer.next(x);
        x += 2;
      } else {
        observer.complete();
        clearInterval(clock);
      }
    }, 1000);
    // 🔷 Subscription:
    return {
      unsubscribe: () => {
        clearInterval(clock);
      }
    };
  }
};

const subscription = oddNums.subscribe({
  next: x => console.log(x),
  complete: () => console.log('done'),
});

// 🔷 Cancel the incoming flow of data after 2.5 seconds
setTimeout(() => {
  subscription.unsubscribe();
}, 2500);

// (Log shows:)
// 40
// 42

ASYNC ITERABLES

() => (() => Promise<{done, value}>)

An async iterable is (with some details omitted:)
like an iterable that yields promises of values

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Iterable Promise Observable AsyncIterable Getter-getter Setter-setter Getter Setter Function Value

Iterables can represent any infinite or finite sequence of values, but they have one limitation: the value must be synchronously available as soon as the consumer calls the next() method. AsyncIterables extend the power of Iterables by allowing values to be delivered “later”, not immediately when requested.

AsyncIterables implement asynchronous delivery of values by using Promises, because a Promise represents a single asynchronous value. Every time the iterator’s next() (the inner getter function) is called, a Promise is created and returned.

In the example below, we take the oddNums Iterable example and make it yield Promises of values that resolve after a delay:

function slowResolve(val) {
  return new Promise(resolve => {
    setTimeout(() => resolve(val), 1000);
  });
}

function* oddNums() {
  let i = 40;
  while (true) {
    if (i <= 48) {
      yield slowResolve(i); // 🔷 yield a Promise
      i += 2;
    } else {
      return;
    }
  }
}

To consume an AsyncIterable, we can just await each yielded Promise before requesting the next Promise:

async function main() {
  for (let promise of oddNums()) {
    const x = await promise;
    console.log(x);
  }
  console.log('done');
}

main();

// (Log shows:)
// 40
// 42
// 44
// 46
// 48
// done

The example above creates a good intuition for AsyncIterables, but it is actually not a valid ES2018 AsyncIterable. What we did above was an ES6 Iterable of Promises, but ES2018 AsyncIterables are a getter-getter of a Promise of {done, value} objects. Compare these two:

It is counterintuitive that ES2018 AsyncIterables are not Iterables, they are simply getter-getters of Promises, that resemble Iterables in many ways. The reason for this detail is that AsyncIterables also need to allow completion (the done boolean) to be sent asynchronously, so the Promise must wrap the whole {done, value} object.

Because AsyncIterables are not Iterables, they use different Symbols. While Iterables rely on Symbol.iterator, AsyncIterables use Symbol.asyncIterator instead. In the example below, we implement a valid ES2018 AsyncIterable that is similar to the previous example:

const oddNums = {
  [Symbol.asyncIterator]: () => {
    let i = 40;
    return {
      next: () => {
        if (i <= 48) {
          const next = i;
          i += 2;
          return slowResolve({done: false, value: next});
        } else {
          return slowResolve({done: true});
        }
      }
    };
  }
};

async function main() {
  let iter = oddNums[Symbol.asyncIterator]();
  let done = false;
  for (let promise = iter.next(); !done; promise = iter.next()) {
    const result = await promise;
    done = result.done;
    if (!done) console.log(result.value);
  }
  console.log('done');
}

main();

Like Iterables have the syntax sugars function* and forletof, and like Promises have the asyncawait syntax sugar, AsyncIterables in ES2018 come with two syntax sugar features:

In the example below, we use both features to create an asynchronous sequence of numbers, and consume them with a for-await loop:

function sleep(period) {
  return new Promise(resolve => {
    setTimeout(() => resolve(true), period);
  });
}

// 🔷 Production side can use both `await` and `yield`
async function* oddNums() {
  let i = 40;
  while (true) {
    if (i <= 48) {
      await sleep(1000);
      yield i;
      i += 2;
    } else {
      await sleep(1000);
      return;
    }
  }
}

async function main() {
  // 🔷 Consumption side uses the new syntax `for await`
  for await (let x of oddNums()) {
    console.log(x);
  }
  console.log('done');
}

main();

Although they are new features, syntax sugars for AsyncIterables are already supported in Babel, TypeScript, Firefox, Chrome, Safari, and Node.js. AsyncIterables are convenient to combine Promise-based APIs (e.g. fetch) to create asynchronous sequences, such as listing the users in a database, requesting one user at a time:

async function* users(from, to) {
  for (let x = from; x <= to; x++) {
    const res = await fetch('http://jsonplaceholder.typicode.com/users/' + x);
    const json = await res.json();
    yield json;
  }
}

async function main() {
  for await (let x of users(1, 10)) {
    console.log(x);
  }
}

main();

OPERATORS

The abstractions listed in this article are simply special cases of the JavaScript function. By definition, they cannot have more power than functions have, so this makes functions the most powerful and flexible abstraction. The downside of full flexibility is unpredictability. What these abstractions provide are guarantees, and based on guarantees you can write code that is more organized and more predictable.

Functions, on the other hand, are simply JavaScript values, and this allows them to be passed around and manipulated. This capability – passing functions as values – can also be used for the abstractions we saw in this article. We can pass Iterables or Observables or AsyncIterables around as values, and manipulate them along the way.

One of the most common manipulations is map, popular in Arrays, but relevant also for other abstractions. In the example below, we create the map operator for AsyncIterables, and use it to create an AsyncIterable of names of users in a database.

async function* users(from, to) {
  for (let i = from; i <= to; i++) {
    const res = await fetch('http://jsonplaceholder.typicode.com/users/' + i);
    const json = await res.json();
    yield json;
  }
}

// 🔷 Map operator for AsyncIterables
async function* map(inputAsyncIter, f) {
  for await (let x of inputAsyncIter) {
    yield f(x);
  }
}

async function main() {
  const allUsers = users(1, 10);
  // 🔷 Pass `allUsers` around, create a new AsyncIterable `names`
  const names = map(allUsers, user => user.name);
  for await (let name of names) {
    console.log(name);
  }
}

main();

Writing the above code example with none of the abstractions in the Getter-Setter Pyramid requires more amount of code, which is also harder to read. Using operators and new syntax sugar features is how you can take advantage of these special cases of the function to do more with less code, without sacrificing readability.

<?xml version=”1.0” encoding=”UTF-8” standalone=”no”?>

Iterable Promise Observable AsyncIterable Getter-getter Setter-setter Getter Setter Function Value
Become a Patron!

Copyright (C) 2018 Andre 'Staltz' Medeiros, licensed under Creative Commons BY-NC 4.0, translations to other languages allowed.