Search results for

All search results
Best daily deals

Affiliate links on Android Authority may earn us a commission. Learn more.

Reactive programming with RxAndroid

Reactive programming is an exciting way to write programs. Learn how to use RxJava and RxAndroid to write a simple Android app.
By

Published onAugust 26, 2016

rxsample_featured

Reactive programming, RxJava and RxAndroid have become increasingly familiar nomenclature within the Android app development world. For someone new to these concepts, it can appear a little bit overwhelming and strange. The aim of this tutorial is to show how simple reactive programming actually is, and to serve as an introduction for developers not familiar with the concept (also a refresher for all you uber reactive programmers).

Reactive programming concepts

Reactive programming is an extension of the Observer software design pattern, where an object has a list of Observers that are dependent on it, and these Observers are notified by the object whenever it’s state changes.

There are two basic and very important items in reactive programming, Observables and Observers. Observables publish values, while Observers subscribe to Observables, watching them and reacting when an Observable publishes a value.

In simpler terms:

  • An Observable performs some action, and publishes the result.
  • An Observer waits and watches the Observable, and reacts whenever the Observable publishes results.

There are three different changes that can occur on an Observable that the Observer reacts to. These are:

  1. Publishing a value
  2. Throwing an error
  3. Completed publishing all values

A class that implements the Observer interface must provide methods for each of the three changes above:

  1. An onNext() method that the Observable calls whenever it wishes to publish a new value
  2. An onError() method that’s called exactly once, when an error occurs on the Observable.
  3. An onCompleted() method that’s called exactly once, when the Observable completes execution.

So an Observable that has an Observer subscribed to it will call the Observer’s onNext() zero or more times, as long as it has values to publish, and terminates by either calling onError() or onCompleted().

Sample Program

As usual, we have developed a sample app, available on github, that demonstrates the concepts in this tutorial. Each concept is presented in it’s own Activity. You’ll need the rxjava and rxandroid libraries for this tutorial, which you can add to your project by including the following lines in your app build.gradle file.

Code
dependencies {
    ...
    compile 'io.reactivex:rxandroid:1.2.1'
    compile 'io.reactivex:rxjava:1.1.9'
}

Simple Example

Our first sample activity is the quintessential Hello World. We are going to create an Observable that retrieves a string from a TextView, and publishes this string to an Observer. This Observer then outputs the string to a TextBlock.

Creating an Observable
We’ve elected to create our Observable using the static Observable.create() method. There are a ton of different ways to create Observables, some of which we’ll get to later, and most of which you’ll discover based on your needs.

Code
Observable<String> myObservable = Observable.create(
                new Observable.OnSubscribe<String>() {
                    @Override
                    public void call(Subscriber<? super String> sub) {
                        sub.onNext(rx1Binding.editText.getText().toString());
                        sub.onCompleted();
                    }
                }
        );

From the code snippet above, the Observable’s onSubscribe() method calls the Subscriber’s onNext(), followed immediately by onCompleted(). (A Subscriber is a class that implements the Observer interface).

Creating an Observer
Creating our Observer is pretty straightforward, as seen in the code chunk below. We simply override the Observer interface methods. Notice that we have empty implementations for both onCompleted and onError.

Code
Observer myObserver = new Observer<String>() {

            @Override
            public void onCompleted() {

            }

            @Override
            public void onError(Throwable e) {

            }

            @Override
            public void onNext(String text) {
                rx1Binding.textView.setText(text);
            }
        };

Linking Observable and Observer
Now that we’ve created both the Observable and Observer, we have to link them, so that the Observable knows to publish to the Observer. This is done with the Observable’s subscribe() method, which is called whenever the “Subscribe” button is clicked.

Code
rx1Binding.button.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                myObservable.subscribe(myObserver);
            }
        });
Sample Activity1

Voila! We have used reactive programming to fetch and display a string in an Android app. Now, this is a lot of work to display a string, and can be done with much more simplicity and elegance using

Code
rx1Binding.textView.setText(rx1Binding.editText.getText().toString());

Let’s move on to a more involved sample.

Asynchronous Example

