SlideShare a Scribd company logo
Reactive Programming with
RxJava
Jobaer Chowdhury
Technical Project Manager, Cefalo
Presented @ JUGBD 6.0 (25/02/2017)
Writing concurrent code in Java is hard.
Writing correct concurrent code is even
harder
Unless you’ve read
this from cover to
cover, twice :-)
What is RxJava?
What is RxJava?
- A library for composing asynchronous and event based programs
We can write concurrent code using RxJava library without worrying about low
level threads, locks and synchronization.
Brief history or Rx
Reactive Extensions: first introduced by Microsoft
RxJava: the jvm implementation was first developed by Netflix
Current version is 2.x
(I’ll talk about version 1.x here)
RxJava: Most starred java repository on
Github
Reactive programming with RxJava
Many implementations
Rx.NET
RxJava
RxJS
RxScala
RxClojure
…. And some others
So let’s get started ...
Observable<T> is the heart of RxJava
Observable<T>
… a flowing sequence of values
… a stream of events
An observer can subscribe to the Observable
The Observable may call onNext(), onError() or onCompleted() on
the observer
Let’s compare Observables to Iterables
We all know Iterables, right?
Iterable<T> {
Iterator<T> iterator();
}
Iterator<T> {
Boolean hasNext();
T next();
}
Observable duality with Iterable
Iterable<T>, Iterator<T>
● Get an iterator
● hasNext(), next()
● Pull based
● Sync
Observable<T>, Observer<T>
● Subscribe an observer
● onNext(), onError(), onCompleted()
● Push based
● Async
Observable<T> examples
● Observable<Tweet>
● Observable<Temperature>
● Observable<Person>
● Observable<HttpResponse>
● Observable<MouseEvent>
….. and so on
Hello Observable!
Let’s create an Observable<String> that will emit “Hello, world!”
Observable<String> hello = Observable.create(obs -> {
obs.onNext(“Hello, world!”);
});
And we can subscribe to it ...
Observable<String> hello = Observable.create(obs -> {
obs.onNext(“Hello, world!”);
});
hello.subscribe(s -> {
System.out.println(s);
});
We can simplify the creation here
Observable<String> hello = Observable.just(“Hello, World!”);
We can also handle errors and completed event
Observable<String> hello = Observable.just(“Hello, World!”);
hello.subscribe(
val -> {System.out.println(val);},
error -> {System.out.println(“Error occurred”);},
() -> { System.out.println(“Completed”)};
})
We’ve seen how we can create
Observables, and how to consume them.
Let’s see how we can modify/operate on
Observables
Reactive programming with RxJava
Observable.filter example
Observable<Integer> numbers = Observable.just(1, 2, 3, 4, 5, 6);
Observable<Integer> result = numbers.filter(num -> num % 2 == 0);
// the result will contain 2, 4, 6 inside the Observables
Reactive programming with RxJava
Observable.map example
// We have a function that gives us an Observable of ints
Observable<Integer> ids = searchForArticles(“dhaka”);
// another function that takes an int, and returns an article
Article loadArticle(Integer articleId) {...}
Observable<Article> result = ids.map(id -> loadArticle(id));
Reactive programming with RxJava
Observable.flatMap example
// We have a function that gives us an Observable of ints
Observable<Integer> ids = searchForArticles(“dhaka”);
// and a function returns an article wrapped inside Observable
Observable<Article> loadArticle(Integer articleId) {...}
Observable<Article> result = ids.flatMap(id -> loadArticle(id));
Map vs. flatMap
Map vs. flatMap example
Observable<Integer> ids = searchForArticles(“dhaka”);
Observable<Article> loadArticle(Integer articleId) {...}
Observable<Observable<Article>> res = ids.map(this::loadArticle);
Observable<Article> result = ids.flatMap(this::loadArticle);
Reactive programming with RxJava
There are many more operators ...
Let’s use Observables to solve a real
world problem
A real world example
Let’s assume we are working for a news service. And we have the following
requirements.
● Do a search for a term on the search server. The search server will return
some ids
● For each id load the news article from db.
● For each id find out how many likes the article has on social network
● Merge the result from above two steps and send it to view layer
Let’s assume we have the following (sync) API
List<Integer> searchForArticles(String query)
PersistentArticle loadArticle(Integer articleId)
Integer fetchLikeCount(Integer articleId)
…. and we can create article by using the db object and like count
Article result = new Article(PersistentArticle, Integer)
One way of solving it
List<Integer> searchResult = searchForArticles(“dhaka”);
List<Article> result = new ArrayList<>();
for(Integer id : searchResult) {
PersistentArticle pa = loadArticle(id)
Integer likes = fetchLikeCount(id)
result.add(new Article(pa, likes));
}
return result;
Do you see any problem with this code?
It’s sequential, and may take some time
to run.
Reactive programming with RxJava
When an article is loading, nothing
prevents us from fetching the like count
of that article,
or loading another article, right?
Reactive programming with RxJava
A concurrent solution may save us
running time. And we can use
Observables to do so.
Let’s try to use Observables now
Let’s assume now we have an async API
Observable<Integer> searchForArticles(String query)
Observable<PersistentArticle> loadArticle(Integer articleId)
Observable<Integer> fetchLikeCount(Integer articleId)
And we need to come up with the result as the following type.
Observable<Article> result = … ;
// We can use the result like following
result.subscribe(article -> {//update the view with it});
Don’t worry about how the async API
was implemented. Just assume it is
present.
(If we only have a sync api, we can still make it async by wrapping things inside
Observables, using Observable.create, just etc.)
First step: do the search
Observable<Integer> ids = searchForArticles(String query);
….
For each id we need to load the article and fetch the like count.
How do we get the ids out from the
Observable?
We don’t, instead we apply some
operator to transform the source
Observable to a different one
Let’s go back to few slides ago, and see
how we solved the problem sequentially
The traditional solution ...
List<Integer> searchResult = searchForArticles(“dhaka”);
List<Article> result = new ArrayList<>();
for(Integer id : searchResult) {
PersistentArticle pa = loadArticle(id)
Integer likes = fetchLikeCount(id)
result.add(new Article(pa, likes));
}
return result;
Reactive programming with RxJava
But we don’t do it like this in rx
Reactive programming with RxJava
Many Observable operators take lambda
as parameter.
And we can get the item from inside the
Observable box as a parameter of our
supplied lambda.
In case of Observable.filter
Observable<Integer> numbers = Observable.just(1, 2, 3, 4, 5, 6);
numbers.filter(num -> num % 2 == 0);
// The Observable.filter operator takes a lambda as parameter
// We pass it a lambda
// Our supplied lambda will be called for each of the item
// So here the parameter “num” will represent an item inside the box
// This is how we get things out from Observable box.
So, let’s get back to the original question
Observable<Integer> ids = searchForArticles(String query);
….
For each id we need to load the article and fetch the like count.
Now we know we need to apply some
operator, which one?
We have to apply flatMap
Observable<Integer> ids = searchForArticles(query);
ids.flatMap(id -> {
// do something with the id
...
});
So, by applying flatMap, we somehow get the item from inside the Observable
box, as the parameter of our lambda.
We have to apply flatMap
Observable<Integer> ids = searchForArticles(query);
ids.flatMap(id -> {
Observable<PersistentArticle> arts = loadArticle(id);
Observable<Integer> likes = fetchLikeCount(id);
//how do we get the article out from inside Observable?
});
We need to apply flatMap again ...
Observable<Integer> ids = searchForArticles(query);
ids.flatMap(id -> {
Observable<PersistentArticle> arts = loadArticle(id);
Observable<Integer> likes = fetchLikeCount(id);
return arts.flatMap(art -> {
// and now we need to get the likes out
});
})
And flatMap again ...
Observable<Integer> ids = searchForArticles(query);
ids.flatMap(id -> {
Observable<PersistentArticle> arts = loadArticle(id);
Observable<Integer> likes = fetchLikeCount(id);
return arts.flatMap(art -> {
return likes.flatMap(like -> {
// now we have everything to make an Article object
// so what do we return here? A new Article()?
});
});
})
We need to wrap the result inside Observable
Observable<Integer> ids = searchForArticles(query);
ids.flatMap(id -> {
Observable<PersistentArticle> arts = loadArticle(id);
Observable<Integer> likes = fetchLikeCount(id);
return arts.flatMap(art -> {
return likes.flatMap(like -> {
return Observable.just(new Article(art, like));
});
});
})
We can remove some nesting here ...
Reactive programming with RxJava
Alternate version using zip
Observable<Integer> ids = searchForArticles(query);
ids.flatMap(id -> {
Observable<PersistentArticle> arts = loadArticle(id);
Observable<Integer> likes = fetchLikeCount(id);
return Observable.zip(arts, likes, (art, lc) -> {
return new Article(art, lc);
});
});
})
Using the full power of Java 8 …
searchForArticles(query).flatMap(id -> {
return zip(loadArticle(id),
fetchLikeCount(id),
Article::new);
});
});
Using the full power of Java 8 …
searchForArticles(query).flatMap(id -> {
return zip(loadArticle(id),
fetchLikeCount(id),
Article::new);
});
});
This is the solution we desire. I find this code beautiful. And it’s (mostly)
concurrent (depending on the implementation of the search, load, etc.).
Keep these in mind while using RxJava
● Observables can emit zero, one or more items
● Observables can be of infinite stream of values/events
● Observables can complete without returning anything, Observable.empty().
● Observables can emit some items and then call onError() to terminate
abnormally
● If onError() is called, then onCompleted will not be called
Keep these in mind while using RxJava
● Observables are by default lazy. If no subscriber is subscribed, then nothing
will be executed.
● By default they run in the same thread from which the subscriber is called
● You can change the subscriber thread by calling subscribeOn()
● You can change the observer thread by calling observeOn()
● There are some built in Schedulers (similar to thread pool). For example
Schedulers.io(), Schedulers.computation().
● A single Observable issues notifications to observers serially (not in parallel).
A better version of the previous code
searchForArticles(query).flatMap(id -> {
return Observable.just(id)
.subscribeOn(Schedulers.io())
.flatMap(i ->{
return zip(loadArticle(i),
fetchLikeCount(i),
Article::new);
});
});
});
In fact this is the concurrent version, although it lost it’s beauty a bit :-)
Hoping to cover this in a future session.
When you have multiple async or
concurrent things, depending on each
other, RxJava may be a good candidate.
I only covered the basics, there are way
more to learn …
Advanced topics (maybe in some future sessions)
A whole lot more operators
Subjects
Schedulers
Backpressure
Implementing custom operators
Have a look into
● CompletableFuture (introduced in java 8)
● Reactive streams specification (which RxJava 2.x implemented)
● java.util.concurrent.Flow api (coming in java 9)
Reference
● Collection of all tutorials, http://reactivex.io/tutorials.html
● Reactive programming with RxJava book,
http://shop.oreilly.com/product/0636920042228.do
● The RxJava contract, http://reactivex.io/documentation/contract.html
Thank you!

