The Object⏩to⏩Stream mindset shift

If you took programming lessons, chances are they taught you classes, inheritance, encapsulation — the usual stuff of Object Oriented Programming (OOP). Perhaps it made even sense: wrap data and behaviour together, send messages between instances and build a system that models a crystal-clear vision the world.

But what happens when we move away from the world of things and into the world of workflows? In the real world, everything changes, all the time, right?
That’s where Stream Oriented Programming (SP) comes in. Instead of thinking of “objects holding state,” we think in terms of “information/data/values flowing through time”.

And if you’ve worked with RxJS before, you already know that streams let you model async data in a very natural way. The next step is to stop bolting them onto OOP frameworks and instead build the UI itself as a graph of streams.

Why objects feel comfortable

Let’s look at a very familiar OOP pattern. Imagine a simple counter:

class Counter {
  private count = 0;

  increment() {
    this.count++;
    this.render();
  }

  render() {
    return ``;
  }
}

const counter = new Counter();

document.body.innerHTML = counter.render();
document.body.addEventListener('click', () => counter.increment());

This is straightforward: the Counter object holds state, has methods, and updates the DOM whenever something changes.

The mindset here is:

  • I have an object.
  • The object has state.
  • The object has behaviour.
  • When behaviour is triggered, the object mutates itself, or in worst cases, the rest of the world.

How are streams different

Now let’s look at SP, using Rimmel.js:

import { BehaviorSubject, scan } from 'rxjs';
import { rml } from 'rimmel';

const count = new BehaviorSubject(0).pipe(
  scan(x => x + 1)
);

const App = () => rml`
  
`;

document.body.innerHTML = App();

Here’s the mental shift:

  • I don’t have an object.
  • I have a stream.
  • That stream represents state over time.
  • Events are also streams, merged into the same flow.
  • Rendering isn’t a method call — it’s just describing how streams connect.

No explicit render() call, no mutable this.count. The button is “subscribed” to the count stream, and the DOM updates automatically whenever count changes.

OOP vs SP, side by side

Concept OOP SP
State Fields inside objects Streams of values
Behaviour Methods that mutate Transformations of streams
Events Callbacks, listeners Event streams
Rendering Imperative calls Reactive subscriptions
Model Objects as entities Data flowing through time

In OOP, a live search usually means:

  • Grab an input field.
  • Add a keyup listener.
  • Cancel pending timers manually.
  • Fire off fetch requests.
  • Update a result list.

In SP with Rimmel.js, the logic is expressed declaratively:

const item = str => rml`
  • ${str}
  • `
    ; const typeahead = new Subject<string>().pipe( debounceTime(300), switchMap(q => ajax.getJSON(`/countries?q=${q}`)), map(list => list.map(item).join('')) ); const App = () => rml`

    Basic Typeahead example

    ${
    Value(typeahead)}">
      ${typeahead}
    `
    ;

    Here, keystrokes are a stream. Debouncing is just an operator. Fetching is a transformation. Rendering the results is another subscription. No manual cleanup, no “mutable query field”.

    Example 3: Form validation

    OOP approach:

    • Each input is tied to a property.
    • Each property has flags like isValid.
    • Validation is run imperatively on every change.
    • A form object aggregates results.

    SP approach with Rimmel.js:

    const App = () => rml`
      const submit = new Subject;
    
      const valid = submit.pipe(
        map(({ email, password }) => ALL(
          email.includes('@'),
          password.length >= 6
        ))
      );
    
      const invalid = valid.pipe(
        map(x=>!x)
      );
    
      return rml`
        <form onsubmit="${AsFormData(submit)}">
          <input name="email">
          <input name="password" type="password">
          <button disabled="${invalid}">Submit</button>
        </div>
      `;
    }
    
    document.body.innerHTML = App();
    

    Validation logic, enabled/disabled state is just a composition of streams.

    Where to go from here

    If you’re curious, Rimmel.js is a great playground to explore this mindset further. It’s lightweight, RxJS-friendly, and built around streams from the ground up.

    👉 Try it out here: Rimmel.js on GitHub

    And next time you’re about to spin up a class with a render() method, ask yourself: what would this look like if it were a stream?

    Learn More

    Total
    0
    Shares
    Leave a Reply

    Your email address will not be published. Required fields are marked *

    Previous Post
    the-next-generation-of-six-sigma:-linking-continuous-improvement-to-strategy

    The Next Generation of Six Sigma: Linking Continuous Improvement to Strategy

    Next Post

    PODCAST | Trends in Robotics for the New Year

    Related Posts