In the previous sample, the Observable fetched a string instantly from within the app. It is highly likely, however, that the Observable would need to perform some long running task such as fetching data from a remote server. For this next sample, we are going to pause for 3 seconds while in the Observable, and then modify the received string before publishing it to the Observer.

rxsample_activity2

As dicussed above, within the Observable, execution is paused for 3000 milliseconds, and then the content of the EditText is split based on newlines. Each line is numbered, and then all the lines are published to the Observer.

Code
myObservable = Observable.create(
                new Observable.OnSubscribe<String>() {
                    @Override
                    public void call(Subscriber<? super String> sub) {
                        try {
                            Thread.sleep(3000);
                        } catch (Exception e) {
                            e.printStackTrace();
                        }
                        String[] strings = rx2Binding.editText.getText().toString().split("\n");
                        StringBuilder builder = new StringBuilder();
                        for (int i = 0; i < strings.length; i++) {
                            builder.append((i+1) + ". " + strings[i] + "\n");
                        }
                        sub.onNext(builder.toString());
                        sub.onCompleted();
                    }
                }
        );

The Observer remains unchanged from the previous sample. It expects a string from the Observable, and publishes this string to the TextBlock.

Execute Observable on another thread

For any application that users interact with, long running tasks should not be executed on the main UI thread, since this can freeze up the application, and make it appear unresponsive. In Android development, these kind of tasks are usually abstracted into an AsyncTask, and when the task is complete, the UI is updated via on the main thread.

To achieve the same using RxAndroid,

Code
rx2Binding.button.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                rx2Binding.button.setEnabled(false);
                myObservable
                        .subscribeOn(Schedulers.io())
                        .observeOn(AndroidSchedulers.mainThread())
                        .subscribe(myObserver);
            }
        });

The subscribeOn() method above specifies the thread that the Observable runs on, which is set to the IO Scheduler (Schedulers.io()) . The observeOn() method indicates what thread the Observer should execute on. By default, the Observer will be executed on the same thread as the Observable, but we have set the observeOn() thread to AndroidSchedulers.mainThread() (RxAndroid specific method that indicates the Android UI thread). With just those two lines, we have specified that the blocking/time consuming Observable execute in the background, and whenever it completes, the result should be displayed on the UI.

Introducing Operators

Take a look at the code we used to subscribe in the previous step.

Code
myObservable
                        .subscribeOn(Schedulers.io())
                        .observeOn(AndroidSchedulers.mainThread())
                        .subscribe(myObserver);

We added a couple of intermediate steps between the Observable and the final Observer. Each step above creates a new Observable, and there can be any number of intermediate steps between the initial Observable and the final Observer. These intermediate methods are referred to as operators. There are a huge number of operators in the RxJava library, which we cannot realistically make a dent in within a reasonably sized article.

An interesting, and easy to understand operator is the map() operator. It transforms objects of one type to another. for example

Code
map(new Func1<Integer, String>() { 
		@Override 
		public String call(Integer integer) { 
			return String.valueOf(integer);
		} 
	});

In the snippet above, we are converting an Observable that publishes an Integer into an Observable that publishes a String. In the call method, we receive an Integer, and return the String equivalent. The map() method handles the creation of the relevant Observable.

Other ways of creating Observables

Up to this point, we’ve used only the Observable.create() method to initialize our Observables. The RxJava library contains many other methods for creating Observables, depending on the initial data, and/or how the published values should be consumed. Two of these many methods include Observable.from() and Observable.just().

Observable.just() converts any object into an Observable. For example, the following single line will completely replace the Observable.create() block in our two sample Activity classes above.

Code
Observable.just(rx1Binding.editText.getText().toString());

An Observable is created with the single line above. Observable.from() is identical to Observable.just(), except that it expects an Iterable, and will publish an Observable for each of the contents of the Iterable.

A more involved sample

The third sample is going to build expand on the second, an utilize the new concepts introduced above. We will split a string into a list, then, for each item in the list, we would append it’s position in the list, and publish each item.