More Related Content

What's hot (20)

Introduction to AngularJS
Introduction to AngularJS
David Parsons
 
Laravel overview
Laravel overview
Obinna Akunne
 
Infinispan, a distributed in-memory key/value data grid and cache
Infinispan, a distributed in-memory key/value data grid and cache
Sebastian Andrasoni
 
Reactive Programming in Java 8 with Rx-Java
Reactive Programming in Java 8 with Rx-Java
Kasun Indrasiri
 
Testing Spring Boot Applications
Testing Spring Boot Applications
VMware Tanzu
 
React js
React js
Alireza Akbari
 
RxJS Evolved
RxJS Evolved
trxcllnt
 
Introduction of Html/css/js
Introduction of Html/css/js
Knoldus Inc.
 
ReactJS presentation.pptx
ReactJS presentation.pptx
DivyanshGupta922023
 
Laravel ppt
Laravel ppt
Mayank Panchal
 
Object Oriented Programming In JavaScript
Object Oriented Programming In JavaScript
Forziatech
 
JavaScript Promises
JavaScript Promises
L&T Technology Services Limited
 
Spring boot - an introduction
Spring boot - an introduction
Jonathan Holloway
 
Implementing Exactly-once Delivery and Escaping Kafka Rebalance Storms with Y...
Implementing Exactly-once Delivery and Escaping Kafka Rebalance Storms with Y...
HostedbyConfluent
 
