Skip to content

Observable

DavidMGross edited this page Dec 18, 2013 · 50 revisions

Introduction

In the Rx (reactive) pattern an Observer object subscribes to an object that implements the Observable interface. Then that Observer reacts to whatever item or items the Observable object emits. This pattern facilitates concurrent operations by not blocking while waiting for the Observable to emit objects, but by instead creating a sentry in the form of an Observer that stands ready to react appropriately at whatever future time the Observable does so.

This page explains what the reactive pattern is and what Observables and Observers are (and how Observers subscribe to Observables). Subsequent child pages (as shown in sidebar) show how you use utility methods on the Observable class to link Observables together and change their behaviors.

This documentation accompanies its explanations with "marble diagrams." Here is how marble diagrams represent Observables and transformations of Observables:

see also

Background

In many software programming tasks, you more or less expect that the instructions you write will execute and complete incrementally, one-at-a-time, in order as you have written them. So for instance, you might write a program something like the following pseudocode:

// get a "Montgomery Ward" catalog object
catalog       = getCatalog("Montgomery Ward");
// get my bank account balance
availableCash = myBankAccount.getBalance();
// find my size of jeans in the catalog
jeans         = catalog.findJeans("38W", "38L", "blue" ); 
// if I have enough money, buy them
if( availableCash >= jeans.getPurchasePrice() ) catalog.purchase( jeans );

But in the Rx paradigm, many instructions execute in parallel and their results are later captured, in arbitrary order, by “Observers.” In these cases, rather than calling a method, you define a method call in the form of an “Observable,” and then subscribe an “Observer” to it, at which point the call takes place in the background with the Observer standing sentry to capture and respond to its return values whenever they arrive.

An advantage of this approach is that when you have a bunch of tasks to do that are not dependent on each other, you can start them all at the same time rather than waiting for each one to finish before starting the next one --- that way, your entire bundle of tasks only takes as long to complete as the longest task in the bundle.

Here is how the equivalent jeans-buying process might take place in the reactive model:

catalogObservable = getCatalog("Montgomery Ward");
catalogObservable
   .mapMany({catalog -> catalog.findJeans("38W", "38L", "blue" )})
   .zip(myBankAccount.getBalance(),
        {product, cash -> if(cash > product.getPurchasePrice()) product.purchase() });

There are many terms used to describe this model of asynchronous programming and design. This document will use the following terms: An Observer object subscribes to an object that implements the Observable interface; that is, you subscribe an Observer to an Observable. An Observable emits items or sends notifications to its Observers by invoking the Observers' methods.

In other documents and other contexts, what we are calling a “Observer” is sometimes called a “watcher” or “reactor.” This model in general is often referred to as the “reactor pattern”.

Setting up Observers

This document uses Groovy for code examples, but you can use RxJava in any JVM language --- such as Clojure, Scala, JRuby, Javascript, or Java itself.

In an ordinary method call --- that is, not the sort of asynchronous, parallel calls typical in reactive programming --- the flow is something like this:

  1. Call a method.
  2. Store the return value from that method in a variable.
  3. Use that variable and its new value to do something useful.

Or, something like this:

// make the call, assign its return value to `returnVal`
returnVal = someMethod(itsParameters);
// do something useful with returnVal

In the asynchronous model the flow goes more like this:

  1. Define a method that does something useful with the return value from the asynchronous call, this method is part of the Observer.
  2. Define the asynchronous call itself as an Observable object.
  3. Attach the Observer to that Observable by subscribing it (this also initiates the call).
  4. Go on with your business; whenever the call returns, the Observer's method will begin to operate on its return value or values --- the items emitted by the Observable.

Which looks something like this:

// defines, but does not invoke, the observer's onNext handler
def myOnNext = { it -> do something useful with it };
// defines, but does not invoke, the Observable
def myObservable = someObservable(itsParameters);
// subscribes the observer to the Observable, and invokes the Observable
myObservable.subscribe(myOnNext);
// go on about my business

onNext, onCompleted, and onError

The subscribe() method may accept one to three methods, or it may accept an Observer which implements three methods. These methods are as follows:

onNext defines the method that the Observable will invoke whenever the Observable emits an item. This method takes as a parameter an item emitted by the Observable.

onError: An Observable will invoke this Observer method to indicate that it has failed to generate the expected data. This stops the Observable and it will not make further calls to onNext or onCompleted. The onError method takes as its parameter the Throwable that caused the error (or a CompositeException in those cases where there may have been multiple errors).

onCompleted: An Observable will invoke this Observer method after it has called onNext for the final time, if it has not encountered any errors.

A more complete subscribe() example would therefore look like this:

def myOnNext    = { it -> do something useful with it };
def myError     = { Throwable -> react sensibly to a failed call };
def myComplete  = { clean up after the final response };
def myObservable = someMethod(itsParameters);
myObservable.subscribe(myOnNext, myError, myComplete);
// go on about my business

see also:

Some Notes on Naming Conventions

The names of methods and classes in RxJava hew close to those in Microsoft's Reactive Extensions. This has led to some confusion, as some of these names have different implications in other contexts, or seem awkward in the idiom of a particular implementing language.

For example there is the onEvent naming pattern (e.g. onNext, onCompleted, onError). In many contexts such names would indicate methods by means of which event handlers are registered. In the RxJava Observer context, however, they name the event handlers themselves.

Composition via Observable Operators

The Observable/Observer classes along with onNext/onError/onCompleted are only the start of RxJava. By themselves they'd be nothing more than a slight extension of the standard observer pattern, better suited to handling a sequence of events rather than a single callback.

The real power comes with the “reactive extensions” (hence “Rx”) --- operators that allow you to transform, combine, manipulate, and work with the sequences of asynchronous items emitted by Observables.

These Rx operators allow you to compose asynchronous sequences together in a declarative manner with all the efficiency benefits of callbacks but without the drawbacks of nesting callback handlers that are typically associated with asynchronous systems.

This documentation groups information about the various operators and examples of their usage into the following pages (these are also listed in the sidebar):