SampleActivity3
Code
Observable.from(rx3Binding.editText.getText().toString().split("\n"))
              .subscribeOn(Schedulers.io())
              .map(new Func1<String, String>() {
                  @Override
                  public String call(String morphedString) {
                      try {
                          Thread.sleep(2000);
                      } catch (Exception e) {
                          e.printStackTrace();
                      }
                      return mCounter++ + ". " + morphedString;
                  }
              })
              .observeOn(AndroidSchedulers.mainThread())
              .subscribe(myObserver);

We’ve condensed the creation of the Observable, using Observable.from(). For each String published to map(), the app sleeps for 2000 milliseconds, appends the string position to the string, before finally publishing to the Observer. The Observer still remains unchanged.

Handling Errors

An error anywhere in between the source Observable and target Observer gets propagated directly to the Observer’s onError() method. The advantage of this is that there is one central place for error handling. No matter how complex your Observable tree gets, the error handling is done at the end, within the Observer’s onError().

Code
myObserver = new Observer<String>() {

            @Override
            public void onCompleted() {
                rx3Binding.button.setEnabled(true);
            }

            @Override
            public void onError(Throwable e) {
                Toast.makeText(SampleRxActivity4.this,
                        "A \"" + e.getMessage() + "\" Error has been caught",
                        Toast.LENGTH_LONG).show();
                rx4Binding.startButton.setEnabled(true);
                rx4Binding.stopButton.setEnabled(false);
            }

            @Override
            public void onNext(String string) {
                rx4Binding.textView.setText(rx4Binding.textView.getText() + "\n" + string);
            }
        };
Reactive programming - onError

To test this, we included a toggle button, to indicate if we want to trigger an error condition. Within the map() operator, we attempt a divide by zero if the toggle is checked, as shown below.

Code
Observable.from(rx4Binding.editText.getText().toString().split("\n"))
                        .subscribeOn(Schedulers.io())
                        .map(new Func1() {
                            @Override
                            public String call(String morphedString) {
                                try {
                                    Thread.sleep(2000);
                                } catch (Exception e) {
                                    e.printStackTrace();
                                }
                                if (rx4Binding.errorToggle.isChecked())
                                    mCounter = 2 / 0;
                                return mCounter++ + ". " + morphedString;
                            }
                        })
                        .observeOn(AndroidSchedulers.mainThread())
                        .subscribe(myObserver);

Stopping Subscriptions

So far, we have gone by the assumption that our Observables will execute to completion, and publish all values to the Observer. This is not practicable in real life, since the user might close your app before your Observable has done executing. Also, your Observable can possibly never terminate, publishing values on a timer, or on receipt of data from some other source.

The subscribe() method returns a Subscription object, whose sole purpose is to allow unsubscribing. In the demo app, we declare a Subscription variable

Code
public class SampleRxActivity4 extends AppCompatActivity {
    Subscription subscription;
    ...

}

Then we assign the Subscription created by calling subscribe to our Subscription variable.

Code
subscription = Observable.from(rx4Binding.editText.getText().toString().split("\n"))
                        .subscribeOn(Schedulers.io())
                        ...
                        
                        .observeOn(AndroidSchedulers.mainThread())
                        .subscribe(myObserver);

And finally we unsubscribe whenever the “Stop Subscription” button is clicked.

Code
rx4Binding.stopButton.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                if (!subscription.isUnsubscribed())
                    subscription.unsubscribe();
                rx4Binding.startButton.setEnabled(true);
                rx4Binding.stopButton.setEnabled(false);
            }
        });
Reactive programming - Stop subscription

Also, make sure to unsubscribe from all Observables in your Activity’s onStop() method (or onPause() depending on what you’re observing).

Code
@Override
    public void onStop() {
        super.onStop();
        if (!subscription.isUnsubscribed())
            subscription.unsubscribe();
    }

Final Notes

Observers should be what reacts to mutations. You should avoid performing any cpu and/or network intensive tasks on an Observer. In fact, you should perform as little computation as possible in your Observers. All the hard work should be done in the Observable, while the Observer receives the results. Check out the RxJava and RxAndroid javadocs for more information.

As usual, the complete source code for the examples used in this tutorial is available on github. Feel free to check out and use however you see fit.