Understanding Reactive Programming
Understanding Reactive Programming
Andres Almiray
 
Web Development with Laravel 5
Web Development with Laravel 5
Soheil Khodayari
 
Building RESTful applications using Spring MVC
Building RESTful applications using Spring MVC
IndicThreads
 
WEB DEVELOPMENT USING REACT JS
WEB DEVELOPMENT USING REACT JS
MuthuKumaran Singaravelu
 
JavaScript Fetch API
JavaScript Fetch API
Xcat Liu
 
Javascript built in String Functions
Javascript built in String Functions
Avanitrambadiya
 
Introduction to AngularJS
Introduction to AngularJS
David Parsons
 
Infinispan, a distributed in-memory key/value data grid and cache
Infinispan, a distributed in-memory key/value data grid and cache
Sebastian Andrasoni
 
Reactive Programming in Java 8 with Rx-Java
Reactive Programming in Java 8 with Rx-Java
Kasun Indrasiri
 
Testing Spring Boot Applications
Testing Spring Boot Applications
VMware Tanzu
 
RxJS Evolved
RxJS Evolved
trxcllnt
 
Introduction of Html/css/js
Introduction of Html/css/js
Knoldus Inc.
 
Object Oriented Programming In JavaScript
Object Oriented Programming In JavaScript
Forziatech
 
Spring boot - an introduction
Spring boot - an introduction
Jonathan Holloway
 
Implementing Exactly-once Delivery and Escaping Kafka Rebalance Storms with Y...
Implementing Exactly-once Delivery and Escaping Kafka Rebalance Storms with Y...
HostedbyConfluent
 
Understanding Reactive Programming
Understanding Reactive Programming
Andres Almiray
 
Web Development with Laravel 5
Web Development with Laravel 5
Soheil Khodayari
 
Building RESTful applications using Spring MVC
Building RESTful applications using Spring MVC
IndicThreads
 
JavaScript Fetch API
JavaScript Fetch API
Xcat Liu
 
Javascript built in String Functions
Javascript built in String Functions
Avanitrambadiya
 

