Learning RxJava
eBook - ePub

Learning RxJava

Thomas Nield

Compartir libro
  1. 400 páginas
  2. English
  3. ePUB (apto para móviles)
  4. Disponible en iOS y Android
eBook - ePub

Learning RxJava

Thomas Nield

Detalles del libro
Vista previa del libro
Índice
Citas

Información del libro

Reactive Programming with Java and ReactiveXAbout This Book• Explore the essential tools and operators RxJava provides, and know which situations to use them in• Delve into Observables and Subscribers, the core components of RxJava used for building scalable and performant reactive applications• Delve into the practical implementation of tools to effectively take on complex tasks such as concurrency and backpressureWho This Book Is ForThe primary audience for this book is developers with at least a fundamental mastery of Java.Some readers will likely be interested in RxJava to make programs more resilient, concurrent, and scalable. Others may be checking out reactive programming just to see what it is all about, and to judge whether it can solve any problems they may have.What You Will Learn• Learn the features of RxJava 2 that bring about many significant changes, including new reactive types such as Flowable, Single, Maybe, and Completable• Understand how reactive programming works and the mindset to "think reactively"• Demystify the Observable and how it quickly expresses data and events as sequences• Learn the various Rx operators that transform, filter, and combine data and event sequences• Leverage multicasting to push data to multiple destinations, and cache and replay them• Discover how concurrency and parallelization work in RxJava, and how it makes these traditionally complex tasks trivial to implement• Apply RxJava and Retrolambda to the Android domain to create responsive Android apps with better user experiences• Use RxJava with the Kotlin language to express RxJava more idiomatically with extension functions, data classes, and other Kotlin featuresIn DetailRxJava is a library for composing asynchronous and event-based programs using Observable sequences for the JVM, allowing developers to build robust applications in less time.Learning RxJava addresses all the fundamentals of reactive programming to help readers write reactive code, as well as teach them an effective approach to designing and implementing reactive libraries and applications.Starting with a brief introduction to reactive programming concepts, there is an overview of Observables and Observers, the core components of RxJava, and how to combine different streams of data and events together. You will also learn simpler ways to achieve concurrency and remain highly performant, with no need for synchronization. Later on, we will leverage backpressure and other strategies to cope with rapidly-producing sources to prevent bottlenecks in your application. After covering custom operators, testing, and debugging, the book dives into hands-on examples using RxJava on Android as well as Kotlin.Style and approachThis book will be different from other Rx books, taking an approach that comprehensively covers Rx concepts and practical applications.

Preguntas frecuentes

¿Cómo cancelo mi suscripción?
Simplemente, dirígete a la sección ajustes de la cuenta y haz clic en «Cancelar suscripción». Así de sencillo. Después de cancelar tu suscripción, esta permanecerá activa el tiempo restante que hayas pagado. Obtén más información aquí.
¿Cómo descargo los libros?
Por el momento, todos nuestros libros ePub adaptables a dispositivos móviles se pueden descargar a través de la aplicación. La mayor parte de nuestros PDF también se puede descargar y ya estamos trabajando para que el resto también sea descargable. Obtén más información aquí.
¿En qué se diferencian los planes de precios?
Ambos planes te permiten acceder por completo a la biblioteca y a todas las funciones de Perlego. Las únicas diferencias son el precio y el período de suscripción: con el plan anual ahorrarás en torno a un 30 % en comparación con 12 meses de un plan mensual.
¿Qué es Perlego?
Somos un servicio de suscripción de libros de texto en línea que te permite acceder a toda una biblioteca en línea por menos de lo que cuesta un libro al mes. Con más de un millón de libros sobre más de 1000 categorías, ¡tenemos todo lo que necesitas! Obtén más información aquí.
¿Perlego ofrece la función de texto a voz?
Busca el símbolo de lectura en voz alta en tu próximo libro para ver si puedes escucharlo. La herramienta de lectura en voz alta lee el texto en voz alta por ti, resaltando el texto a medida que se lee. Puedes pausarla, acelerarla y ralentizarla. Obtén más información aquí.
¿Es Learning RxJava un PDF/ePUB en línea?
Sí, puedes acceder a Learning RxJava de Thomas Nield en formato PDF o ePUB, así como a otros libros populares de Computer Science y Programming in Java. Tenemos más de un millón de libros disponibles en nuestro catálogo para que explores.

Información

Año
2017
ISBN
9781787123748
Edición
1

Observables and Subscribers

We already got a glimpse into the Observable and how it works in Chapter 1, Thinking Reactively. You probably have many questions on how exactly it operates and what practical applications it holds. This chapter will provide a foundation for understanding how an Observable works as well as the critical relationship it has with the Observer. We will also cover several ways to create an Observable as well make it useful by covering a few operators. To make the rest of the book flow smoothly, we will also cover all critical nuances head-on to build a solid foundation and not leave you with surprises later.
Here is what we will cover in this chapter:
  • The Observable
  • The Observer
  • Other Observable factories
  • Single, Completable, and Maybe
  • Disposable

The Observable

As introduced in Chapter 1, Thinking Reactively, the Observable is a push-based, composable iterator. For a given Observable<T>, it pushes items (called emissions) of type T through a series of operators until it finally arrives at a final Observer, which consumes the items. We will cover several ways to create an Observable, but first, let's dive into how an Observable works through its onNext(), onCompleted(), and onError() calls.

How Observables work

Before we do anything else, we need to study how an Observable sequentially passes items down a chain to an Observer. At the highest level, an Observable works by passing three types of events:
  • onNext(): This passes each item one at a time from the source Observable all the way down to the Observer.
  • onComplete(): This communicates a completion event all the way down to the Observer, indicating that no more onNext() calls will occur.
  • onError(): This communicates an error up the chain to the Observer, where the Observer typically defines how to handle it. Unless a retry() operator is used to intercept the error, the Observable chain typically terminates, and no more emissions will occur.
These three events are abstract methods in the Observer type, and we will cover some of the implementation later. For now, we will focus pragmatically on how they work in everyday usage.
In RxJava 1.0, the onComplete() event is actually called onCompleted().

Using Observable.create()

Let's start with creating a source Observable using Observable.create(). Relatively speaking, a source Observable is an Observable where emissions originate from and is the starting point of our Observable chain.
The Observable.create() factory allows us to create an Observable by providing a lambda receiving an Observable emitter. We can call the Observable e...

Índice