Viewers also liked (20)

Reactive Programming on Android - RxAndroid - RxJava
Reactive Programming on Android - RxAndroid - RxJava
Ali Muzaffar
 
Java 8 Stream API and RxJava Comparison
Java 8 Stream API and RxJava Comparison
José Paumard
 
Rxjava meetup presentation
Rxjava meetup presentation
Guillaume Valverde
 
Practical RxJava for Android
Practical RxJava for Android
Tomáš Kypta
 
Reactive programming on Android
Reactive programming on Android
Tomáš Kypta
 
Jugbd meet up 6
Jugbd meet up 6
Shafiul Hasan
 
GKAC 2015 Apr. - RxAndroid
GKAC 2015 Apr. - RxAndroid
GDG Korea
 
Modern app programming with RxJava and Eclipse Vert.x
Modern app programming with RxJava and Eclipse Vert.x
Thomas Segismont
 
MVVM and RxJava – the perfect mix
MVVM and RxJava – the perfect mix
Florina Muntenescu
 
How to Become a Thought Leader in Your Niche
How to Become a Thought Leader in Your Niche
Leslie Samuel
 
Real-world applications of the Reactive Extensions
Real-world applications of the Reactive Extensions
Jonas Chapuis
 
Non Blocking I/O for Everyone with RxJava
Non Blocking I/O for Everyone with RxJava
Frank Lyaruu
 
Intro to Functional Programming with RxJava
Intro to Functional Programming with RxJava
Mike Nakhimovich
 
Code Learn Share
Code Learn Share
Florina Muntenescu
 
A Journey Through MV Wonderland
A Journey Through MV Wonderland
Florina Muntenescu
 
Android DevConference - Dagger 2: uso avançado em projetos Android
Android DevConference - Dagger 2: uso avançado em projetos Android
iMasters
 
Retro vs Volley
Retro vs Volley
Artjoker
 
RxJava for Android - GDG DevFest Ukraine 2015
RxJava for Android - GDG DevFest Ukraine 2015
Constantine Mars
 
track2 04. MS는 Rx를 왜 만들었을까? feat. RxJS/ 네이버, 김훈민
track2 04. MS는 Rx를 왜 만들었을까? feat. RxJS/ 네이버, 김훈민
양 한빛
 
RxJava 2.0 介紹
RxJava 2.0 介紹
Kros Huang
 
Reactive Programming on Android - RxAndroid - RxJava
Reactive Programming on Android - RxAndroid - RxJava
Ali Muzaffar
 
Java 8 Stream API and RxJava Comparison
Java 8 Stream API and RxJava Comparison
José Paumard
 
Practical RxJava for Android
Practical RxJava for Android
Tomáš Kypta
 
Reactive programming on Android
Reactive programming on Android
Tomáš Kypta
 
GKAC 2015 Apr. - RxAndroid
GKAC 2015 Apr. - RxAndroid
GDG Korea
 
Modern app programming with RxJava and Eclipse Vert.x
Modern app programming with RxJava and Eclipse Vert.x
Thomas Segismont
 
MVVM and RxJava – the perfect mix
MVVM and RxJava – the perfect mix
Florina Muntenescu
 
How to Become a Thought Leader in Your Niche
How to Become a Thought Leader in Your Niche
Leslie Samuel
 
Real-world applications of the Reactive Extensions
Real-world applications of the Reactive Extensions
Jonas Chapuis
 
Non Blocking I/O for Everyone with RxJava
Non Blocking I/O for Everyone with RxJava
Frank Lyaruu
 
Intro to Functional Programming with RxJava
Intro to Functional Programming with RxJava
Mike Nakhimovich
 
A Journey Through MV Wonderland
A Journey Through MV Wonderland
Florina Muntenescu
 
Android DevConference - Dagger 2: uso avançado em projetos Android
Android DevConference - Dagger 2: uso avançado em projetos Android
iMasters
 
Retro vs Volley
Retro vs Volley
Artjoker
 
RxJava for Android - GDG DevFest Ukraine 2015
RxJava for Android - GDG DevFest Ukraine 2015
Constantine Mars
 
track2 04. MS는 Rx를 왜 만들었을까? feat. RxJS/ 네이버, 김훈민
track2 04. MS는 Rx를 왜 만들었을까? feat. RxJS/ 네이버, 김훈민
양 한빛
 
RxJava 2.0 介紹
RxJava 2.0 介紹
Kros Huang
 
Ad

Similar to Reactive programming with RxJava (20)

Intro to Reactive Thinking and RxJava 2
Intro to Reactive Thinking and RxJava 2
JollyRogers5
 
RxJava@Android
RxJava@Android
Maxim Volgin
 
RxJava2 Slides
RxJava2 Slides
YarikS
 
Saving lives with rx java
Saving lives with rx java
Shahar Barsheshet
 
Introduction to rx java for android
Introduction to rx java for android
Esa Firman
 
Rxjs swetugg
Rxjs swetugg
Christoffer Noring
 
Reactive programming with rx java
Reactive programming with rx java
CongTrung Vnit
 
RxJava@DAUG
RxJava@DAUG
Maxim Volgin
 
Functional Reactive Programming (FRP): Working with RxJS
Functional Reactive Programming (FRP): Working with RxJS
Oswald Campesato
 
RxJava Applied
RxJava Applied
Igor Lozynskyi
 
Rxjs marble-testing
Rxjs marble-testing
Christoffer Noring
 
RxJava 2 Reactive extensions for the JVM
RxJava 2 Reactive extensions for the JVM
Netesh Kumar
 
Rx presentation
Rx presentation
Ali Mahfud
 
The Mayans Lost Guide to RxJava on Android
The Mayans Lost Guide to RxJava on Android
Fernando Cejas
 
How to Think in RxJava Before Reacting
How to Think in RxJava Before Reacting
IndicThreads
 
Rxjs ngvikings
Rxjs ngvikings
Christoffer Noring
 
RxJava pour Android : présentation lors du GDG Android Montréal
RxJava pour Android : présentation lors du GDG Android Montréal
Sidereo
 
Reactive Programming with Rx
Reactive Programming with Rx
C4Media
 
RxJS Operators - Real World Use Cases (FULL VERSION)
RxJS Operators - Real World Use Cases (FULL VERSION)
Tracy Lee
 
Introduction to RxJava on Android
Introduction to RxJava on Android
Chris Arriola
 
Intro to Reactive Thinking and RxJava 2
Intro to Reactive Thinking and RxJava 2
JollyRogers5
 
RxJava2 Slides
RxJava2 Slides
YarikS
 
Introduction to rx java for android
Introduction to rx java for android
Esa Firman
 
Reactive programming with rx java
Reactive programming with rx java
CongTrung Vnit
 
Functional Reactive Programming (FRP): Working with RxJS
Functional Reactive Programming (FRP): Working with RxJS
Oswald Campesato
 
RxJava 2 Reactive extensions for the JVM
RxJava 2 Reactive extensions for the JVM
Netesh Kumar
 
Rx presentation
Rx presentation
Ali Mahfud
 
The Mayans Lost Guide to RxJava on Android
The Mayans Lost Guide to RxJava on Android
Fernando Cejas
 
How to Think in RxJava Before Reacting
How to Think in RxJava Before Reacting
IndicThreads
 
RxJava pour Android : présentation lors du GDG Android Montréal
RxJava pour Android : présentation lors du GDG Android Montréal
Sidereo
 
Reactive Programming with Rx
Reactive Programming with Rx
C4Media
 
RxJS Operators - Real World Use Cases (FULL VERSION)
RxJS Operators - Real World Use Cases (FULL VERSION)
Tracy Lee
 
Introduction to RxJava on Android
Introduction to RxJava on Android
Chris Arriola
 
Ad

Recently uploaded (20)

Agentic Techniques in Retrieval-Augmented Generation with Azure AI Search
Agentic Techniques in Retrieval-Augmented Generation with Azure AI Search
Maxim Salnikov
 
Neuralink Templateeeeeeeeeeeeeeeeeeeeeeeeee
Neuralink Templateeeeeeeeeeeeeeeeeeeeeeeeee
alexandernoetzold
 
Software Engineering Process, Notation & Tools Introduction - Part 4
Software Engineering Process, Notation & Tools Introduction - Part 4
Gaurav Sharma
 
Generative Artificial Intelligence and its Applications
Generative Artificial Intelligence and its Applications
SandeepKS52
 
How to Choose the Right Web Development Agency.pdf
How to Choose the Right Web Development Agency.pdf
Creative Fosters
 
Software Engineering Process, Notation & Tools Introduction - Part 3
Software Engineering Process, Notation & Tools Introduction - Part 3
Gaurav Sharma
 
Code and No-Code Journeys: The Coverage Overlook
Code and No-Code Journeys: The Coverage Overlook
Applitools
 
IBM Rational Unified Process For Software Engineering - Introduction
IBM Rational Unified Process For Software Engineering - Introduction
Gaurav Sharma
 
Making significant Software Architecture decisions
Making significant Software Architecture decisions
Bert Jan Schrijver
 
Women in Tech: Marketo Engage User Group - June 2025 - AJO with AWS
Women in Tech: Marketo Engage User Group - June 2025 - AJO with AWS
BradBedford3
 
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Natan Silnitsky
 
Microsoft Business-230T01A-ENU-PowerPoint_01.pptx
Microsoft Business-230T01A-ENU-PowerPoint_01.pptx
soulamaabdoulaye128
 
Software Testing & it’s types (DevOps)
Software Testing & it’s types (DevOps)
S Pranav (Deepu)
 
dp-700 exam questions sample docume .pdf
dp-700 exam questions sample docume .pdf
pravkumarbiz
 
AI-Powered Compliance Solutions for Global Regulations | Certivo
AI-Powered Compliance Solutions for Global Regulations | Certivo
certivoai
 
Artificial Intelligence Applications Across Industries
Artificial Intelligence Applications Across Industries
SandeepKS52
 
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
BradBedford3
 
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
Aarno Aukia
 
OpenTelemetry 101 Cloud Native Barcelona
OpenTelemetry 101 Cloud Native Barcelona
Imma Valls Bernaus
 
FME as an Orchestration Tool - Peak of Data & AI 2025
FME as an Orchestration Tool - Peak of Data & AI 2025
Safe Software
 
Agentic Techniques in Retrieval-Augmented Generation with Azure AI Search
Agentic Techniques in Retrieval-Augmented Generation with Azure AI Search
Maxim Salnikov
 
Neuralink Templateeeeeeeeeeeeeeeeeeeeeeeeee
Neuralink Templateeeeeeeeeeeeeeeeeeeeeeeeee
alexandernoetzold
 
Software Engineering Process, Notation & Tools Introduction - Part 4
Software Engineering Process, Notation & Tools Introduction - Part 4
Gaurav Sharma
 
Generative Artificial Intelligence and its Applications
Generative Artificial Intelligence and its Applications
SandeepKS52
 
How to Choose the Right Web Development Agency.pdf
How to Choose the Right Web Development Agency.pdf
Creative Fosters
 
Software Engineering Process, Notation & Tools Introduction - Part 3
Software Engineering Process, Notation & Tools Introduction - Part 3
Gaurav Sharma
 
Code and No-Code Journeys: The Coverage Overlook
Code and No-Code Journeys: The Coverage Overlook
Applitools
 
IBM Rational Unified Process For Software Engineering - Introduction
IBM Rational Unified Process For Software Engineering - Introduction
Gaurav Sharma
 
Making significant Software Architecture decisions
Making significant Software Architecture decisions
Bert Jan Schrijver
 
Women in Tech: Marketo Engage User Group - June 2025 - AJO with AWS
Women in Tech: Marketo Engage User Group - June 2025 - AJO with AWS
BradBedford3
 
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Async-ronizing Success at Wix - Patterns for Seamless Microservices - Devoxx ...
Natan Silnitsky
 
Microsoft Business-230T01A-ENU-PowerPoint_01.pptx
Microsoft Business-230T01A-ENU-PowerPoint_01.pptx
soulamaabdoulaye128
 
Software Testing & it’s types (DevOps)
Software Testing & it’s types (DevOps)
S Pranav (Deepu)
 
dp-700 exam questions sample docume .pdf
dp-700 exam questions sample docume .pdf
pravkumarbiz
 
AI-Powered Compliance Solutions for Global Regulations | Certivo
AI-Powered Compliance Solutions for Global Regulations | Certivo
certivoai
 
Artificial Intelligence Applications Across Industries
Artificial Intelligence Applications Across Industries
SandeepKS52
 
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
Milwaukee Marketo User Group June 2025 - Optimize and Enhance Efficiency - Sm...
BradBedford3
 
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
DevOps for AI: running LLMs in production with Kubernetes and KubeFlow
Aarno Aukia
 
OpenTelemetry 101 Cloud Native Barcelona
OpenTelemetry 101 Cloud Native Barcelona
Imma Valls Bernaus
 
FME as an Orchestration Tool - Peak of Data & AI 2025
FME as an Orchestration Tool - Peak of Data & AI 2025
Safe Software
 

Reactive programming with RxJava

  • 1. Reactive Programming with RxJava Jobaer Chowdhury Technical Project Manager, Cefalo Presented @ JUGBD 6.0 (25/02/2017)
  • 2. Writing concurrent code in Java is hard.
  • 3. Writing correct concurrent code is even harder
  • 4. Unless you’ve read this from cover to cover, twice :-)
  • 6. What is RxJava? - A library for composing asynchronous and event based programs We can write concurrent code using RxJava library without worrying about low level threads, locks and synchronization.
  • 7. Brief history or Rx Reactive Extensions: first introduced by Microsoft RxJava: the jvm implementation was first developed by Netflix Current version is 2.x (I’ll talk about version 1.x here)
  • 8. RxJava: Most starred java repository on Github
  • 11. So let’s get started ...
  • 12. Observable<T> is the heart of RxJava
  • 13. Observable<T> … a flowing sequence of values … a stream of events An observer can subscribe to the Observable The Observable may call onNext(), onError() or onCompleted() on the observer
  • 15. We all know Iterables, right? Iterable<T> { Iterator<T> iterator(); } Iterator<T> { Boolean hasNext(); T next(); }
  • 16. Observable duality with Iterable Iterable<T>, Iterator<T> ● Get an iterator ● hasNext(), next() ● Pull based ● Sync Observable<T>, Observer<T> ● Subscribe an observer ● onNext(), onError(), onCompleted() ● Push based ● Async
  • 17. Observable<T> examples ● Observable<Tweet> ● Observable<Temperature> ● Observable<Person> ● Observable<HttpResponse> ● Observable<MouseEvent> ….. and so on
  • 18. Hello Observable! Let’s create an Observable<String> that will emit “Hello, world!” Observable<String> hello = Observable.create(obs -> { obs.onNext(“Hello, world!”); });
  • 19. And we can subscribe to it ... Observable<String> hello = Observable.create(obs -> { obs.onNext(“Hello, world!”); }); hello.subscribe(s -> { System.out.println(s); });
  • 20. We can simplify the creation here Observable<String> hello = Observable.just(“Hello, World!”);
  • 21. We can also handle errors and completed event Observable<String> hello = Observable.just(“Hello, World!”); hello.subscribe( val -> {System.out.println(val);}, error -> {System.out.println(“Error occurred”);}, () -> { System.out.println(“Completed”)}; })
  • 22. We’ve seen how we can create Observables, and how to consume them.
  • 23. Let’s see how we can modify/operate on Observables
  • 25. Observable.filter example Observable<Integer> numbers = Observable.just(1, 2, 3, 4, 5, 6); Observable<Integer> result = numbers.filter(num -> num % 2 == 0); // the result will contain 2, 4, 6 inside the Observables
  • 27. Observable.map example // We have a function that gives us an Observable of ints Observable<Integer> ids = searchForArticles(“dhaka”); // another function that takes an int, and returns an article Article loadArticle(Integer articleId) {...} Observable<Article> result = ids.map(id -> loadArticle(id));
  • 29. Observable.flatMap example // We have a function that gives us an Observable of ints Observable<Integer> ids = searchForArticles(“dhaka”); // and a function returns an article wrapped inside Observable Observable<Article> loadArticle(Integer articleId) {...} Observable<Article> result = ids.flatMap(id -> loadArticle(id));
  • 31. Map vs. flatMap example Observable<Integer> ids = searchForArticles(“dhaka”); Observable<Article> loadArticle(Integer articleId) {...} Observable<Observable<Article>> res = ids.map(this::loadArticle); Observable<Article> result = ids.flatMap(this::loadArticle);
  • 33. There are many more operators ...
  • 34. Let’s use Observables to solve a real world problem
  • 35. A real world example Let’s assume we are working for a news service. And we have the following requirements. ● Do a search for a term on the search server. The search server will return some ids ● For each id load the news article from db. ● For each id find out how many likes the article has on social network ● Merge the result from above two steps and send it to view layer
  • 36. Let’s assume we have the following (sync) API List<Integer> searchForArticles(String query) PersistentArticle loadArticle(Integer articleId) Integer fetchLikeCount(Integer articleId) …. and we can create article by using the db object and like count Article result = new Article(PersistentArticle, Integer)
  • 37. One way of solving it List<Integer> searchResult = searchForArticles(“dhaka”); List<Article> result = new ArrayList<>(); for(Integer id : searchResult) { PersistentArticle pa = loadArticle(id) Integer likes = fetchLikeCount(id) result.add(new Article(pa, likes)); } return result;
  • 38. Do you see any problem with this code?
  • 39. It’s sequential, and may take some time to run.
  • 41. When an article is loading, nothing prevents us from fetching the like count of that article, or loading another article, right?
  • 43. A concurrent solution may save us running time. And we can use Observables to do so.
  • 44. Let’s try to use Observables now
  • 45. Let’s assume now we have an async API Observable<Integer> searchForArticles(String query) Observable<PersistentArticle> loadArticle(Integer articleId) Observable<Integer> fetchLikeCount(Integer articleId) And we need to come up with the result as the following type. Observable<Article> result = … ; // We can use the result like following result.subscribe(article -> {//update the view with it});
  • 46. Don’t worry about how the async API was implemented. Just assume it is present. (If we only have a sync api, we can still make it async by wrapping things inside Observables, using Observable.create, just etc.)
  • 47. First step: do the search Observable<Integer> ids = searchForArticles(String query); …. For each id we need to load the article and fetch the like count.
  • 48. How do we get the ids out from the Observable?
  • 49. We don’t, instead we apply some operator to transform the source Observable to a different one
  • 50. Let’s go back to few slides ago, and see how we solved the problem sequentially
  • 51. The traditional solution ... List<Integer> searchResult = searchForArticles(“dhaka”); List<Article> result = new ArrayList<>(); for(Integer id : searchResult) { PersistentArticle pa = loadArticle(id) Integer likes = fetchLikeCount(id) result.add(new Article(pa, likes)); } return result;
  • 53. But we don’t do it like this in rx
  • 55. Many Observable operators take lambda as parameter. And we can get the item from inside the Observable box as a parameter of our supplied lambda.
  • 56. In case of Observable.filter Observable<Integer> numbers = Observable.just(1, 2, 3, 4, 5, 6); numbers.filter(num -> num % 2 == 0); // The Observable.filter operator takes a lambda as parameter // We pass it a lambda // Our supplied lambda will be called for each of the item // So here the parameter “num” will represent an item inside the box // This is how we get things out from Observable box.
  • 57. So, let’s get back to the original question Observable<Integer> ids = searchForArticles(String query); …. For each id we need to load the article and fetch the like count.
  • 58. Now we know we need to apply some operator, which one?
  • 59. We have to apply flatMap Observable<Integer> ids = searchForArticles(query); ids.flatMap(id -> { // do something with the id ... }); So, by applying flatMap, we somehow get the item from inside the Observable box, as the parameter of our lambda.
  • 60. We have to apply flatMap Observable<Integer> ids = searchForArticles(query); ids.flatMap(id -> { Observable<PersistentArticle> arts = loadArticle(id); Observable<Integer> likes = fetchLikeCount(id); //how do we get the article out from inside Observable? });
  • 61. We need to apply flatMap again ... Observable<Integer> ids = searchForArticles(query); ids.flatMap(id -> { Observable<PersistentArticle> arts = loadArticle(id); Observable<Integer> likes = fetchLikeCount(id); return arts.flatMap(art -> { // and now we need to get the likes out }); })
  • 62. And flatMap again ... Observable<Integer> ids = searchForArticles(query); ids.flatMap(id -> { Observable<PersistentArticle> arts = loadArticle(id); Observable<Integer> likes = fetchLikeCount(id); return arts.flatMap(art -> { return likes.flatMap(like -> { // now we have everything to make an Article object // so what do we return here? A new Article()? }); }); })
  • 63. We need to wrap the result inside Observable Observable<Integer> ids = searchForArticles(query); ids.flatMap(id -> { Observable<PersistentArticle> arts = loadArticle(id); Observable<Integer> likes = fetchLikeCount(id); return arts.flatMap(art -> { return likes.flatMap(like -> { return Observable.just(new Article(art, like)); }); }); })
  • 64. We can remove some nesting here ...
  • 66. Alternate version using zip Observable<Integer> ids = searchForArticles(query); ids.flatMap(id -> { Observable<PersistentArticle> arts = loadArticle(id); Observable<Integer> likes = fetchLikeCount(id); return Observable.zip(arts, likes, (art, lc) -> { return new Article(art, lc); }); }); })
  • 67. Using the full power of Java 8 … searchForArticles(query).flatMap(id -> { return zip(loadArticle(id), fetchLikeCount(id), Article::new); }); });
  • 68. Using the full power of Java 8 … searchForArticles(query).flatMap(id -> { return zip(loadArticle(id), fetchLikeCount(id), Article::new); }); }); This is the solution we desire. I find this code beautiful. And it’s (mostly) concurrent (depending on the implementation of the search, load, etc.).
  • 69. Keep these in mind while using RxJava ● Observables can emit zero, one or more items ● Observables can be of infinite stream of values/events ● Observables can complete without returning anything, Observable.empty(). ● Observables can emit some items and then call onError() to terminate abnormally ● If onError() is called, then onCompleted will not be called
  • 70. Keep these in mind while using RxJava ● Observables are by default lazy. If no subscriber is subscribed, then nothing will be executed. ● By default they run in the same thread from which the subscriber is called ● You can change the subscriber thread by calling subscribeOn() ● You can change the observer thread by calling observeOn() ● There are some built in Schedulers (similar to thread pool). For example Schedulers.io(), Schedulers.computation(). ● A single Observable issues notifications to observers serially (not in parallel).
  • 71. A better version of the previous code searchForArticles(query).flatMap(id -> { return Observable.just(id) .subscribeOn(Schedulers.io()) .flatMap(i ->{ return zip(loadArticle(i), fetchLikeCount(i), Article::new); }); }); }); In fact this is the concurrent version, although it lost it’s beauty a bit :-) Hoping to cover this in a future session.
  • 72. When you have multiple async or concurrent things, depending on each other, RxJava may be a good candidate.
  • 73. I only covered the basics, there are way more to learn …
  • 74. Advanced topics (maybe in some future sessions) A whole lot more operators Subjects Schedulers Backpressure Implementing custom operators
  • 75. Have a look into ● CompletableFuture (introduced in java 8) ● Reactive streams specification (which RxJava 2.x implemented) ● java.util.concurrent.Flow api (coming in java 9)
  • 76. Reference ● Collection of all tutorials, http://reactivex.io/tutorials.html ● Reactive programming with RxJava book, http://shop.oreilly.com/product/0636920042228.do ● The RxJava contract, http://reactivex.io/documentation/contract.html