All Downloads are FREE. Search and download functionalities are using the official Maven repository.

rx.Observable Maven / Gradle / Ivy

/**
 * Copyright 2014 Netflix, Inc.
 *
 * Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in
 * compliance with the License. You may obtain a copy of the License at
 *
 * http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software distributed under the License is
 * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See
 * the License for the specific language governing permissions and limitations under the License.
 */
package rx;

import java.util.*;
import java.util.concurrent.*;

import rx.annotations.*;
import rx.exceptions.*;
import rx.functions.*;
import rx.internal.observers.AssertableSubscriberObservable;
import rx.internal.operators.*;
import rx.internal.util.*;
import rx.observables.*;
import rx.observers.SafeSubscriber;
import rx.observers.AssertableSubscriber;
import rx.plugins.*;
import rx.schedulers.*;
import rx.subscriptions.Subscriptions;

/**
 * The Observable class that implements the Reactive Pattern.
 * 

* This class provides methods for subscribing to the Observable as well as delegate methods to the various * Observers. *

* The documentation for this class makes use of marble diagrams. The following legend explains these diagrams: *

* *

* For more information see the ReactiveX * documentation. * * @param * the type of the items emitted by the Observable */ public class Observable { final OnSubscribe onSubscribe; /** * Creates an Observable with a Function to execute when it is subscribed to. *

* Note: Use {@link #unsafeCreate(OnSubscribe)} to create an Observable, instead of this constructor, * unless you specifically have a need for inheritance. * * @param f * {@link OnSubscribe} to be executed when {@link #subscribe(Subscriber)} is called */ protected Observable(OnSubscribe f) { this.onSubscribe = f; } /** * Constructs an Observable in an unsafe manner, that is, unsubscription and backpressure handling * is the responsibility of the OnSubscribe implementation. * @param the value type emitted * @param f the callback to execute for each individual Subscriber that subscribes to the * returned Observable * @return the new Observable instance * @deprecated 1.2.7 - inherently unsafe, use the other create() methods for basic cases or * see {@link #unsafeCreate(OnSubscribe)} for advanced cases (such as custom operators) * @see #create(SyncOnSubscribe) * @see #create(AsyncOnSubscribe) * @see #create(Action1, rx.Emitter.BackpressureMode) */ @Deprecated public static Observable create(OnSubscribe f) { return new Observable(RxJavaHooks.onCreate(f)); } /** * Provides an API (via a cold Observable) that bridges the reactive world with the callback-style, * generally non-backpressured world. *

* Example: *


     * Observable.<Event>create(emitter -> {
     *     Callback listener = new Callback() {
     *         @Override
     *         public void onEvent(Event e) {
     *             emitter.onNext(e);
     *             if (e.isLast()) {
     *                 emitter.onCompleted();
     *             }
     *         }
     *
     *         @Override
     *         public void onFailure(Exception e) {
     *             emitter.onError(e);
     *         }
     *     };
     *
     *     AutoCloseable c = api.someMethod(listener);
     *
     *     emitter.setCancellation(c::close);
     *
     * }, BackpressureMode.BUFFER);
     * 
*

* You should call the Emitter's onNext, onError and onCompleted methods in a serialized fashion. The * rest of its methods are thread-safe. *

History: 1.2.7 - experimental * @param the element type * @param emitter the emitter that is called when a Subscriber subscribes to the returned {@code Observable} * @param backpressure the backpressure mode to apply if the downstream Subscriber doesn't request (fast) enough * @return the new Observable instance * @see Emitter * @see Emitter.BackpressureMode * @see rx.functions.Cancellable * @since 1.3 */ public static Observable create(Action1> emitter, Emitter.BackpressureMode backpressure) { return unsafeCreate(new OnSubscribeCreate(emitter, backpressure)); } /** * Returns an Observable that executes the given OnSubscribe action for each individual Subscriber * that subscribes; unsubscription and backpressure must be implemented manually. *

* *

* Write the function you pass to {@code create} so that it behaves as an Observable: It should invoke the * Subscriber's {@link Subscriber#onNext onNext}, {@link Subscriber#onError onError}, and * {@link Subscriber#onCompleted onCompleted} methods appropriately. *

* A well-formed Observable must invoke either the Subscriber's {@code onCompleted} method exactly once or * its {@code onError} method exactly once. *

* See Rx Design Guidelines (PDF) for detailed * information. *

*
Backpressure:
*
The {@code OnSubscribe} instance provided is responsible to be backpressure-aware or * document the fact that the consumer of the returned {@code Observable} has to apply one of * the {@code onBackpressureXXX} operators.
*
Scheduler:
*
{@code unsafeCreate} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param * the type of the items that this Observable emits * @param f * a function that accepts an {@code Subscriber}, and invokes its {@code onNext}, * {@code onError}, and {@code onCompleted} methods as appropriate * @return an Observable that, when a {@link Subscriber} subscribes to it, will execute the specified * function * @see ReactiveX operators documentation: Create * @since 1.3 */ public static Observable unsafeCreate(OnSubscribe f) { return new Observable(RxJavaHooks.onCreate(f)); } /** * Returns an Observable that respects the back-pressure semantics. When the returned Observable is * subscribed to it will initiate the given {@link SyncOnSubscribe}'s life cycle for * generating events. * *

Note: the {@code SyncOnSubscribe} provides a generic way to fulfill data by iterating * over a (potentially stateful) function (e.g. reading data off of a channel, a parser, ). If your * data comes directly from an asynchronous/potentially concurrent source then consider using the * {@link Observable#create(AsyncOnSubscribe) asynchronous overload}. * *

* *

* See Rx Design Guidelines (PDF) for detailed * information. *

*
Backpressure:
*
The operator honors backpressure and generates values on-demand (when requested).
*
Scheduler:
*
{@code create} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of the items that this Observable emits * @param the state type * @param syncOnSubscribe * an implementation of {@link SyncOnSubscribe}. There are many static creation methods * on the class for convenience. * @return an Observable that, when a {@link Subscriber} subscribes to it, will execute the specified * function * @see SyncOnSubscribe#createSingleState(Func0, Action2) * @see SyncOnSubscribe#createSingleState(Func0, Action2, Action1) * @see SyncOnSubscribe#createStateful(Func0, Func2) * @see SyncOnSubscribe#createStateful(Func0, Func2, Action1) * @see SyncOnSubscribe#createStateless(Action1) * @see SyncOnSubscribe#createStateless(Action1, Action0) * @see ReactiveX operators documentation: Create * @since 1.2 */ public static Observable create(SyncOnSubscribe syncOnSubscribe) { return unsafeCreate(syncOnSubscribe); } /** * Returns an Observable that respects the back-pressure semantics. When the returned Observable is * subscribed to it will initiate the given {@link AsyncOnSubscribe}'s life cycle for * generating events. * *

Note: the {@code AsyncOnSubscribe} is useful for observable sources of data that are * necessarily asynchronous (RPC, external services, etc). Typically most use cases can be solved * with the {@link Observable#create(SyncOnSubscribe) synchronous overload}. * *

* *

* See Rx Design Guidelines (PDF) for detailed * information. *

*
Backpressure:
*
The operator honors backpressure and generates values on-demand (when requested).
*
Scheduler:
*
{@code create} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of the items that this Observable emits * @param the state type * @param asyncOnSubscribe * an implementation of {@link AsyncOnSubscribe}. There are many static creation methods * on the class for convenience. * @return an Observable that, when a {@link Subscriber} subscribes to it, will execute the specified * function * @see AsyncOnSubscribe#createSingleState(Func0, Action3) * @see AsyncOnSubscribe#createSingleState(Func0, Action3, Action1) * @see AsyncOnSubscribe#createStateful(Func0, Func3) * @see AsyncOnSubscribe#createStateful(Func0, Func3, Action1) * @see AsyncOnSubscribe#createStateless(Action2) * @see AsyncOnSubscribe#createStateless(Action2, Action0) * @see ReactiveX operators documentation: Create * @since 1.3 - beta */ @Beta public static Observable create(AsyncOnSubscribe asyncOnSubscribe) { return unsafeCreate(asyncOnSubscribe); } /** * Invoked when Observable.subscribe is called. * @param the output value type */ public interface OnSubscribe extends Action1> { // cover for generics insanity } /** * Operator function for lifting into an Observable. * @param the upstream's value type (input) * @param the downstream's value type (output) */ public interface Operator extends Func1, Subscriber> { // cover for generics insanity } /** * This method requires advanced knowledge about building operators; please consider * other standard composition methods first; * Lifts a function to the current Observable and returns a new Observable that when subscribed to will pass * the values of the current Observable through the Operator function. *

* In other words, this allows chaining Observers together on an Observable for acting on the values within * the Observable. *

{@code * observable.map(...).filter(...).take(5).lift(new OperatorA()).lift(new OperatorB(...)).subscribe() * } *

* If the operator you are creating is designed to act on the individual items emitted by a source * Observable, use {@code lift}. If your operator is designed to transform the source Observable as a whole * (for instance, by applying a particular set of existing RxJava operators to it) use {@link #compose}. *

*
Backpressure:
*
The {@code Operator} instance provided is responsible to be backpressure-aware or * document the fact that the consumer of the returned {@code Observable} has to apply one of * the {@code onBackpressureXXX} operators.
*
Scheduler:
*
{@code lift} does not operate by default on a particular {@link Scheduler}.
*
* * @param the output value type * @param operator the Operator that implements the Observable-operating function to be applied to the source * Observable * @return an Observable that is the result of applying the lifted Operator to the source Observable * @see RxJava wiki: Implementing Your Own Operators */ public final Observable lift(final Operator operator) { return unsafeCreate(new OnSubscribeLift(onSubscribe, operator)); } /** * Transform an Observable by applying a particular Transformer function to it. *

* This method operates on the Observable itself whereas {@link #lift} operates on the Observable's * Subscribers or Observers. *

* If the operator you are creating is designed to act on the individual items emitted by a source * Observable, use {@link #lift}. If your operator is designed to transform the source Observable as a whole * (for instance, by applying a particular set of existing RxJava operators to it) use {@code compose}. *

*
Backpressure:
*
The operator itself doesn't interfere with the backpressure behavior which only depends * on what kind of {@code Observable} the transformer returns.
*
Scheduler:
*
{@code compose} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the output Observable * @param transformer implements the function that transforms the source Observable * @return the source Observable, transformed by the transformer function * @see RxJava wiki: Implementing Your Own Operators */ @SuppressWarnings("unchecked") public Observable compose(Transformer transformer) { return ((Transformer) transformer).call(this); } /** * Function that receives the current Observable and should return another * Observable, possibly with given element type, in exchange that will be * subscribed to by the downstream operators and subscribers. *

* This convenience interface has been introduced to work around the variance declaration * problems of type arguments. * * @param the input Observable's value type * @param the output Observable's value type */ public interface Transformer extends Func1, Observable> { // cover for generics insanity } /** * Calls the specified converter function during assembly time and returns its resulting value. *

* This allows fluent conversion to any other type. * @param the resulting object type * @param converter the function that receives the current Observable instance and returns a value * @return the value returned by the function * @since 1.3 */ public final R to(Func1, R> converter) { return converter.call(this); } /** * Returns a Single that emits the single item emitted by the source Observable, if that Observable * emits only a single item. If the source Observable emits more than one item or no items, notify of an * {@code IllegalArgumentException} or {@code NoSuchElementException} respectively. *

* *

*
Backpressure:
*
The operator ignores backpressure on the source {@code Observable} and the returned {@code Single} * does not have a notion of backpressure.
*
Scheduler:
*
{@code toSingle} does not operate by default on a particular {@link Scheduler}.
*
* * @return a Single that emits the single item emitted by the source Observable * @throws IllegalArgumentException * if the source observable emits more than one item * @throws NoSuchElementException * if the source observable emits no items * @see ReactiveX documentation: Single * @since 1.2 */ public Single toSingle() { return new Single(OnSubscribeSingle.create(this)); } /** * Returns a Completable that discards all onNext emissions (similar to * {@code ignoreAllElements()}) and calls onCompleted when this source observable calls * onCompleted. Error terminal events are propagated. *

* *

*
Backpressure:
*
The operator ignores backpressure on the source {@code Observable} and the returned {@code Completable} * does not have a notion of backpressure.
*
Scheduler:
*
{@code toCompletable} does not operate by default on a particular {@link Scheduler}.
*
* * @return a Completable that calls onCompleted on it's subscriber when the source Observable * calls onCompleted * @see ReactiveX documentation: * Completable * @since 1.3 */ public Completable toCompletable() { return Completable.fromObservable(this); } /* ********************************************************************************************************* * Operators Below Here * ********************************************************************************************************* */ /** * Mirrors the one Observable in an Iterable of several Observables that first either emits an item or sends * a termination notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element type * @param sources * an Iterable of Observable sources competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Iterable> sources) { return unsafeCreate(OnSubscribeAmb.amb(sources)); } /** * Given two Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2)); } /** * Given three Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3)); } /** * Given four Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @param o4 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3, Observable o4) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3, o4)); } /** * Given five Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @param o4 * an Observable competing to react first * @param o5 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3, o4, o5)); } /** * Given six Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @param o4 * an Observable competing to react first * @param o5 * an Observable competing to react first * @param o6 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3, o4, o5, o6)); } /** * Given seven Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @param o4 * an Observable competing to react first * @param o5 * an Observable competing to react first * @param o6 * an Observable competing to react first * @param o7 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3, o4, o5, o6, o7)); } /** * Given eight Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @param o4 * an Observable competing to react first * @param o5 * an Observable competing to react first * @param o6 * an Observable competing to react first * @param o7 * an Observable competing to react first * @param o8 * an observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3, o4, o5, o6, o7, o8)); } /** * Given nine Observables, mirrors the one that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param o1 * an Observable competing to react first * @param o2 * an Observable competing to react first * @param o3 * an Observable competing to react first * @param o4 * an Observable competing to react first * @param o5 * an Observable competing to react first * @param o6 * an Observable competing to react first * @param o7 * an Observable competing to react first * @param o8 * an Observable competing to react first * @param o9 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public static Observable amb(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Observable o9) { return unsafeCreate(OnSubscribeAmb.amb(o1, o2, o3, o4, o5, o6, o7, o8, o9)); } /** * Combines two source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from either of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Func2 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2), Functions.fromFunc(combineFunction)); } /** * Combines three source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Func3 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3), Functions.fromFunc(combineFunction)); } /** * Combines four source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the element type of the fourth source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param o4 * the fourth source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Observable o4, Func4 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3, o4), Functions.fromFunc(combineFunction)); } /** * Combines five source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the element type of the fourth source * @param the element type of the fifth source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param o4 * the fourth source Observable * @param o5 * the fifth source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Func5 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3, o4, o5), Functions.fromFunc(combineFunction)); } /** * Combines six source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the element type of the fourth source * @param the element type of the fifth source * @param the element type of the sixth source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param o4 * the fourth source Observable * @param o5 * the fifth source Observable * @param o6 * the sixth source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Func6 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3, o4, o5, o6), Functions.fromFunc(combineFunction)); } /** * Combines seven source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the element type of the fourth source * @param the element type of the fifth source * @param the element type of the sixth source * @param the element type of the seventh source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param o4 * the fourth source Observable * @param o5 * the fifth source Observable * @param o6 * the sixth source Observable * @param o7 * the seventh source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Func7 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3, o4, o5, o6, o7), Functions.fromFunc(combineFunction)); } /** * Combines eight source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the element type of the fourth source * @param the element type of the fifth source * @param the element type of the sixth source * @param the element type of the seventh source * @param the element type of the eighth source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param o4 * the fourth source Observable * @param o5 * the fifth source Observable * @param o6 * the sixth source Observable * @param o7 * the seventh source Observable * @param o8 * the eighth source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Func8 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3, o4, o5, o6, o7, o8), Functions.fromFunc(combineFunction)); } /** * Combines nine source Observables by emitting an item that aggregates the latest values of each of the * source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *

* *

*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the first source * @param the element type of the second source * @param the element type of the third source * @param the element type of the fourth source * @param the element type of the fifth source * @param the element type of the sixth source * @param the element type of the seventh source * @param the element type of the eighth source * @param the element type of the ninth source * @param the combined output type * @param o1 * the first source Observable * @param o2 * the second source Observable * @param o3 * the third source Observable * @param o4 * the fourth source Observable * @param o5 * the fifth source Observable * @param o6 * the sixth source Observable * @param o7 * the seventh source Observable * @param o8 * the eighth source Observable * @param o9 * the ninth source Observable * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ @SuppressWarnings({ "unchecked", "cast" }) public static Observable combineLatest(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Observable o9, Func9 combineFunction) { return (Observable)combineLatest(Arrays.asList(o1, o2, o3, o4, o5, o6, o7, o8, o9), Functions.fromFunc(combineFunction)); } /** * Combines a list of source Observables by emitting an item that aggregates the latest values of each of * the source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *
*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the common base type of source values * @param * the result type * @param sources * the list of source Observables * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ public static Observable combineLatest(List> sources, FuncN combineFunction) { return unsafeCreate(new OnSubscribeCombineLatest(sources, combineFunction)); } /** * Combines a collection of source Observables by emitting an item that aggregates the latest values of each of * the source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function. *
*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the common base type of source values * @param * the result type * @param sources * the collection of source Observables * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ public static Observable combineLatest(Iterable> sources, FuncN combineFunction) { return unsafeCreate(new OnSubscribeCombineLatest(sources, combineFunction)); } /** * Combines a collection of source Observables by emitting an item that aggregates the latest values of each of * the source Observables each time an item is received from any of the source Observables, where this * aggregation is defined by a specified function and delays any error from the sources until * all source Observables terminate. * *
*
Backpressure:
*
The returned {@code Observable} honors backpressure from downstream. The source {@code Observable}s * are requested in a bounded manner, however, their backpressure is not enforced (the operator won't signal * {@code MissingBackpressureException}) and may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code combineLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the common base type of source values * @param * the result type * @param sources * the collection of source Observables * @param combineFunction * the aggregation function used to combine the items emitted by the source Observables * @return an Observable that emits items that are the result of combining the items emitted by the source * Observables by means of the given aggregation function * @see ReactiveX operators documentation: CombineLatest */ public static Observable combineLatestDelayError(Iterable> sources, FuncN combineFunction) { return unsafeCreate(new OnSubscribeCombineLatest(null, sources, combineFunction, RxRingBuffer.SIZE, true)); } /** * Flattens an Iterable of Observables into one Observable, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Iterable of Observables * @return an Observable that emits items that are the result of flattening the items emitted by the * Observables in the Iterable, one after the other, without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Iterable> sequences) { return concat(from(sequences)); } /** * Returns an Observable that emits the items emitted by each of the Observables emitted by the source * Observable, one after the other, without interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable} * sources are expected to honor backpressure as well. If the outer violates this, a * {@code MissingBackpressureException} is signalled. If any of the inner {@code Observable}s violates * this, it may throw an {@code IllegalStateException} when an inner {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param observables * an Observable that emits Observables * @return an Observable that emits items all of the items emitted by the Observables emitted by * {@code observables}, one after the other, without interleaving them * @see ReactiveX operators documentation: Concat */ @SuppressWarnings({ "unchecked", "rawtypes" }) public static Observable concat(Observable> observables) { return observables.concatMap((Func1)UtilityFunctions.identity()); } /** * Returns an Observable that emits the items emitted by two Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @return an Observable that emits items emitted by the two source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2) { return concat(just(t1, t2)); } /** * Returns an Observable that emits the items emitted by three Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @return an Observable that emits items emitted by the three source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3) { return concat(just(t1, t2, t3)); } /** * Returns an Observable that emits the items emitted by four Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @return an Observable that emits items emitted by the four source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3, Observable t4) { return concat(just(t1, t2, t3, t4)); } /** * Returns an Observable that emits the items emitted by five Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @return an Observable that emits items emitted by the five source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5) { return concat(just(t1, t2, t3, t4, t5)); } /** * Returns an Observable that emits the items emitted by six Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @return an Observable that emits items emitted by the six source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6) { return concat(just(t1, t2, t3, t4, t5, t6)); } /** * Returns an Observable that emits the items emitted by seven Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @param t7 * an Observable to be concatenated * @return an Observable that emits items emitted by the seven source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7) { return concat(just(t1, t2, t3, t4, t5, t6, t7)); } /** * Returns an Observable that emits the items emitted by eight Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @param t7 * an Observable to be concatenated * @param t8 * an Observable to be concatenated * @return an Observable that emits items emitted by the eight source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8) { return concat(just(t1, t2, t3, t4, t5, t6, t7, t8)); } /** * Returns an Observable that emits the items emitted by nine Observables, one after the other, without * interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @param t7 * an Observable to be concatenated * @param t8 * an Observable to be concatenated * @param t9 * an Observable to be concatenated * @return an Observable that emits items emitted by the nine source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public static Observable concat(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8, Observable t9) { return concat(just(t1, t2, t3, t4, t5, t6, t7, t8, t9)); } /** * Concatenates the Observable sequence of Observables into a single sequence by subscribing to each inner Observable, * one after the other, one at a time and delays any errors till the all inner and the outer Observables terminate. * *
*
Backpressure:
*
{@code concatDelayError} fully supports backpressure.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sources the Observable sequence of Observables * @return the new Observable with the concatenating behavior * @since 1.3 */ @SuppressWarnings({ "rawtypes", "unchecked" }) public static Observable concatDelayError(Observable> sources) { return sources.concatMapDelayError((Func1)UtilityFunctions.identity()); } /** * Concatenates the Iterable sequence of Observables into a single sequence by subscribing to each Observable, * one after the other, one at a time and delays any errors till the all inner Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable} * sources are expected to honor backpressure as well. If the outer violates this, a * {@code MissingBackpressureException} is signalled. If any of the inner {@code Observable}s violates * this, it may throw an {@code IllegalStateException} when an inner {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sources the Iterable sequence of Observables * @return the new Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Iterable> sources) { return concatDelayError(from(sources)); } /** * Returns an Observable that emits the items emitted by two Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2) { return concatDelayError(just(t1, t2)); } /** * Returns an Observable that emits the items emitted by three Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2,Observable t3 ) { return concatDelayError(just(t1, t2, t3)); } /** * Returns an Observable that emits the items emitted by four Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2, Observable t3, Observable t4) { return concatDelayError(just(t1, t2, t3, t4)); } /** * Returns an Observable that emits the items emitted by five Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5) { return concatDelayError(just(t1, t2, t3, t4, t5)); } /** * Returns an Observable that emits the items emitted by six Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6) { return concatDelayError(just(t1, t2, t3, t4, t5, t6)); } /** * Returns an Observable that emits the items emitted by seven Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @param t7 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7) { return concatDelayError(just(t1, t2, t3, t4, t5, t6, t7)); } /** * Returns an Observable that emits the items emitted by eight Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @param t7 * an Observable to be concatenated * @param t8 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8) { return concatDelayError(just(t1, t2, t3, t4, t5, t6, t7, t8)); } /** * Returns an Observable that emits the items emitted by nine Observables, one after the other, without * interleaving them, and delays any errors till all Observables terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concatDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be concatenated * @param t2 * an Observable to be concatenated * @param t3 * an Observable to be concatenated * @param t4 * an Observable to be concatenated * @param t5 * an Observable to be concatenated * @param t6 * an Observable to be concatenated * @param t7 * an Observable to be concatenated * @param t8 * an Observable to be concatenated * @param t9 * an Observable to be concatenated * @return an Observable with the concatenating behavior * @since 1.3 */ public static Observable concatDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8, Observable t9) { return concatDelayError(just(t1, t2, t3, t4, t5, t6, t7, t8, t9)); } /** * Returns an Observable that calls an Observable factory to create an Observable for each new Observer * that subscribes. That is, for each subscriber, the actual Observable that subscriber observes is * determined by the factory function. *

* *

* The defer Observer allows you to defer or delay emitting items from an Observable until such time as an * Observer subscribes to the Observable. This allows an {@link Observer} to easily obtain updates or a * refreshed version of the sequence. *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the {@code Observable} * returned by the {@code observableFactory}.
*
Scheduler:
*
{@code defer} does not operate by default on a particular {@link Scheduler}.
*
* * @param observableFactory * the Observable factory function to invoke for each {@link Observer} that subscribes to the * resulting Observable * @param * the type of the items emitted by the Observable * @return an Observable whose {@link Observer}s' subscriptions trigger an invocation of the given * Observable factory function * @see ReactiveX operators documentation: Defer */ public static Observable defer(Func0> observableFactory) { return unsafeCreate(new OnSubscribeDefer(observableFactory)); } /** * Returns an Observable that emits no items to the {@link Observer} and immediately invokes its * {@link Observer#onCompleted onCompleted} method. *

* *

*
Backpressure:
*
This source doesn't produce any elements and effectively ignores downstream backpressure.
*
Scheduler:
*
{@code empty} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of the items (ostensibly) emitted by the Observable * @return an Observable that emits no items to the {@link Observer} but immediately invokes the * {@link Observer}'s {@link Observer#onCompleted() onCompleted} method * @see ReactiveX operators documentation: Empty */ public static Observable empty() { return EmptyObservableHolder.instance(); } /** * Returns an Observable that invokes an {@link Observer}'s {@link Observer#onError onError} method when the * Observer subscribes to it. *

* *

*
Backpressure:
*
This source doesn't produce any elements and effectively ignores downstream backpressure.
*
Scheduler:
*
{@code error} does not operate by default on a particular {@link Scheduler}.
*
* * @param exception * the particular Throwable to pass to {@link Observer#onError onError} * @param * the type of the items (ostensibly) emitted by the Observable * @return an Observable that invokes the {@link Observer}'s {@link Observer#onError onError} method when * the Observer subscribes to it * @see ReactiveX operators documentation: Throw */ public static Observable error(Throwable exception) { return unsafeCreate(new OnSubscribeThrow(exception)); } /** * Converts a {@link Future} into an Observable. *

* *

* You can convert any object that supports the {@link Future} interface into an Observable that emits the * return value of the {@link Future#get} method of that object, by passing the object into the {@code from} * method. *

* Important note: This Observable is blocking; you cannot unsubscribe from it. *

*
Backpressure:
*
The operator honors backpressure from downstream.
*
Scheduler:
*
{@code from} does not operate by default on a particular {@link Scheduler}.
*
* * @param future * the source {@link Future} * @param * the type of object that the {@link Future} returns, and also the type of item to be emitted by * the resulting Observable * @return an Observable that emits the item from the source {@link Future} * @see ReactiveX operators documentation: From */ @SuppressWarnings("cast") public static Observable from(Future future) { return (Observable)unsafeCreate(OnSubscribeToObservableFuture.toObservableFuture(future)); } /** * Converts a {@link Future} into an Observable, with a timeout on the Future. *

* *

* You can convert any object that supports the {@link Future} interface into an Observable that emits the * return value of the {@link Future#get} method of that object, by passing the object into the {@code from} * method. *

* Important note: This Observable is blocking; you cannot unsubscribe from it. *

*
Backpressure:
*
The operator honors backpressure from downstream.
*
Scheduler:
*
{@code from} does not operate by default on a particular {@link Scheduler}.
*
* * @param future * the source {@link Future} * @param timeout * the maximum time to wait before calling {@code get} * @param unit * the {@link TimeUnit} of the {@code timeout} argument * @param * the type of object that the {@link Future} returns, and also the type of item to be emitted by * the resulting Observable * @return an Observable that emits the item from the source {@link Future} * @see ReactiveX operators documentation: From */ @SuppressWarnings("cast") public static Observable from(Future future, long timeout, TimeUnit unit) { return (Observable)unsafeCreate(OnSubscribeToObservableFuture.toObservableFuture(future, timeout, unit)); } /** * Converts a {@link Future}, operating on a specified {@link Scheduler}, into an Observable. *

* *

* You can convert any object that supports the {@link Future} interface into an Observable that emits the * return value of the {@link Future#get} method of that object, by passing the object into the {@code from} * method. *

*
Backpressure:
*
The operator honors backpressure from downstream.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param future * the source {@link Future} * @param scheduler * the {@link Scheduler} to wait for the Future on. Use a Scheduler such as * {@link Schedulers#io()} that can block and wait on the Future * @param * the type of object that the {@link Future} returns, and also the type of item to be emitted by * the resulting Observable * @return an Observable that emits the item from the source {@link Future} * @see ReactiveX operators documentation: From */ public static Observable from(Future future, Scheduler scheduler) { // TODO in a future revision the Scheduler will become important because we'll start polling instead of blocking on the Future @SuppressWarnings("cast") Observable o = (Observable)unsafeCreate(OnSubscribeToObservableFuture.toObservableFuture(future)); return o.subscribeOn(scheduler); } /** * Converts an {@link Iterable} sequence into an Observable that emits the items in the sequence. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and iterates the given {@code iterable} * on demand (i.e., when requested).
*
Scheduler:
*
{@code from} does not operate by default on a particular {@link Scheduler}.
*
* * @param iterable * the source {@link Iterable} sequence * @param * the type of items in the {@link Iterable} sequence and the type of items to be emitted by the * resulting Observable * @return an Observable that emits each item in the source {@link Iterable} sequence * @see ReactiveX operators documentation: From */ public static Observable from(Iterable iterable) { return unsafeCreate(new OnSubscribeFromIterable(iterable)); } /** * Converts an Array into an Observable that emits the items in the Array. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and iterates the given {@code array} * on demand (i.e., when requested).
*
Scheduler:
*
{@code from} does not operate by default on a particular {@link Scheduler}.
*
* * @param array * the source Array * @param * the type of items in the Array and the type of items to be emitted by the resulting Observable * @return an Observable that emits each item in the source Array * @see ReactiveX operators documentation: From */ public static Observable from(T[] array) { int n = array.length; if (n == 0) { return empty(); } else if (n == 1) { return just(array[0]); } return unsafeCreate(new OnSubscribeFromArray(array)); } /** * Returns an Observable that, when an observer subscribes to it, invokes a function you specify and then * emits the value returned from that function. *

* *

* This allows you to defer the execution of the function you specify until an observer subscribes to the * Observable. That is to say, it makes the function "lazy." *

*
Backpressure:
*
The operator honors backpressure from downstream.
*
Scheduler:
*
{@code fromCallable} does not operate by default on a particular {@link Scheduler}.
*
* * @param func * a function, the execution of which should be deferred; {@code fromCallable} will invoke this * function only when an observer subscribes to the Observable that {@code fromCallable} returns * @param * the type of the item emitted by the Observable * @return an Observable whose {@link Observer}s' subscriptions trigger an invocation of the given function * @see #defer(Func0) * @since 1.2 */ public static Observable fromCallable(Callable func) { return unsafeCreate(new OnSubscribeFromCallable(func)); } /** * Returns an Observable that emits a sequential number every specified interval of time. *

* *

*
Scheduler:
*
{@code interval} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param interval * interval size in time units (see below) * @param unit * time units to use for the interval size * @return an Observable that emits a sequential number each time interval * @see ReactiveX operators documentation: Interval */ public static Observable interval(long interval, TimeUnit unit) { return interval(interval, interval, unit, Schedulers.computation()); } /** * Returns an Observable that emits a sequential number every specified interval of time, on a * specified Scheduler. *

* *

*
Backpressure:
*
The operator generates values based on time and ignores downstream backpressure which * may lead to {@code MissingBackpressureException} at some point in the chain. * Consumers should consider applying one of the {@code onBackpressureXXX} operators as well.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param interval * interval size in time units (see below) * @param unit * time units to use for the interval size * @param scheduler * the Scheduler to use for scheduling the items * @return an Observable that emits a sequential number each time interval * @see ReactiveX operators documentation: Interval */ public static Observable interval(long interval, TimeUnit unit, Scheduler scheduler) { return interval(interval, interval, unit, scheduler); } /** * Returns an Observable that emits a {@code 0L} after the {@code initialDelay} and ever increasing numbers * after each {@code period} of time thereafter. *

* *

*
Backpressure:
*
The operator generates values based on time and ignores downstream backpressure which * may lead to {@code MissingBackpressureException} at some point in the chain. * Consumers should consider applying one of the {@code onBackpressureXXX} operators as well.
*
Scheduler:
*
{@code interval} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param initialDelay * the initial delay time to wait before emitting the first value of 0L * @param period * the period of time between emissions of the subsequent numbers * @param unit * the time unit for both {@code initialDelay} and {@code period} * @return an Observable that emits a 0L after the {@code initialDelay} and ever increasing numbers after * each {@code period} of time thereafter * @see ReactiveX operators documentation: Interval * @since 1.0.12 */ public static Observable interval(long initialDelay, long period, TimeUnit unit) { return interval(initialDelay, period, unit, Schedulers.computation()); } /** * Returns an Observable that emits a {@code 0L} after the {@code initialDelay} and ever increasing numbers * after each {@code period} of time thereafter, on a specified {@link Scheduler}. *

* *

*
Backpressure:
*
The operator generates values based on time and ignores downstream backpressure which * may lead to {@code MissingBackpressureException} at some point in the chain. * Consumers should consider applying one of the {@code onBackpressureXXX} operators as well.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param initialDelay * the initial delay time to wait before emitting the first value of 0L * @param period * the period of time between emissions of the subsequent numbers * @param unit * the time unit for both {@code initialDelay} and {@code period} * @param scheduler * the Scheduler on which the waiting happens and items are emitted * @return an Observable that emits a 0L after the {@code initialDelay} and ever increasing numbers after * each {@code period} of time thereafter, while running on the given Scheduler * @see ReactiveX operators documentation: Interval * @since 1.0.12 */ public static Observable interval(long initialDelay, long period, TimeUnit unit, Scheduler scheduler) { return unsafeCreate(new OnSubscribeTimerPeriodically(initialDelay, period, unit, scheduler)); } /** * Returns an Observable that emits a single item and then completes. *

* *

* To convert any object into an Observable that emits that object, pass that object into the {@code just} * method. *

* This is similar to the {@link #from(java.lang.Object[])} method, except that {@code from} will convert * an {@link Iterable} object into an Observable that emits each of the items in the Iterable, one at a * time, while the {@code just} method converts an Iterable into an Observable that emits the entire * Iterable as a single item. *

*
Backpressure:
*
The operator honors backpressure from downstream.
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param value * the item to emit * @param * the type of that item * @return an Observable that emits {@code value} as a single item and then completes * @see ReactiveX operators documentation: Just */ public static Observable just(final T value) { return ScalarSynchronousObservable.create(value); } /** * Converts two items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2) { return from((T[])new Object[] { t1, t2 }); } /** * Converts three items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3) { return from((T[])new Object[] { t1, t2, t3 }); } /** * Converts four items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4) { return from((T[])new Object[] { t1, t2, t3, t4 }); } /** * Converts five items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param t5 * fifth item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4, T t5) { return from((T[])new Object[] { t1, t2, t3, t4, t5 }); } /** * Converts six items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param t5 * fifth item * @param t6 * sixth item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4, T t5, T t6) { return from((T[])new Object[] { t1, t2, t3, t4, t5, t6 }); } /** * Converts seven items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param t5 * fifth item * @param t6 * sixth item * @param t7 * seventh item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4, T t5, T t6, T t7) { return from((T[])new Object[] { t1, t2, t3, t4, t5, t6, t7 }); } /** * Converts eight items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param t5 * fifth item * @param t6 * sixth item * @param t7 * seventh item * @param t8 * eighth item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4, T t5, T t6, T t7, T t8) { return from((T[])new Object[] { t1, t2, t3, t4, t5, t6, t7, t8 }); } /** * Converts nine items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param t5 * fifth item * @param t6 * sixth item * @param t7 * seventh item * @param t8 * eighth item * @param t9 * ninth item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4, T t5, T t6, T t7, T t8, T t9) { return from((T[])new Object[] { t1, t2, t3, t4, t5, t6, t7, t8, t9 }); } /** * Converts ten items into an Observable that emits those items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals each value on-demand (i.e., when requested).
*
Scheduler:
*
{@code just} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * first item * @param t2 * second item * @param t3 * third item * @param t4 * fourth item * @param t5 * fifth item * @param t6 * sixth item * @param t7 * seventh item * @param t8 * eighth item * @param t9 * ninth item * @param t10 * tenth item * @param * the type of these items * @return an Observable that emits each item * @see ReactiveX operators documentation: Just */ // suppress unchecked because we are using varargs inside the method @SuppressWarnings("unchecked") public static Observable just(T t1, T t2, T t3, T t4, T t5, T t6, T t7, T t8, T t9, T t10) { return from((T[])new Object[] { t1, t2, t3, t4, t5, t6, t7, t8, t9, t10 }); } /** * Flattens an Iterable of Observables into one Observable, without any transformation. *

* *

* You can combine the items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Iterable of Observables * @return an Observable that emits items that are the result of flattening the items emitted by the * Observables in the Iterable * @see ReactiveX operators documentation: Merge */ public static Observable merge(Iterable> sequences) { return merge(from(sequences)); } /** * Flattens an Iterable of Observables into one Observable, without any transformation, while limiting the * number of concurrent subscriptions to these Observables. *

* *

* You can combine the items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Iterable of Observables * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits items that are the result of flattening the items emitted by the * Observables in the Iterable * @throws IllegalArgumentException * if {@code maxConcurrent} is less than or equal to 0 * @see ReactiveX operators documentation: Merge */ public static Observable merge(Iterable> sequences, int maxConcurrent) { return merge(from(sequences), maxConcurrent); } /** * Flattens an Observable that emits Observables into a single Observable that emits the items emitted by * those Observables, without any transformation. *

* *

* You can combine the items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed * in unbounded mode (i.e., no backpressure is applied to it). The inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param source * an Observable that emits Observables * @return an Observable that emits items that are the result of flattening the Observables emitted by the * {@code source} Observable * @see ReactiveX operators documentation: Merge */ @SuppressWarnings({"unchecked", "rawtypes"}) public static Observable merge(Observable> source) { if (source.getClass() == ScalarSynchronousObservable.class) { return ((ScalarSynchronousObservable)source).scalarFlatMap((Func1)UtilityFunctions.identity()); } return source.lift(OperatorMerge.instance(false)); } /** * Flattens an Observable that emits Observables into a single Observable that emits the items emitted by * those Observables, without any transformation, while limiting the maximum number of concurrent * subscriptions to these Observables. *

* *

* You can combine the items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param source * an Observable that emits Observables * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits items that are the result of flattening the Observables emitted by the * {@code source} Observable * @throws IllegalArgumentException * if {@code maxConcurrent} is less than or equal to 0 * @see ReactiveX operators documentation: Merge * @since 1.1.0 */ @SuppressWarnings({"unchecked", "rawtypes"}) public static Observable merge(Observable> source, int maxConcurrent) { if (source.getClass() == ScalarSynchronousObservable.class) { return ((ScalarSynchronousObservable)source).scalarFlatMap((Func1)UtilityFunctions.identity()); } return source.lift(OperatorMerge.instance(false, maxConcurrent)); } /** * Flattens two Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2) { return merge(new Observable[] { t1, t2 }); } /** * Flattens three Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3) { return merge(new Observable[] { t1, t2, t3 }); } /** * Flattens four Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3, Observable t4) { return merge(new Observable[] { t1, t2, t3, t4 }); } /** * Flattens five Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5) { return merge(new Observable[] { t1, t2, t3, t4, t5 }); } /** * Flattens six Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6) { return merge(new Observable[] { t1, t2, t3, t4, t5, t6 }); } /** * Flattens seven Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @param t7 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7) { return merge(new Observable[] { t1, t2, t3, t4, t5, t6, t7 }); } /** * Flattens eight Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @param t7 * an Observable to be merged * @param t8 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8) { return merge(new Observable[] { t1, t2, t3, t4, t5, t6, t7, t8 }); } /** * Flattens nine Observables into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @param t7 * an Observable to be merged * @param t8 * an Observable to be merged * @param t9 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ @SuppressWarnings("unchecked") public static Observable merge(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8, Observable t9) { return merge(new Observable[] { t1, t2, t3, t4, t5, t6, t7, t8, t9 }); } /** * Flattens an Array of Observables into one Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Array of Observables * @return an Observable that emits all of the items emitted by the Observables in the Array * @see ReactiveX operators documentation: Merge */ public static Observable merge(Observable[] sequences) { return merge(from(sequences)); } /** * Flattens an Array of Observables into one Observable, without any transformation, while limiting the * number of concurrent subscriptions to these Observables. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code merge} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code merge} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Array of Observables * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits all of the items emitted by the Observables in the Array * @see ReactiveX operators documentation: Merge * @since 1.1.0 */ public static Observable merge(Observable[] sequences, int maxConcurrent) { return merge(from(sequences), maxConcurrent); } /** * Flattens an Observable that emits Observables into one Observable, in a way that allows an Observer to * receive all successfully emitted items from all of the source Observables without being interrupted by * an error notification from one of them. *

* This behaves like {@link #merge(Observable)} except that if any of the merged Observables notify of an * error via {@link Observer#onError onError}, {@code mergeDelayError} will refrain from propagating that * error notification until all of the merged Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed * in unbounded mode (i.e., no backpressure is applied to it). The inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param source * an Observable that emits Observables * @return an Observable that emits all of the items emitted by the Observables emitted by the * {@code source} Observable * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable> source) { return source.lift(OperatorMerge.instance(true)); } /** * Flattens an Observable that emits Observables into one Observable, in a way that allows an Observer to * receive all successfully emitted items from all of the source Observables without being interrupted by * an error notification from one of them, while limiting the * number of concurrent subscriptions to these Observables. *

* This behaves like {@link #merge(Observable)} except that if any of the merged Observables notify of an * error via {@link Observer#onError onError}, {@code mergeDelayError} will refrain from propagating that * error notification until all of the merged Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param source * an Observable that emits Observables * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits all of the items emitted by the Observables emitted by the * {@code source} Observable * @see ReactiveX operators documentation: Merge * @since 1.3 */ public static Observable mergeDelayError(Observable> source, int maxConcurrent) { return source.lift(OperatorMerge.instance(true, maxConcurrent)); } /** * Flattens an Iterable of Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from each of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable)} except that if any of the merged Observables notify of an * error via {@link Observer#onError onError}, {@code mergeDelayError} will refrain from propagating that * error notification until all of the merged Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Iterable of Observables * @return an Observable that emits items that are the result of flattening the items emitted by the * Observables in the Iterable * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Iterable> sequences) { return mergeDelayError(from(sequences)); } /** * Flattens an Iterable of Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from each of the source Observables without being interrupted by an error * notification from one of them, while limiting the number of concurrent subscriptions to these Observables. *

* This behaves like {@link #merge(Observable)} except that if any of the merged Observables notify of an * error via {@link Observer#onError onError}, {@code mergeDelayError} will refrain from propagating that * error notification until all of the merged Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param sequences * the Iterable of Observables * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits items that are the result of flattening the items emitted by the * Observables in the Iterable * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Iterable> sequences, int maxConcurrent) { return mergeDelayError(from(sequences), maxConcurrent); } /** * Flattens two Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from each of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable)} except that if any of the merged Observables * notify of an error via {@link Observer#onError onError}, {@code mergeDelayError} will refrain from * propagating that error notification until all of the merged Observables have finished emitting items. *

* *

* Even if both merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the two source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2) { return mergeDelayError(just(t1, t2)); } /** * Flattens three Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable, Observable)} except that if any of the merged * Observables notify of an error via {@link Observer#onError onError}, {@code mergeDelayError} will refrain * from propagating that error notification until all of the merged Observables have finished emitting * items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3) { return mergeDelayError(just(t1, t2, t3)); } /** * Flattens four Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable, Observable, Observable)} except that if any of * the merged Observables notify of an error via {@link Observer#onError onError}, {@code mergeDelayError} * will refrain from propagating that error notification until all of the merged Observables have finished * emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3, Observable t4) { return mergeDelayError(just(t1, t2, t3, t4)); } /** * Flattens five Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable, Observable, Observable, Observable)} except that * if any of the merged Observables notify of an error via {@link Observer#onError onError}, * {@code mergeDelayError} will refrain from propagating that error notification until all of the merged * Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5) { return mergeDelayError(just(t1, t2, t3, t4, t5)); } /** * Flattens six Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable, Observable, Observable, Observable, Observable)} * except that if any of the merged Observables notify of an error via {@link Observer#onError onError}, * {@code mergeDelayError} will refrain from propagating that error notification until all of the merged * Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6) { return mergeDelayError(just(t1, t2, t3, t4, t5, t6)); } /** * Flattens seven Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like * {@link #merge(Observable, Observable, Observable, Observable, Observable, Observable, Observable)} * except that if any of the merged Observables notify of an error via {@link Observer#onError onError}, * {@code mergeDelayError} will refrain from propagating that error notification until all of the merged * Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @param t7 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7) { return mergeDelayError(just(t1, t2, t3, t4, t5, t6, t7)); } /** * Flattens eight Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable, Observable, Observable, Observable, Observable, Observable, Observable)} * except that if any of the merged Observables notify of an error via {@link Observer#onError onError}, * {@code mergeDelayError} will refrain from propagating that error notification until all of the merged * Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @param t7 * an Observable to be merged * @param t8 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8) { return mergeDelayError(just(t1, t2, t3, t4, t5, t6, t7, t8)); } /** * Flattens nine Observables into one Observable, in a way that allows an Observer to receive all * successfully emitted items from all of the source Observables without being interrupted by an error * notification from one of them. *

* This behaves like {@link #merge(Observable, Observable, Observable, Observable, Observable, Observable, Observable, Observable, Observable)} * except that if any of the merged Observables notify of an error via {@link Observer#onError onError}, * {@code mergeDelayError} will refrain from propagating that error notification until all of the merged * Observables have finished emitting items. *

* *

* Even if multiple merged Observables send {@code onError} notifications, {@code mergeDelayError} will only * invoke the {@code onError} method of its Observers once. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the common element base type * @param t1 * an Observable to be merged * @param t2 * an Observable to be merged * @param t3 * an Observable to be merged * @param t4 * an Observable to be merged * @param t5 * an Observable to be merged * @param t6 * an Observable to be merged * @param t7 * an Observable to be merged * @param t8 * an Observable to be merged * @param t9 * an Observable to be merged * @return an Observable that emits all of the items that are emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public static Observable mergeDelayError(Observable t1, Observable t2, Observable t3, Observable t4, Observable t5, Observable t6, Observable t7, Observable t8, Observable t9) { return mergeDelayError(just(t1, t2, t3, t4, t5, t6, t7, t8, t9)); } /** * Converts the source {@code Observable} into an {@code Observable>} that emits the * source Observable as its single emission. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream.
*
Scheduler:
*
{@code nest} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits a single item: the source Observable * @see ReactiveX operators documentation: To */ public final Observable> nest() { return just(this); } /** * Returns an Observable that never sends any items or notifications to an {@link Observer}. *

* *

* This Observable is useful primarily for testing purposes. *

*
Backpressure:
*
This source doesn't produce any elements and effectively ignores downstream backpressure.
*
Scheduler:
*
{@code never} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items (not) emitted by the Observable * @return an Observable that never emits any items or sends any notifications to an {@link Observer} * @see ReactiveX operators documentation: Never */ public static Observable never() { return NeverObservableHolder.instance(); } /** * Returns an Observable that emits a sequence of Integers within a specified range. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals values on-demand (i.e., when requested).
*
Scheduler:
*
{@code range} does not operate by default on a particular {@link Scheduler}.
*
* * @param start * the value of the first Integer in the sequence * @param count * the number of sequential Integers to generate * @return an Observable that emits a range of sequential Integers * @throws IllegalArgumentException * if {@code count} is less than zero, or if {@code start} + {@code count} − 1 exceeds * {@code Integer.MAX_VALUE} * @see ReactiveX operators documentation: Range */ public static Observable range(int start, int count) { if (count < 0) { throw new IllegalArgumentException("Count can not be negative"); } if (count == 0) { return Observable.empty(); } if (start > Integer.MAX_VALUE - count + 1) { throw new IllegalArgumentException("start + count can not exceed Integer.MAX_VALUE"); } if (count == 1) { return Observable.just(start); } return Observable.unsafeCreate(new OnSubscribeRange(start, start + (count - 1))); } /** * Returns an Observable that emits a sequence of Integers within a specified range, on a specified * Scheduler. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and signals values on-demand (i.e., when requested).
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param start * the value of the first Integer in the sequence * @param count * the number of sequential Integers to generate * @param scheduler * the Scheduler to run the generator loop on * @return an Observable that emits a range of sequential Integers * @see ReactiveX operators documentation: Range */ public static Observable range(int start, int count, Scheduler scheduler) { return range(start, count).subscribeOn(scheduler); } /** * Returns an Observable that emits a Boolean value that indicates whether two Observable sequences are the * same by comparing the items emitted by each Observable pairwise. *

* *

*
Scheduler:
*
{@code sequenceEqual} does not operate by default on a particular {@link Scheduler}.
*
* * @param first * the first Observable to compare * @param second * the second Observable to compare * @param * the type of items emitted by each Observable * @return an Observable that emits a Boolean value that indicates whether the two sequences are the same * @see ReactiveX operators documentation: SequenceEqual */ public static Observable sequenceEqual(Observable first, Observable second) { return sequenceEqual(first, second, InternalObservableUtils.OBJECT_EQUALS); } /** * Returns an Observable that emits a Boolean value that indicates whether two Observable sequences are the * same by comparing the items emitted by each Observable pairwise based on the results of a specified * equality function. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s are expected to honor * backpressure; if violated, the operator signals a {@code MissingBackpressureException}.
*
Scheduler:
*
{@code sequenceEqual} does not operate by default on a particular {@link Scheduler}.
*
* * @param first * the first Observable to compare * @param second * the second Observable to compare * @param equality * a function used to compare items emitted by each Observable * @param * the type of items emitted by each Observable * @return an Observable that emits a Boolean value that indicates whether the two Observable two sequences * are the same according to the specified function * @see ReactiveX operators documentation: SequenceEqual */ public static Observable sequenceEqual(Observable first, Observable second, Func2 equality) { return OperatorSequenceEqual.sequenceEqual(first, second, equality); } /** * Converts an Observable that emits Observables into an Observable that emits the items emitted by the * most recently emitted of those Observables. *

* *

* {@code switchOnNext} subscribes to an Observable that emits Observables. Each time it observes one of * these emitted Observables, the Observable returned by {@code switchOnNext} begins emitting the items * emitted by that Observable. When a new Observable is emitted, {@code switchOnNext} stops emitting items * from the earlier-emitted Observable and begins emitting items from the new one. *

* The resulting Observable completes if both the outer Observable and the last inner Observable, if any, complete. * If the outer Observable signals an onError, the inner Observable is unsubscribed and the error delivered in-sequence. *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed in an * unbounded manner (i.e., without backpressure) and the inner {@code Observable}s are expected to honor * backpressure but it is not enforced; the operator won't signal a {@code MissingBackpressureException} * but the violation may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code switchOnNext} does not operate by default on a particular {@link Scheduler}.
*
* * @param the item type * @param sequenceOfSequences * the source Observable that emits Observables * @return an Observable that emits the items emitted by the Observable most recently emitted by the source * Observable * @see ReactiveX operators documentation: Switch */ public static Observable switchOnNext(Observable> sequenceOfSequences) { return sequenceOfSequences.lift(OperatorSwitch.instance(false)); } /** * Converts an Observable that emits Observables into an Observable that emits the items emitted by the * most recently emitted of those Observables and delays any exception until all Observables terminate. *

* *

* {@code switchOnNext} subscribes to an Observable that emits Observables. Each time it observes one of * these emitted Observables, the Observable returned by {@code switchOnNext} begins emitting the items * emitted by that Observable. When a new Observable is emitted, {@code switchOnNext} stops emitting items * from the earlier-emitted Observable and begins emitting items from the new one. *

* The resulting Observable completes if both the main Observable and the last inner Observable, if any, complete. * If the main Observable signals an onError, the termination of the last inner Observable will emit that error as is * or wrapped into a CompositeException along with the other possible errors the former inner Observables signalled. *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed in an * unbounded manner (i.e., without backpressure) and the inner {@code Observable}s are expected to honor * backpressure but it is not enforced; the operator won't signal a {@code MissingBackpressureException} * but the violation may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code switchOnNext} does not operate by default on a particular {@link Scheduler}.
*
* * @param the item type * @param sequenceOfSequences * the source Observable that emits Observables * @return an Observable that emits the items emitted by the Observable most recently emitted by the source * Observable * @see ReactiveX operators documentation: Switch * @since 1.3 */ public static Observable switchOnNextDelayError(Observable> sequenceOfSequences) { return sequenceOfSequences.lift(OperatorSwitch.instance(true)); } /** * Returns an Observable that emits a {@code 0L} after the {@code initialDelay} and ever increasing numbers * after each {@code period} of time thereafter. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. If the downstream needs a slower rate * it should slow the timer or use something like {@link #onBackpressureDrop}.
*
Scheduler:
*
{@code timer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param initialDelay * the initial delay time to wait before emitting the first value of 0L * @param period * the period of time between emissions of the subsequent numbers * @param unit * the time unit for both {@code initialDelay} and {@code period} * @return an Observable that emits a 0L after the {@code initialDelay} and ever increasing numbers after * each {@code period} of time thereafter * @see ReactiveX operators documentation: Timer * @deprecated use {@link #interval(long, long, TimeUnit)} instead */ @Deprecated public static Observable timer(long initialDelay, long period, TimeUnit unit) { return interval(initialDelay, period, unit, Schedulers.computation()); } /** * Returns an Observable that emits a {@code 0L} after the {@code initialDelay} and ever increasing numbers * after each {@code period} of time thereafter, on a specified {@link Scheduler}. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. If the downstream needs a slower rate * it should slow the timer or use something like {@link #onBackpressureDrop}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param initialDelay * the initial delay time to wait before emitting the first value of 0L * @param period * the period of time between emissions of the subsequent numbers * @param unit * the time unit for both {@code initialDelay} and {@code period} * @param scheduler * the Scheduler on which the waiting happens and items are emitted * @return an Observable that emits a 0L after the {@code initialDelay} and ever increasing numbers after * each {@code period} of time thereafter, while running on the given Scheduler * @see ReactiveX operators documentation: Timer * @deprecated use {@link #interval(long, long, TimeUnit, Scheduler)} instead */ @Deprecated public static Observable timer(long initialDelay, long period, TimeUnit unit, Scheduler scheduler) { return interval(initialDelay, period, unit, scheduler); } /** * Returns an Observable that emits {@code 0L} after a specified delay, and then completes. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. If the downstream needs a slower rate * it should slow the timer or use something like {@link #onBackpressureDrop}.
*
Scheduler:
*
{@code timer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param delay * the initial delay before emitting a single {@code 0L} * @param unit * time units to use for {@code delay} * @return an Observable that emits one item after a specified delay, and then completes * @see ReactiveX operators documentation: Timer */ public static Observable timer(long delay, TimeUnit unit) { return timer(delay, unit, Schedulers.computation()); } /** * Returns an Observable that emits {@code 0L} after a specified delay, on a specified Scheduler, and then * completes. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. If the downstream needs a slower rate * it should slow the timer or use something like {@link #onBackpressureDrop}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param delay * the initial delay before emitting a single 0L * @param unit * time units to use for {@code delay} * @param scheduler * the {@link Scheduler} to use for scheduling the item * @return an Observable that emits one item after a specified delay, on a specified Scheduler, and then * completes * @see ReactiveX operators documentation: Timer */ public static Observable timer(long delay, TimeUnit unit, Scheduler scheduler) { return unsafeCreate(new OnSubscribeTimerOnce(delay, unit, scheduler)); } /** * Constructs an Observable that creates a dependent resource object which is disposed of on unsubscription. *

* *

*
Backpressure:
*
The operator is a pass-through for backpressure and otherwise depends on the * backpressure support of the Observable returned by the {@code resourceFactory}.
*
Scheduler:
*
{@code using} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the generated Observable * @param the type of the resource associated with the output sequence * @param resourceFactory * the factory function to create a resource object that depends on the Observable * @param observableFactory * the factory function to create an Observable * @param disposeAction * the function that will dispose of the resource * @return the Observable whose lifetime controls the lifetime of the dependent resource object * @see ReactiveX operators documentation: Using */ public static Observable using( final Func0 resourceFactory, final Func1> observableFactory, final Action1 disposeAction) { return using(resourceFactory, observableFactory, disposeAction, false); } /** * Constructs an Observable that creates a dependent resource object which is disposed of just before * termination if you have set {@code disposeEagerly} to {@code true} and unsubscription does not occur * before termination. Otherwise resource disposal will occur on unsubscription. Eager disposal is * particularly appropriate for a synchronous Observable that reuses resources. {@code disposeAction} will * only be called once per subscription. *

* *

*
Backpressure:
*
The operator is a pass-through for backpressure and otherwise depends on the * backpressure support of the Observable returned by the {@code resourceFactory}.
*
Scheduler:
*
{@code using} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the generated Observable * @param the type of the resource associated with the output sequence * @param resourceFactory * the factory function to create a resource object that depends on the Observable * @param observableFactory * the factory function to create an Observable * @param disposeAction * the function that will dispose of the resource * @param disposeEagerly * if {@code true} then disposal will happen either on unsubscription or just before emission of * a terminal event ({@code onComplete} or {@code onError}). * @return the Observable whose lifetime controls the lifetime of the dependent resource object * @see ReactiveX operators documentation: Using * @since 1.3 */ public static Observable using( final Func0 resourceFactory, final Func1> observableFactory, final Action1 disposeAction, boolean disposeEagerly) { return unsafeCreate(new OnSubscribeUsing(resourceFactory, observableFactory, disposeAction, disposeEagerly)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * items emitted, in sequence, by an Iterable of other Observables. *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each of the source Observables; * the second item emitted by the new Observable will be the result of the function applied to the second * item emitted by each of those Observables; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@code onNext} as many times as * the number of {@code onNext} invocations of the source Observable that emits the fewest items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(Arrays.asList(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2)), (a) -> a)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *

* *

*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the zipped result type * @param ws * an Iterable of source Observables * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Iterable> ws, FuncN zipFunction) { List> os = new ArrayList>(); for (Observable o : ws) { os.add(o); } return Observable.just(os.toArray(new Observable[os.size()])).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * items emitted, in sequence, by an array of other Observables. *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each of the source Observables; * the second item emitted by the new Observable will be the result of the function applied to the second * item emitted by each of those Observables; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@code onNext} as many times as * the number of {@code onNext} invocations of the source Observable that emits the fewest items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(new Observable[]{range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2)}, (a) ->
     * a)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *

* *

*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the result type * @param ws * an array of source Observables * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip * @since 1.3 */ public static Observable zip(Observable[] ws, FuncN zipFunction) { return Observable.just(ws).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * n items emitted, in sequence, by the n Observables emitted by a specified Observable. *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each of the Observables emitted * by the source Observable; the second item emitted by the new Observable will be the result of the * function applied to the second item emitted by each of those Observables; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@code onNext} as many times as * the number of {@code onNext} invocations of the source Observable that emits the fewest items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(just(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2)), (a) -> a)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *

* *

*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the zipped result type * @param ws * an Observable of source Observables * @param zipFunction * a function that, when applied to an item emitted by each of the Observables emitted by * {@code ws}, results in an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable> ws, final FuncN zipFunction) { return ws.toList().map(InternalObservableUtils.TO_ARRAY).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * two items emitted, in sequence, by two other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by {@code o1} and the first item * emitted by {@code o2}; the second item emitted by the new Observable will be the result of the function * applied to the second item emitted by {@code o1} and the second item emitted by {@code o2}; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), (a, b) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results * in an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, final Func2 zipFunction) { return just(new Observable[] { o1, o2 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * three items emitted, in sequence, by three other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by {@code o1}, the first item * emitted by {@code o2}, and the first item emitted by {@code o3}; the second item emitted by the new * Observable will be the result of the function applied to the second item emitted by {@code o1}, the * second item emitted by {@code o2}, and the second item emitted by {@code o3}; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Func3 zipFunction) { return just(new Observable[] { o1, o2, o3 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * four items emitted, in sequence, by four other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by {@code o1}, the first item * emitted by {@code o2}, the first item emitted by {@code o3}, and the first item emitted by {@code 04}; * the second item emitted by the new Observable will be the result of the function applied to the second * item emitted by each of those Observables; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c, d) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the value type of the fourth source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param o4 * a fourth source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Observable o4, Func4 zipFunction) { return just(new Observable[] { o1, o2, o3, o4 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * five items emitted, in sequence, by five other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by {@code o1}, the first item * emitted by {@code o2}, the first item emitted by {@code o3}, the first item emitted by {@code o4}, and * the first item emitted by {@code o5}; the second item emitted by the new Observable will be the result of * the function applied to the second item emitted by each of those Observables; and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c, d, e) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the value type of the fourth source * @param the value type of the fifth source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param o4 * a fourth source Observable * @param o5 * a fifth source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Func5 zipFunction) { return just(new Observable[] { o1, o2, o3, o4, o5 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * six items emitted, in sequence, by six other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each source Observable, the * second item emitted by the new Observable will be the result of the function applied to the second item * emitted by each of those Observables, and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c, d, e, f) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the value type of the fourth source * @param the value type of the fifth source * @param the value type of the sixth source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param o4 * a fourth source Observable * @param o5 * a fifth source Observable * @param o6 * a sixth source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Func6 zipFunction) { return just(new Observable[] { o1, o2, o3, o4, o5, o6 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * seven items emitted, in sequence, by seven other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each source Observable, the * second item emitted by the new Observable will be the result of the function applied to the second item * emitted by each of those Observables, and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c, d, e, f, g) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the value type of the fourth source * @param the value type of the fifth source * @param the value type of the sixth source * @param the value type of the seventh source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param o4 * a fourth source Observable * @param o5 * a fifth source Observable * @param o6 * a sixth source Observable * @param o7 * a seventh source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Func7 zipFunction) { return just(new Observable[] { o1, o2, o3, o4, o5, o6, o7 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * eight items emitted, in sequence, by eight other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each source Observable, the * second item emitted by the new Observable will be the result of the function applied to the second item * emitted by each of those Observables, and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c, d, e, f, g, h) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the value type of the fourth source * @param the value type of the fifth source * @param the value type of the sixth source * @param the value type of the seventh source * @param the value type of the eighth source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param o4 * a fourth source Observable * @param o5 * a fifth source Observable * @param o6 * a sixth source Observable * @param o7 * a seventh source Observable * @param o8 * an eighth source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Func8 zipFunction) { return just(new Observable[] { o1, o2, o3, o4, o5, o6, o7, o8 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits the results of a specified combiner function applied to combinations of * nine items emitted, in sequence, by nine other Observables. *

* *

* {@code zip} applies this function in strict sequence, so the first item emitted by the new Observable * will be the result of the function applied to the first item emitted by each source Observable, the * second item emitted by the new Observable will be the result of the function applied to the second item * emitted by each of those Observables, and so forth. *

* The resulting {@code Observable} returned from {@code zip} will invoke {@link Observer#onNext onNext} * as many times as the number of {@code onNext} invocations of the source Observable that emits the fewest * items. *

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

zip(range(1, 5).doOnCompleted(action1), range(6, 5).doOnCompleted(action2), ..., (a, b, c, d, e, f, g, h, i) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zip} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the first source * @param the value type of the second source * @param the value type of the third source * @param the value type of the fourth source * @param the value type of the fifth source * @param the value type of the sixth source * @param the value type of the seventh source * @param the value type of the eighth source * @param the value type of the ninth source * @param the zipped result type * @param o1 * the first source Observable * @param o2 * a second source Observable * @param o3 * a third source Observable * @param o4 * a fourth source Observable * @param o5 * a fifth source Observable * @param o6 * a sixth source Observable * @param o7 * a seventh source Observable * @param o8 * an eighth source Observable * @param o9 * a ninth source Observable * @param zipFunction * a function that, when applied to an item emitted by each of the source Observables, results in * an item that will be emitted by the resulting Observable * @return an Observable that emits the zipped results * @see ReactiveX operators documentation: Zip */ public static Observable zip(Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Observable o9, Func9 zipFunction) { return just(new Observable[] { o1, o2, o3, o4, o5, o6, o7, o8, o9 }).lift(new OperatorZip(zipFunction)); } /** * Returns an Observable that emits a Boolean that indicates whether all of the items emitted by the source * Observable satisfy a condition. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code all} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * a function that evaluates an item and returns a Boolean * @return an Observable that emits {@code true} if all items emitted by the source Observable satisfy the * predicate; otherwise, {@code false} * @see ReactiveX operators documentation: All */ public final Observable all(Func1 predicate) { return lift(new OperatorAll(predicate)); } /** * Mirrors the Observable (current or provided) that first either emits an item or sends a termination * notification. *

* *

*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by the winning * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code amb} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * an Observable competing to react first * @return an Observable that emits the same sequence as whichever of the source Observables first * emitted an item or sent a termination notification * @see ReactiveX operators documentation: Amb */ public final Observable ambWith(Observable t1) { return amb(this, t1); } /** * Portrays a object of an Observable subclass as a simple Observable object. This is useful, for instance, * when you have an implementation of a subclass of Observable but you want to hide the properties and * methods of this subclass from whomever you are passing the Observable to. *
*
Backpressure:
*
The operator itself doesn't interfere with backpressure which is determined by this * {@code Observable}'s backpressure behavior.
*
Scheduler:
*
{@code asObservable} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that hides the identity of this Observable */ public final Observable asObservable() { return lift(OperatorAsObservable.instance()); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping buffers. It emits the current buffer and replaces it with a * new buffer whenever the Observable produced by the specified {@code bufferClosingSelector} emits an item. *

* *

*
Backpressure:
*
This operator does not support backpressure as it is instead controlled by the given Observables and * buffers data. It requests {@code Long.MAX_VALUE} upstream and does not obey downstream requests.
*
Scheduler:
*
This version of {@code buffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the boundary-providing Observable * @param bufferClosingSelector * a {@link Func0} that produces an Observable that governs the boundary between buffers. * Whenever the source {@code Observable} emits an item, {@code buffer} emits the current buffer and * begins to fill a new one * @return an Observable that emits a connected, non-overlapping buffer of items from the source Observable * each time the Observable created with the {@code bufferClosingSelector} argument emits an item * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(Func0> bufferClosingSelector) { return lift(new OperatorBufferWithSingleObservable(bufferClosingSelector, 16)); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping buffers, each containing {@code count} items. When the source * Observable completes or encounters an error, the resulting Observable emits the current buffer and * propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and expects the source {@code Observable} to honor it as * well, although not enforced; violation may lead to {@code MissingBackpressureException} somewhere * downstream.
*
Scheduler:
*
This version of {@code buffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum number of items in each buffer before it should be emitted * @return an Observable that emits connected, non-overlapping buffers, each containing at most * {@code count} items from the source Observable * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(int count) { return buffer(count, count); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits buffers every {@code skip} items, each containing {@code count} items. When the source * Observable completes or encounters an error, the resulting Observable emits the current buffer and * propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and expects the source {@code Observable} to honor it as * well, although not enforced; violation may lead to {@code MissingBackpressureException} somewhere * downstream.
*
Scheduler:
*
This version of {@code buffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum size of each buffer before it should be emitted * @param skip * how many items emitted by the source Observable should be skipped before starting a new * buffer. Note that when {@code skip} and {@code count} are equal, this is the same operation as * {@link #buffer(int)}. * @return an Observable that emits buffers for every {@code skip} item from the source Observable and * containing at most {@code count} items * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(int count, int skip) { return lift(new OperatorBufferWithSize(count, skip)); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable starts a new buffer periodically, as determined by the {@code timeshift} argument. It emits * each buffer after a fixed timespan, specified by the {@code timespan} argument. When the source * Observable completes or encounters an error, the resulting Observable emits the current buffer and * propagates the notification from the source Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. It requests {@code Long.MAX_VALUE} * upstream and does not obey downstream requests.
*
Scheduler:
*
This version of {@code buffer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timespan * the period of time each buffer collects items before it is emitted * @param timeshift * the period of time after which a new buffer will be created * @param unit * the unit of time that applies to the {@code timespan} and {@code timeshift} arguments * @return an Observable that emits new buffers of items emitted by the source Observable periodically after * a fixed timespan has elapsed * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(long timespan, long timeshift, TimeUnit unit) { return buffer(timespan, timeshift, unit, Schedulers.computation()); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable starts a new buffer periodically, as determined by the {@code timeshift} argument, and on the * specified {@code scheduler}. It emits each buffer after a fixed timespan, specified by the * {@code timespan} argument. When the source Observable completes or encounters an error, the resulting * Observable emits the current buffer and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. It requests {@code Long.MAX_VALUE} * upstream and does not obey downstream requests.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each buffer collects items before it is emitted * @param timeshift * the period of time after which a new buffer will be created * @param unit * the unit of time that applies to the {@code timespan} and {@code timeshift} arguments * @param scheduler * the {@link Scheduler} to use when determining the end and start of a buffer * @return an Observable that emits new buffers of items emitted by the source Observable periodically after * a fixed timespan has elapsed * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(long timespan, long timeshift, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorBufferWithTime(timespan, timeshift, unit, Integer.MAX_VALUE, scheduler)); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping buffers, each of a fixed duration specified by the * {@code timespan} argument. When the source Observable completes or encounters an error, the resulting * Observable emits the current buffer and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. It requests {@code Long.MAX_VALUE} * upstream and does not obey downstream requests.
*
Scheduler:
*
This version of {@code buffer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timespan * the period of time each buffer collects items before it is emitted and replaced with a new * buffer * @param unit * the unit of time that applies to the {@code timespan} argument * @return an Observable that emits connected, non-overlapping buffers of items emitted by the source * Observable within a fixed duration * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(long timespan, TimeUnit unit) { return buffer(timespan, unit, Integer.MAX_VALUE, Schedulers.computation()); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping buffers, each of a fixed duration specified by the * {@code timespan} argument or a maximum size specified by the {@code count} argument (whichever is reached * first). When the source Observable completes or encounters an error, the resulting Observable emits the * current buffer and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. It requests {@code Long.MAX_VALUE} * upstream and does not obey downstream requests.
*
Scheduler:
*
This version of {@code buffer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timespan * the period of time each buffer collects items before it is emitted and replaced with a new * buffer * @param unit * the unit of time which applies to the {@code timespan} argument * @param count * the maximum size of each buffer before it is emitted * @return an Observable that emits connected, non-overlapping buffers of items emitted by the source * Observable, after a fixed duration or when the buffer reaches maximum capacity (whichever occurs * first) * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(long timespan, TimeUnit unit, int count) { return lift(new OperatorBufferWithTime(timespan, timespan, unit, count, Schedulers.computation())); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping buffers, each of a fixed duration specified by the * {@code timespan} argument as measured on the specified {@code scheduler}, or a maximum size specified by * the {@code count} argument (whichever is reached first). When the source Observable completes or * encounters an error, the resulting Observable emits the current buffer and propagates the notification * from the source Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. It requests {@code Long.MAX_VALUE} * upstream and does not obey downstream requests.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each buffer collects items before it is emitted and replaced with a new * buffer * @param unit * the unit of time which applies to the {@code timespan} argument * @param count * the maximum size of each buffer before it is emitted * @param scheduler * the {@link Scheduler} to use when determining the end and start of a buffer * @return an Observable that emits connected, non-overlapping buffers of items emitted by the source * Observable after a fixed duration or when the buffer reaches maximum capacity (whichever occurs * first) * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(long timespan, TimeUnit unit, int count, Scheduler scheduler) { return lift(new OperatorBufferWithTime(timespan, timespan, unit, count, scheduler)); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping buffers, each of a fixed duration specified by the * {@code timespan} argument and on the specified {@code scheduler}. When the source Observable completes or * encounters an error, the resulting Observable emits the current buffer and propagates the notification * from the source Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time. It requests {@code Long.MAX_VALUE} * upstream and does not obey downstream requests.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each buffer collects items before it is emitted and replaced with a new * buffer * @param unit * the unit of time which applies to the {@code timespan} argument * @param scheduler * the {@link Scheduler} to use when determining the end and start of a buffer * @return an Observable that emits connected, non-overlapping buffers of items emitted by the source * Observable within a fixed duration * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(long timespan, TimeUnit unit, Scheduler scheduler) { return buffer(timespan, timespan, unit, scheduler); } /** * Returns an Observable that emits buffers of items it collects from the source Observable. The resulting * Observable emits buffers that it creates when the specified {@code bufferOpenings} Observable emits an * item, and closes when the Observable returned from {@code bufferClosingSelector} emits an item. *

* *

*
Backpressure:
*
This operator does not support backpressure as it is instead controlled by the given Observables and * buffers data. It requests {@code Long.MAX_VALUE} upstream and does not obey downstream requests.
*
Scheduler:
*
This version of {@code buffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the buffer-opening Observable * @param the element type of the individual buffer-closing Observables * @param bufferOpenings * the Observable that, when it emits an item, causes a new buffer to be created * @param bufferClosingSelector * the {@link Func1} that is used to produce an Observable for every buffer created. When this * Observable emits an item, the associated buffer is emitted. * @return an Observable that emits buffers, containing items from the source Observable, that are created * and closed when the specified Observables emit items * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(Observable bufferOpenings, Func1> bufferClosingSelector) { return lift(new OperatorBufferWithStartEndObservable(bufferOpenings, bufferClosingSelector)); } /** * Returns an Observable that emits non-overlapping buffered items from the source Observable each time the * specified boundary Observable emits an item. *

* *

* Completion of either the source or the boundary Observable causes the returned Observable to emit the * latest buffer and complete. *

*
Backpressure:
*
This operator does not support backpressure as it is instead controlled by the {@code Observable} * {@code boundary} and buffers data. It requests {@code Long.MAX_VALUE} upstream and does not obey * downstream requests.
*
Scheduler:
*
This version of {@code buffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the boundary value type (ignored) * @param boundary * the boundary Observable * @return an Observable that emits buffered items from the source Observable when the boundary Observable * emits an item * @see #buffer(rx.Observable, int) * @see ReactiveX operators documentation: Buffer */ public final Observable> buffer(Observable boundary) { return buffer(boundary, 16); } /** * Returns an Observable that emits non-overlapping buffered items from the source Observable each time the * specified boundary Observable emits an item. *

* *

* Completion of either the source or the boundary Observable causes the returned Observable to emit the * latest buffer and complete. *

*
Backpressure:
*
This operator does not support backpressure as it is instead controlled by the {@code Observable} * {@code boundary} and buffers data. It requests {@code Long.MAX_VALUE} upstream and does not obey * downstream requests.
*
Scheduler:
*
This version of {@code buffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the boundary value type (ignored) * @param boundary * the boundary Observable * @param initialCapacity * the initial capacity of each buffer chunk * @return an Observable that emits buffered items from the source Observable when the boundary Observable * emits an item * @see ReactiveX operators documentation: Buffer * @see #buffer(rx.Observable, int) */ public final Observable> buffer(Observable boundary, int initialCapacity) { return lift(new OperatorBufferWithSingleObservable(boundary, initialCapacity)); } /** * Returns an Observable that subscribes to this Observable lazily, caches all of its events * and replays them, in the same order as received, to all the downstream subscribers. *

* *

* This is useful when you want an Observable to cache responses and you can't control the * subscribe/unsubscribe behavior of all the {@link Subscriber}s. *

* The operator subscribes only when the first downstream subscriber subscribes and maintains * a single subscription towards this Observable. In contrast, the operator family of {@link #replay()} * that return a {@link ConnectableObservable} require an explicit call to {@link ConnectableObservable#connect()}. *

* Note: You sacrifice the ability to unsubscribe from the origin when you use the {@code cache} * Observer so be careful not to use this Observer on Observables that emit an infinite or very large number * of items that will use up memory. * A possible workaround is to apply `takeUntil` with a predicate or * another source before (and perhaps after) the application of cache(). *


     * AtomicBoolean shouldStop = new AtomicBoolean();
     *
     * source.takeUntil(v -> shouldStop.get())
     *       .cache()
     *       .takeUntil(v -> shouldStop.get())
     *       .subscribe(...);
     * 
* Since the operator doesn't allow clearing the cached values either, the possible workaround is * to forget all references to it via {@link #onTerminateDetach()} applied along with the previous * workaround: *

     * AtomicBoolean shouldStop = new AtomicBoolean();
     *
     * source.takeUntil(v -> shouldStop.get())
     *       .onTerminateDetach()
     *       .cache()
     *       .takeUntil(v -> shouldStop.get())
     *       .onTerminateDetach()
     *       .subscribe(...);
     * 
*
*
Backpressure:
*
The operator consumes this Observable in an unbounded fashion but respects the backpressure * of each downstream Subscriber individually.
*
Scheduler:
*
{@code cache} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that, when first subscribed to, caches all of its items and notifications for the * benefit of subsequent subscribers * @see ReactiveX operators documentation: Replay */ public final Observable cache() { return CachedObservable.from(this); } /** * Caches and shares everything from this Observable and uses the initialCapacity to * reduce the number of times the internal buffer needs resizing. * @param initialCapacity the capacity to start with * @return the new Observable instance with the specific behavior. * @see #cacheWithInitialCapacity(int) * @deprecated Use {@link #cacheWithInitialCapacity(int)} instead. */ @Deprecated public final Observable cache(int initialCapacity) { return cacheWithInitialCapacity(initialCapacity); } /** * Returns an Observable that subscribes to this Observable lazily, caches all of its events * and replays them, in the same order as received, to all the downstream subscribers. *

* *

* This is useful when you want an Observable to cache responses and you can't control the * subscribe/unsubscribe behavior of all the {@link Subscriber}s. *

* The operator subscribes only when the first downstream subscriber subscribes and maintains * a single subscription towards this Observable. In contrast, the operator family of {@link #replay()} * that return a {@link ConnectableObservable} require an explicit call to {@link ConnectableObservable#connect()}. *

* Note: You sacrifice the ability to unsubscribe from the origin when you use the {@code cache} * Observer so be careful not to use this Observer on Observables that emit an infinite or very large number * of items that will use up memory. * A possible workaround is to apply `takeUntil` with a predicate or * another source before (and perhaps after) the application of cache(). *


     * AtomicBoolean shouldStop = new AtomicBoolean();
     *
     * source.takeUntil(v -> shouldStop.get())
     *       .cache()
     *       .takeUntil(v -> shouldStop.get())
     *       .subscribe(...);
     * 
* Since the operator doesn't allow clearing the cached values either, the possible workaround is * to forget all references to it via {@link #onTerminateDetach()} applied along with the previous * workaround: *

     * AtomicBoolean shouldStop = new AtomicBoolean();
     *
     * source.takeUntil(v -> shouldStop.get())
     *       .onTerminateDetach()
     *       .cache()
     *       .takeUntil(v -> shouldStop.get())
     *       .onTerminateDetach()
     *       .subscribe(...);
     * 
*
*
Backpressure:
*
The operator consumes this Observable in an unbounded fashion but respects the backpressure * of each downstream Subscriber individually.
*
Scheduler:
*
{@code cache} does not operate by default on a particular {@link Scheduler}.
*
*

* Note: The capacity hint is not an upper bound on cache size. For that, consider * {@link #replay(int)} in combination with {@link ConnectableObservable#autoConnect()} or similar. * * @param initialCapacity hint for number of items to cache (for optimizing underlying data structure) * @return an Observable that, when first subscribed to, caches all of its items and notifications for the * benefit of subsequent subscribers * @see ReactiveX operators documentation: Replay */ public final Observable cacheWithInitialCapacity(int initialCapacity) { return CachedObservable.from(this, initialCapacity); } /** * Returns an Observable that emits the items emitted by the source Observable, converted to the specified * type. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code cast} does not operate by default on a particular {@link Scheduler}.
*
* * @param the output value type cast to * @param klass * the target class type that {@code cast} will cast the items emitted by the source Observable * into before emitting them from the resulting Observable * @return an Observable that emits each item from the source Observable after converting it to the * specified type * @see ReactiveX operators documentation: Map */ public final Observable cast(final Class klass) { return lift(new OperatorCast(klass)); } /** * Collects items emitted by the source Observable into a single mutable data structure and returns an * Observable that emits this structure. *

* *

* This is a simplified version of {@code reduce} that does not need to return the state on each pass. *

*
Backpressure:
*
This operator does not support backpressure because by intent it will receive all values and reduce * them to a single {@code onNext}.
*
Scheduler:
*
{@code collect} does not operate by default on a particular {@link Scheduler}.
*
* * @param the accumulator and output type * @param stateFactory * the mutable data structure that will collect the items * @param collector * a function that accepts the {@code state} and an emitted item, and modifies {@code state} * accordingly * @return an Observable that emits the result of collecting the values emitted by the source Observable * into a single mutable data structure * @see ReactiveX operators documentation: Reduce */ public final Observable collect(Func0 stateFactory, final Action2 collector) { /* * Discussion and confirmation of implementation at * https://github.com/ReactiveX/RxJava/issues/423#issuecomment-27642532 * * It should use last() not takeLast(1) since it needs to emit an error if the sequence is empty. */ return unsafeCreate(new OnSubscribeCollect(this, stateFactory, collector)); } /** * Returns a new Observable that emits items resulting from applying a function that you supply to each item * emitted by the source Observable, where that function returns an Observable, and then emitting the items * that result from concatenating those resulting Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both this and the inner {@code Observable}s are * expected to honor backpressure as well. If the source {@code Observable} violates the rule, the operator will * signal a {@code MissingBackpressureException}. If any of the inner {@code Observable}s doesn't honor * backpressure, that may throw an {@code IllegalStateException} when that * {@code Observable} completes.
*
Scheduler:
*
{@code concatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the type of the inner Observable sources and thus the output type * @param func * a function that, when applied to an item emitted by the source Observable, returns an * Observable * @return an Observable that emits the result of applying the transformation function to each item emitted * by the source Observable and concatenating the Observables obtained from this transformation * @see ReactiveX operators documentation: FlatMap */ public final Observable concatMap(Func1> func) { if (this instanceof ScalarSynchronousObservable) { ScalarSynchronousObservable scalar = (ScalarSynchronousObservable) this; return scalar.scalarFlatMap(func); } return unsafeCreate(new OnSubscribeConcatMap(this, func, 2, OnSubscribeConcatMap.IMMEDIATE)); } /** * Maps each of the items into an Observable, subscribes to them one after the other, * one at a time and emits their values in order * while delaying any error from either this or any of the inner Observables * till all of them terminate. * *
*
Backpressure:
*
The operator honors backpressure from downstream. Both this and the inner {@code Observable}s are * expected to honor backpressure as well. If the source {@code Observable} violates the rule, the operator will * signal a {@code MissingBackpressureException}. If any of the inner {@code Observable}s doesn't honor * backpressure, that may throw an {@code IllegalStateException} when that * {@code Observable} completes.
*
Scheduler:
*
{@code concatMapDelayError} does not operate by default on a particular {@link Scheduler}.
*
* * @param the result value type * @param func the function that maps the items of this Observable into the inner Observables. * @return the new Observable instance with the concatenation behavior * @since 1.3 */ public final Observable concatMapDelayError(Func1> func) { if (this instanceof ScalarSynchronousObservable) { ScalarSynchronousObservable scalar = (ScalarSynchronousObservable) this; return scalar.scalarFlatMap(func); } return unsafeCreate(new OnSubscribeConcatMap(this, func, 2, OnSubscribeConcatMap.END)); } /** * Returns an Observable that concatenate each item emitted by the source Observable with the values in an * Iterable corresponding to that item that is generated by a selector. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s is * expected to honor backpressure as well. If the source {@code Observable} violates the rule, the operator will * signal a {@code MissingBackpressureException}.
*
Scheduler:
*
{@code concatMapIterable} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of item emitted by the resulting Observable * @param collectionSelector * a function that returns an Iterable sequence of values for when given an item emitted by the * source Observable * @return an Observable that emits the results of concatenating the items emitted by the source Observable with * the values in the Iterables corresponding to those items, as generated by {@code collectionSelector} * @see ReactiveX operators documentation: FlatMap */ public final Observable concatMapIterable(Func1> collectionSelector) { return OnSubscribeFlattenIterable.createFrom(this, collectionSelector, RxRingBuffer.SIZE); } /** * Returns an Observable that emits the items emitted from the current Observable, then the next, one after * the other, without interleaving them. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both this and the {@code other} {@code Observable}s * are expected to honor backpressure as well. If any of then violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code concat} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * an Observable to be concatenated after the current * @return an Observable that emits items emitted by the two source Observables, one after the other, * without interleaving them * @see ReactiveX operators documentation: Concat */ public final Observable concatWith(Observable t1) { return concat(this, t1); } /** * Returns an Observable that emits a Boolean that indicates whether the source Observable emitted a * specified item. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code contains} does not operate by default on a particular {@link Scheduler}.
*
* * @param element * the item to search for in the emissions from the source Observable * @return an Observable that emits {@code true} if the specified item is emitted by the source Observable, * or {@code false} if the source Observable completes without emitting that item * @see ReactiveX operators documentation: Contains */ public final Observable contains(final Object element) { return exists(InternalObservableUtils.equalsWith(element)); } /** * Returns an Observable that emits the count of the total number of items emitted by the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code count} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits a single item: the number of elements emitted by the source Observable * @see ReactiveX operators documentation: Count * @see #countLong() */ public final Observable count() { return reduce(0, InternalObservableUtils.COUNTER); } /** * Returns an Observable that counts the total number of items emitted by the source Observable and emits * this count as a 64-bit Long. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code countLong} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits a single item: the number of items emitted by the source Observable as a * 64-bit Long item * @see ReactiveX operators documentation: Count * @see #count() */ public final Observable countLong() { return reduce(0L, InternalObservableUtils.LONG_COUNTER); } /** * Returns an Observable that mirrors the source Observable, except that it drops items emitted by the * source Observable that are followed by another item within a computed debounce duration. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses the {@code debounceSelector} to mark * boundaries.
*
Scheduler:
*
This version of {@code debounce} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the debounce value type (ignored) * @param debounceSelector * function to retrieve a sequence that indicates the throttle duration for each item * @return an Observable that omits items emitted by the source Observable that are followed by another item * within a computed debounce duration * @see ReactiveX operators documentation: Debounce * @see RxJava wiki: Backpressure */ public final Observable debounce(Func1> debounceSelector) { return lift(new OperatorDebounceWithSelector(debounceSelector)); } /** * Returns an Observable that mirrors the source Observable, except that it drops items emitted by the * source Observable that are followed by newer items before a timeout value expires. The timer resets on * each emission. *

* Note: If items keep being emitted by the source Observable faster than the timeout then no items * will be emitted by the resulting Observable. *

* *

* Information on debounce vs throttle: *

*

*
*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
This version of {@code debounce} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timeout * the time each item has to be "the most recent" of those emitted by the source Observable to * ensure that it's not dropped * @param unit * the {@link TimeUnit} for the timeout * @return an Observable that filters out items from the source Observable that are too quickly followed by * newer items * @see ReactiveX operators documentation: Debounce * @see RxJava wiki: Backpressure * @see #throttleWithTimeout(long, TimeUnit) */ public final Observable debounce(long timeout, TimeUnit unit) { return debounce(timeout, unit, Schedulers.computation()); } /** * Returns an Observable that mirrors the source Observable, except that it drops items emitted by the * source Observable that are followed by newer items before a timeout value expires on a specified * Scheduler. The timer resets on each emission. *

* Note: If items keep being emitted by the source Observable faster than the timeout then no items * will be emitted by the resulting Observable. *

* *

* Information on debounce vs throttle: *

*

*
*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timeout * the time each item has to be "the most recent" of those emitted by the source Observable to * ensure that it's not dropped * @param unit * the unit of time for the specified timeout * @param scheduler * the {@link Scheduler} to use internally to manage the timers that handle the timeout for each * item * @return an Observable that filters out items from the source Observable that are too quickly followed by * newer items * @see ReactiveX operators documentation: Debounce * @see RxJava wiki: Backpressure * @see #throttleWithTimeout(long, TimeUnit, Scheduler) */ public final Observable debounce(long timeout, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorDebounceWithTime(timeout, unit, scheduler)); } /** * Returns an Observable that emits the items emitted by the source Observable or a specified default item * if the source Observable is empty. *

* *

*
Backpressure:
*
If the source {@code Observable} is empty, this operator is guaranteed to honor backpressure from downstream. * If the source {@code Observable} is non-empty, it is expected to honor backpressure as well; if the rule is violated, * a {@code MissingBackpressureException} may get signalled somewhere downstream. *
*
Scheduler:
*
{@code defaultIfEmpty} does not operate by default on a particular {@link Scheduler}.
*
* * @param defaultValue * the item to emit if the source Observable emits no items * @return an Observable that emits either the specified default item if the source Observable emits no * items, or the items emitted by the source Observable * @see ReactiveX operators documentation: DefaultIfEmpty */ public final Observable defaultIfEmpty(final T defaultValue) { //if empty switch to an observable that emits defaultValue and supports backpressure return switchIfEmpty(just(defaultValue)); } /** * Returns an Observable that emits the items emitted by the source Observable or the items of an alternate * Observable if the source Observable is empty. *

*

* *

*
Backpressure:
*
If the source {@code Observable} is empty, the alternate {@code Observable} is expected to honor backpressure. * If the source {@code Observable} is non-empty, it is expected to honor backpressure as instead. * In either case, if violated, a {@code MissingBackpressureException} may get * signalled somewhere downstream. *
*
Scheduler:
*
{@code switchIfEmpty} does not operate by default on a particular {@link Scheduler}.
*
* * @param alternate * the alternate Observable to subscribe to if the source does not emit any items * @return an Observable that emits the items emitted by the source Observable or the items of an * alternate Observable if the source Observable is empty. * @throws NullPointerException * if {@code alternate} is null * @since 1.1.0 */ public final Observable switchIfEmpty(Observable alternate) { if (alternate == null) { throw new NullPointerException("alternate is null"); } return unsafeCreate(new OnSubscribeSwitchIfEmpty(this, alternate)); } /** * Returns an Observable that delays the subscription to and emissions from the source Observable via another * Observable on a per-item basis. *

* *

* Note: the resulting Observable will immediately propagate any {@code onError} notification * from the source Observable. *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}. * All of the other {@code Observable}s supplied by the functions are consumed * in an unbounded manner (i.e., no backpressure applied to them).
*
Scheduler:
*
This version of {@code delay} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the subscription delay value type (ignored) * @param * the item delay value type (ignored) * @param subscriptionDelay * a function that returns an Observable that triggers the subscription to the source Observable * once it emits any item * @param itemDelay * a function that returns an Observable for each item emitted by the source Observable, which is * then used to delay the emission of that item by the resulting Observable until the Observable * returned from {@code itemDelay} emits an item * @return an Observable that delays the subscription and emissions of the source Observable via another * Observable on a per-item basis * @see ReactiveX operators documentation: Delay */ public final Observable delay( Func0> subscriptionDelay, Func1> itemDelay) { return delaySubscription(subscriptionDelay).lift(new OperatorDelayWithSelector(this, itemDelay)); } /** * Returns an Observable that delays the emissions of the source Observable via another Observable on a * per-item basis. *

* *

* Note: the resulting Observable will immediately propagate any {@code onError} notification * from the source Observable. *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}. * All of the other {@code Observable}s supplied by the function are consumed * in an unbounded manner (i.e., no backpressure applied to them).
*
Scheduler:
*
This version of {@code delay} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the item delay value type (ignored) * @param itemDelay * a function that returns an Observable for each item emitted by the source Observable, which is * then used to delay the emission of that item by the resulting Observable until the Observable * returned from {@code itemDelay} emits an item * @return an Observable that delays the emissions of the source Observable via another Observable on a * per-item basis * @see ReactiveX operators documentation: Delay */ public final Observable delay(Func1> itemDelay) { return lift(new OperatorDelayWithSelector(this, itemDelay)); } /** * Returns an Observable that emits the items emitted by the source Observable shifted forward in time by a * specified delay. Error notifications from the source Observable are not delayed. *

* *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}.
*
Scheduler:
*
This version of {@code delay} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param delay * the delay to shift the source by * @param unit * the {@link TimeUnit} in which {@code period} is defined * @return the source Observable shifted in time by the specified delay * @see ReactiveX operators documentation: Delay */ public final Observable delay(long delay, TimeUnit unit) { return delay(delay, unit, Schedulers.computation()); } /** * Returns an Observable that emits the items emitted by the source Observable shifted forward in time by a * specified delay. Error notifications from the source Observable are not delayed. *

* *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param delay * the delay to shift the source by * @param unit * the time unit of {@code delay} * @param scheduler * the {@link Scheduler} to use for delaying * @return the source Observable shifted in time by the specified delay * @see ReactiveX operators documentation: Delay */ public final Observable delay(long delay, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorDelay(delay, unit, scheduler)); } /** * Returns an Observable that delays the subscription to the source Observable by a given amount of time. *

* *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}.
*
Scheduler:
*
This version of {@code delay} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param delay * the time to delay the subscription * @param unit * the time unit of {@code delay} * @return an Observable that delays the subscription to the source Observable by the given amount * @see ReactiveX operators documentation: Delay */ public final Observable delaySubscription(long delay, TimeUnit unit) { return delaySubscription(delay, unit, Schedulers.computation()); } /** * Returns an Observable that delays the subscription to the source Observable by a given amount of time, * both waiting and subscribing on a given Scheduler. *

* *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param delay * the time to delay the subscription * @param unit * the time unit of {@code delay} * @param scheduler * the Scheduler on which the waiting and subscription will happen * @return an Observable that delays the subscription to the source Observable by a given * amount, waiting and subscribing on the given Scheduler * @see ReactiveX operators documentation: Delay */ public final Observable delaySubscription(long delay, TimeUnit unit, Scheduler scheduler) { return unsafeCreate(new OnSubscribeDelaySubscription(this, delay, unit, scheduler)); } /** * Returns an Observable that delays the subscription to the source Observable until a second Observable * emits an item. *

* *

*
Backpressure:
*
The operator doesn't interfere with the backpressure behavior which is determined by the source {@code Observable}. * The other {@code Observable}s supplied by the function is consumed in an unbounded manner * (i.e., no backpressure applied to it).
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the delaying Observable * @param subscriptionDelay * a function that returns an Observable that triggers the subscription to the source Observable * once it emits any item * @return an Observable that delays the subscription to the source Observable until the Observable returned * by {@code subscriptionDelay} emits an item * @see ReactiveX operators documentation: Delay */ public final Observable delaySubscription(Func0> subscriptionDelay) { return unsafeCreate(new OnSubscribeDelaySubscriptionWithSelector(this, subscriptionDelay)); } /** * Returns an Observable that delays the subscription to this Observable * until the other Observable emits an element or completes normally. *

*

*
Backpressure:
*
The operator forwards the backpressure requests to this Observable once * the subscription happens and requests Long.MAX_VALUE from the other Observable
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the other Observable, irrelevant * @param other the other Observable that should trigger the subscription * to this Observable. * @return an Observable that delays the subscription to this Observable * until the other Observable emits an element or completes normally. * @since 1.3 */ public final Observable delaySubscription(Observable other) { if (other == null) { throw new NullPointerException(); } return unsafeCreate(new OnSubscribeDelaySubscriptionOther(this, other)); } /** * Returns an Observable that reverses the effect of {@link #materialize materialize} by transforming the * {@link Notification} objects emitted by the source Observable into the items or notifications they * represent. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code dematerialize} does not operate by default on a particular {@link Scheduler}.
*
* * @param the output value type * @return an Observable that emits the items and notifications embedded in the {@link Notification} objects * emitted by the source Observable * @throws OnErrorNotImplementedException * if the source Observable is not of type {@code Observable>} * @see ReactiveX operators documentation: Dematerialize */ @SuppressWarnings({"unchecked"}) public final Observable dematerialize() { return lift(OperatorDematerialize.instance()); } /** * Returns an Observable that emits all items emitted by the source Observable that are distinct. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code distinct} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits only those items emitted by the source Observable that are distinct from * each other * @see ReactiveX operators documentation: Distinct */ public final Observable distinct() { return lift(OperatorDistinct. instance()); } /** * Returns an Observable that emits all items emitted by the source Observable that are distinct according * to a key selector function. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code distinct} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type * @param keySelector * a function that projects an emitted item to a key value that is used to decide whether an item * is distinct from another one or not * @return an Observable that emits those items emitted by the source Observable that have distinct keys * @see ReactiveX operators documentation: Distinct */ public final Observable distinct(Func1 keySelector) { return lift(new OperatorDistinct(keySelector)); } /** * Returns an Observable that emits all items emitted by the source Observable that are distinct from their * immediate predecessors. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code distinctUntilChanged} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits those items from the source Observable that are distinct from their * immediate predecessors * @see ReactiveX operators documentation: Distinct */ public final Observable distinctUntilChanged() { return lift(OperatorDistinctUntilChanged. instance()); } /** * Returns an Observable that emits all items emitted by the source Observable that are distinct from their * immediate predecessors, according to a key selector function. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code distinctUntilChanged} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type * @param keySelector * a function that projects an emitted item to a key value that is used to decide whether an item * is distinct from another one or not * @return an Observable that emits those items from the source Observable whose keys are distinct from * those of their immediate predecessors * @see ReactiveX operators documentation: Distinct */ public final Observable distinctUntilChanged(Func1 keySelector) { return lift(new OperatorDistinctUntilChanged(keySelector)); } /** * Returns an Observable that emits all items emitted by the source Observable that are distinct from their * immediate predecessors when compared with each other via the provided comparator function. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code distinctUntilChanged} does not operate by default on a particular {@link Scheduler}.
*
* * @param comparator the function that receives the previous item and the current item and is * expected to return true if the two are equal, thus skipping the current value. * @return an Observable that emits those items from the source Observable that are distinct from their * immediate predecessors * @see ReactiveX operators documentation: Distinct * @since 1.3 */ public final Observable distinctUntilChanged(Func2 comparator) { return lift(new OperatorDistinctUntilChanged(comparator)); } /** * Modifies the source Observable so that it invokes an action when it calls {@code onCompleted}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnCompleted} does not operate by default on a particular {@link Scheduler}.
*
* * @param onCompleted * the action to invoke when the source Observable calls {@code onCompleted} * @return the source Observable with the side-effecting behavior applied * @see ReactiveX operators documentation: Do */ public final Observable doOnCompleted(final Action0 onCompleted) { Action1 onNext = Actions.empty(); Action1 onError = Actions.empty(); Observer observer = new ActionObserver(onNext, onError, onCompleted); return unsafeCreate(new OnSubscribeDoOnEach(this, observer)); } /** * Modifies the source Observable so that it invokes an action for each item and terminal event it emits. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnEach} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNotification * the action to invoke for each item emitted by the source Observable * @return the source Observable with the side-effecting behavior applied * @see ReactiveX operators documentation: Do */ public final Observable doOnEach(final Action1> onNotification) { Observer observer = new ActionNotificationObserver(onNotification); return unsafeCreate(new OnSubscribeDoOnEach(this, observer)); } /** * Modifies the source Observable so that it notifies an Observer for each item and terminal event it emits. *

* In case the {@code onError} of the supplied observer throws, the downstream will receive a composite * exception containing the original exception and the exception thrown by {@code onError}. If either the * {@code onNext} or the {@code onCompleted} method of the supplied observer throws, the downstream will be * terminated and will receive this thrown exception. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnEach} does not operate by default on a particular {@link Scheduler}.
*
* * @param observer * the observer to be notified about onNext, onError and onCompleted events on its * respective methods before the actual downstream Subscriber gets notified. * @return the source Observable with the side-effecting behavior applied * @see ReactiveX operators documentation: Do */ public final Observable doOnEach(Observer observer) { return unsafeCreate(new OnSubscribeDoOnEach(this, observer)); } /** * Modifies the source Observable so that it invokes an action if it calls {@code onError}. *

* In case the {@code onError} action throws, the downstream will receive a composite exception containing * the original exception and the exception thrown by {@code onError}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnError} does not operate by default on a particular {@link Scheduler}.
*
* * @param onError * the action to invoke if the source Observable calls {@code onError} * @return the source Observable with the side-effecting behavior applied * @see ReactiveX operators documentation: Do */ public final Observable doOnError(final Action1 onError) { Action1 onNext = Actions.empty(); Action0 onCompleted = Actions.empty(); Observer observer = new ActionObserver(onNext, onError, onCompleted); return unsafeCreate(new OnSubscribeDoOnEach(this, observer)); } /** * Modifies the source Observable so that it invokes an action when it calls {@code onNext}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnNext} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * the action to invoke when the source Observable calls {@code onNext} * @return the source Observable with the side-effecting behavior applied * @see ReactiveX operators documentation: Do */ public final Observable doOnNext(final Action1 onNext) { Action1 onError = Actions.empty(); Action0 onCompleted = Actions.empty(); Observer observer = new ActionObserver(onNext, onError, onCompleted); return unsafeCreate(new OnSubscribeDoOnEach(this, observer)); } /** * Modifies the source {@code Observable} so that it invokes the given action when it receives a * request for more items. *

* Note: This operator is for tracing the internal behavior of back-pressure request * patterns and generally intended for debugging use. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnRequest} does not operate by default on a particular {@link Scheduler}.
*
* * @param onRequest * the action that gets called when an observer requests items from this * {@code Observable} * @return the source {@code Observable} modified so as to call this Action when appropriate * @see ReactiveX operators * documentation: Do * @since 1.2 */ public final Observable doOnRequest(final Action1 onRequest) { return lift(new OperatorDoOnRequest(onRequest)); } /** * Modifies the source {@code Observable} so that it invokes the given action when it is subscribed from * its subscribers. Each subscription will result in an invocation of the given action except when the * source {@code Observable} is reference counted, in which case the source {@code Observable} will invoke * the given action for the first subscription. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnSubscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param subscribe * the action that gets called when an observer subscribes to the source {@code Observable} * @return the source {@code Observable} modified so as to call this Action when appropriate * @see ReactiveX operators documentation: Do */ public final Observable doOnSubscribe(final Action0 subscribe) { return lift(new OperatorDoOnSubscribe(subscribe)); } /** * Modifies the source Observable so that it invokes an action when it calls {@code onCompleted} or * {@code onError}. *

* *

* This differs from {@code finallyDo} in that this happens before the {@code onCompleted} or * {@code onError} notification. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s * backpressure behavior.
*
Scheduler:
*
{@code doOnTerminate} does not operate by default on a particular {@link Scheduler}.
*
* * @param onTerminate * the action to invoke when the source Observable calls {@code onCompleted} or {@code onError} * @return the source Observable with the side-effecting behavior applied * @see ReactiveX operators documentation: Do * @see #finallyDo(Action0) */ public final Observable doOnTerminate(final Action0 onTerminate) { Action1 onNext = Actions.empty(); Action1 onError = Actions.toAction1(onTerminate); Observer observer = new ActionObserver(onNext, onError, onTerminate); return unsafeCreate(new OnSubscribeDoOnEach(this, observer)); } /** * Calls the unsubscribe {@code Action0} if the downstream unsubscribes the sequence. *

* The action is shared between subscriptions and thus may be called concurrently from multiple * threads; the action must be thread safe. *

* If the action throws a runtime exception, that exception is rethrown by the {@code unsubscribe()} call, * sometimes as a {@code CompositeException} if there were multiple exceptions along the way. *

* Note that terminal events trigger the action unless the {@code Observable} is subscribed to via {@code unsafeSubscribe()}. *

* *

*
Backpressure:
*
{@code doOnUnsubscribe} does not interact with backpressure requests or value delivery; backpressure * behavior is preserved between its upstream and its downstream.
*
Scheduler:
*
{@code doOnUnsubscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param unsubscribe * the action that gets called when the source {@code Observable} is unsubscribed * @return the source {@code Observable} modified so as to call this Action when appropriate * @see ReactiveX operators documentation: Do */ public final Observable doOnUnsubscribe(final Action0 unsubscribe) { return lift(new OperatorDoOnUnsubscribe(unsubscribe)); } /** * Concatenates two source Observables eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager(Observable o1, Observable o2) { return concatEager(Arrays.asList(o1, o2)); } /** * Concatenates three sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3 ) { return concatEager(Arrays.asList(o1, o2, o3)); } /** * Concatenates four sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @param o4 the fourth source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3, Observable o4 ) { return concatEager(Arrays.asList(o1, o2, o3, o4)); } /** * Concatenates five sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @param o4 the fourth source * @param o5 the fifth source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5 ) { return concatEager(Arrays.asList(o1, o2, o3, o4, o5)); } /** * Concatenates six sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @param o4 the fourth source * @param o5 the fifth source * @param o6 the sixth source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6 ) { return concatEager(Arrays.asList(o1, o2, o3, o4, o5, o6)); } /** * Concatenates seven sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @param o4 the fourth source * @param o5 the fifth source * @param o6 the sixth source * @param o7 the seventh source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7 ) { return concatEager(Arrays.asList(o1, o2, o3, o4, o5, o6, o7)); } /** * Concatenates eight sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @param o4 the fourth source * @param o5 the fifth source * @param o6 the sixth source * @param o7 the seventh source * @param o8 the eighth source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8 ) { return concatEager(Arrays.asList(o1, o2, o3, o4, o5, o6, o7, o8)); } /** * Concatenates nine sources eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param o1 the first source * @param o2 the second source * @param o3 the third source * @param o4 the fourth source * @param o5 the fifth source * @param o6 the sixth source * @param o7 the seventh source * @param o8 the eighth source * @param o9 the ninth source * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings("unchecked") public static Observable concatEager( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Observable o9 ) { return concatEager(Arrays.asList(o1, o2, o3, o4, o5, o6, o7, o8, o9)); } /** * Concatenates a sequence of Observables eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param sources a sequence of Observables that need to be eagerly concatenated * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings({ "unchecked", "rawtypes" }) public static Observable concatEager(Iterable> sources) { return Observable.from(sources).concatMapEager((Func1)UtilityFunctions.identity()); } /** * Concatenates a sequence of Observables eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them * in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param sources a sequence of Observables that need to be eagerly concatenated * @param capacityHint hints about the number of expected source sequence values * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings({ "unchecked", "rawtypes" }) public static Observable concatEager(Iterable> sources, int capacityHint) { return Observable.from(sources).concatMapEager((Func1)UtilityFunctions.identity(), capacityHint); } /** * Concatenates an Observable sequence of Observables eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * emitted source Observables as they are observed. The operator buffers the values emitted by these * Observables and then drains them in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param sources a sequence of Observables that need to be eagerly concatenated * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings({ "unchecked", "rawtypes" }) public static Observable concatEager(Observable> sources) { return sources.concatMapEager((Func1)UtilityFunctions.identity()); } /** * Concatenates an Observable sequence of Observables eagerly into a single stream of values. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * emitted source Observables as they are observed. The operator buffers the values emitted by these * Observables and then drains them in order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param sources a sequence of Observables that need to be eagerly concatenated * @param capacityHint hints about the number of expected source sequence values * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ @SuppressWarnings({ "unchecked", "rawtypes" }) public static Observable concatEager(Observable> sources, int capacityHint) { return sources.concatMapEager((Func1)UtilityFunctions.identity(), capacityHint); } /** * Maps a sequence of values into Observables and concatenates these Observables eagerly into a single * Observable. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them in * order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param mapper the function that maps a sequence of values into a sequence of Observables that will be * eagerly concatenated * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ public final Observable concatMapEager(Func1> mapper) { return concatMapEager(mapper, RxRingBuffer.SIZE); } /** * Maps a sequence of values into Observables and concatenates these Observables eagerly into a single * Observable. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them in * order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param mapper the function that maps a sequence of values into a sequence of Observables that will be * eagerly concatenated * @param capacityHint hints about the number of expected source sequence values * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ public final Observable concatMapEager(Func1> mapper, int capacityHint) { if (capacityHint < 1) { throw new IllegalArgumentException("capacityHint > 0 required but it was " + capacityHint); } return lift(new OperatorEagerConcatMap(mapper, capacityHint, Integer.MAX_VALUE)); } /** * Maps a sequence of values into Observables and concatenates these Observables eagerly into a single * Observable. *

* Eager concatenation means that once a subscriber subscribes, this operator subscribes to all of the * source Observables. The operator buffers the values emitted by these Observables and then drains them in * order, each one after the previous one completes. *

*
Backpressure:
*
Backpressure is honored towards the downstream, however, due to the eagerness requirement, sources * are subscribed to in unbounded mode and their values are queued up in an unbounded buffer.
*
Scheduler:
*
This method does not operate by default on a particular {@link Scheduler}.
*
* @param the value type * @param mapper the function that maps a sequence of values into a sequence of Observables that will be * eagerly concatenated * @param capacityHint hints about the number of expected source sequence values * @param maxConcurrent the maximum number of concurrent subscribed observables * @return the new Observable instance with the specified concatenation behavior * @since 1.3 */ public final Observable concatMapEager(Func1> mapper, int capacityHint, int maxConcurrent) { if (capacityHint < 1) { throw new IllegalArgumentException("capacityHint > 0 required but it was " + capacityHint); } if (maxConcurrent < 1) { throw new IllegalArgumentException("maxConcurrent > 0 required but it was " + capacityHint); } return lift(new OperatorEagerConcatMap(mapper, capacityHint, maxConcurrent)); } /** * Returns an Observable that emits the single item at a specified index in a sequence of emissions from a * source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded manner * (i.e., no backpressure applied to it).
*
Scheduler:
*
{@code elementAt} does not operate by default on a particular {@link Scheduler}.
*
* * @param index * the zero-based index of the item to retrieve * @return an Observable that emits a single item: the item at the specified position in the sequence of * those emitted by the source Observable * @throws IndexOutOfBoundsException * if {@code index} is greater than or equal to the number of items emitted by the source * Observable, or * if {@code index} is less than 0 * @see ReactiveX operators documentation: ElementAt */ public final Observable elementAt(int index) { return lift(new OperatorElementAt(index)); } /** * Returns an Observable that emits the item found at a specified index in a sequence of emissions from a * source Observable, or a default item if that index is out of range. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded manner * (i.e., no backpressure applied to it).
*
Scheduler:
*
{@code elementAtOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param index * the zero-based index of the item to retrieve * @param defaultValue * the default item * @return an Observable that emits the item at the specified position in the sequence emitted by the source * Observable, or the default item if that index is outside the bounds of the source sequence * @throws IndexOutOfBoundsException * if {@code index} is less than 0 * @see ReactiveX operators documentation: ElementAt */ public final Observable elementAtOrDefault(int index, T defaultValue) { return lift(new OperatorElementAt(index, defaultValue)); } /** * Returns an Observable that emits {@code true} if any item emitted by the source Observable satisfies a * specified condition, otherwise {@code false}. Note: this always emits {@code false} if the * source Observable is empty. *

* *

* In Rx.Net this is the {@code any} Observer but we renamed it in RxJava to better match Java naming * idioms. *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded manner * (i.e., no backpressure applied to it).
*
Scheduler:
*
{@code exists} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * the condition to test items emitted by the source Observable * @return an Observable that emits a Boolean that indicates whether any item emitted by the source * Observable satisfies the {@code predicate} * @see ReactiveX operators documentation: Contains */ public final Observable exists(Func1 predicate) { return lift(new OperatorAny(predicate, false)); } /** * Filters items emitted by an Observable by only emitting those that satisfy a specified predicate. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code filter} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * a function that evaluates each item emitted by the source Observable, returning {@code true} * if it passes the filter * @return an Observable that emits only those items emitted by the source Observable that the filter * evaluates as {@code true} * @see ReactiveX operators documentation: Filter */ public final Observable filter(Func1 predicate) { return unsafeCreate(new OnSubscribeFilter(this, predicate)); } /** * Registers an {@link Action0} to be called when this Observable invokes either * {@link Observer#onCompleted onCompleted} or {@link Observer#onError onError}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code finallyDo} does not operate by default on a particular {@link Scheduler}.
*
* * @param action * an {@link Action0} to be invoked when the source Observable finishes * @return an Observable that emits the same items as the source Observable, then invokes the * {@link Action0} * @see ReactiveX operators documentation: Do * @see #doOnTerminate(Action0) * @deprecated use {@link #doAfterTerminate(Action0)} instead. */ @Deprecated public final Observable finallyDo(Action0 action) { return lift(new OperatorDoAfterTerminate(action)); } /** * Registers an {@link Action0} to be called when this Observable invokes either * {@link Observer#onCompleted onCompleted} or {@link Observer#onError onError}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code doAfterTerminate} does not operate by default on a particular {@link Scheduler}.
*
* * @param action * an {@link Action0} to be invoked when the source Observable finishes * @return an Observable that emits the same items as the source Observable, then invokes the * {@link Action0} * @see ReactiveX operators documentation: Do * @see #doOnTerminate(Action0) */ public final Observable doAfterTerminate(Action0 action) { return lift(new OperatorDoAfterTerminate(action)); } /** * Returns an Observable that emits only the very first item emitted by the source Observable, or notifies * of an {@code NoSuchElementException} if the source Observable is empty. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code first} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits only the very first item emitted by the source Observable, or raises an * {@code NoSuchElementException} if the source Observable is empty * @see ReactiveX operators documentation: First */ public final Observable first() { return take(1).single(); } /** * Returns an Observable that emits only the very first item emitted by the source Observable that satisfies * a specified condition, or notifies of an {@code NoSuchElementException} if no such items are emitted. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code first} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * the condition that an item emitted by the source Observable has to satisfy * @return an Observable that emits only the very first item emitted by the source Observable that satisfies * the {@code predicate}, or raises an {@code NoSuchElementException} if no such items are emitted * @see ReactiveX operators documentation: First */ public final Observable first(Func1 predicate) { return takeFirst(predicate).single(); } /** * Returns an Observable that emits only the very first item emitted by the source Observable, or a default * item if the source Observable completes without emitting anything. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code firstOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param defaultValue * the default item to emit if the source Observable doesn't emit anything * @return an Observable that emits only the very first item from the source, or a default item if the * source Observable completes without emitting any items * @see ReactiveX operators documentation: First */ public final Observable firstOrDefault(T defaultValue) { return take(1).singleOrDefault(defaultValue); } /** * Returns an Observable that emits only the very first item emitted by the source Observable that satisfies * a specified condition, or a default item if the source Observable emits no such items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code firstOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * the condition any item emitted by the source Observable has to satisfy * @param defaultValue * the default item to emit if the source Observable doesn't emit anything that satisfies the * {@code predicate} * @return an Observable that emits only the very first item emitted by the source Observable that satisfies * the {@code predicate}, or a default item if the source Observable emits no such items * @see ReactiveX operators documentation: First */ public final Observable firstOrDefault(T defaultValue, Func1 predicate) { return takeFirst(predicate).singleOrDefault(defaultValue); } /** * Returns an Observable that emits items based on applying a function that you supply to each item emitted * by the source Observable, where that function returns an Observable, and then merging those resulting * Observables and emitting the results of this merger. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed * in unbounded mode (i.e., no backpressure is applied to it). The inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the inner Observables and the output type * @param func * a function that, when applied to an item emitted by the source Observable, returns an * Observable * @return an Observable that emits the result of applying the transformation function to each item emitted * by the source Observable and merging the results of the Observables obtained from this * transformation * @see ReactiveX operators documentation: FlatMap */ public final Observable flatMap(Func1> func) { if (getClass() == ScalarSynchronousObservable.class) { return ((ScalarSynchronousObservable)this).scalarFlatMap(func); } return merge(map(func)); } /** * Returns an Observable that emits items based on applying a function that you supply to each item emitted * by the source Observable, where that function returns an Observable, and then merging those resulting * Observables and emitting the results of this merger, while limiting the maximum number of concurrent * subscriptions to these Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the inner Observables and the output type * @param func * a function that, when applied to an item emitted by the source Observable, returns an * Observable * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits the result of applying the transformation function to each item emitted * by the source Observable and merging the results of the Observables obtained from this * transformation * @see ReactiveX operators documentation: FlatMap * @since 1.2 */ public final Observable flatMap(Func1> func, int maxConcurrent) { if (getClass() == ScalarSynchronousObservable.class) { return ((ScalarSynchronousObservable)this).scalarFlatMap(func); } return merge(map(func), maxConcurrent); } /** * Returns an Observable that applies a function to each item emitted or notification raised by the source * Observable and then flattens the Observables returned from these functions and emits the resulting items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed * in unbounded mode (i.e., no backpressure is applied to it). The inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the result type * @param onNext * a function that returns an Observable to merge for each item emitted by the source Observable * @param onError * a function that returns an Observable to merge for an onError notification from the source * Observable * @param onCompleted * a function that returns an Observable to merge for an onCompleted notification from the source * Observable * @return an Observable that emits the results of merging the Observables returned from applying the * specified functions to the emissions and notifications of the source Observable * @see ReactiveX operators documentation: FlatMap */ public final Observable flatMap( Func1> onNext, Func1> onError, Func0> onCompleted) { return merge(mapNotification(onNext, onError, onCompleted)); } /** * Returns an Observable that applies a function to each item emitted or notification raised by the source * Observable and then flattens the Observables returned from these functions and emits the resulting items, * while limiting the maximum number of concurrent subscriptions to these Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the result type * @param onNext * a function that returns an Observable to merge for each item emitted by the source Observable * @param onError * a function that returns an Observable to merge for an onError notification from the source * Observable * @param onCompleted * a function that returns an Observable to merge for an onCompleted notification from the source * Observable * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits the results of merging the Observables returned from applying the * specified functions to the emissions and notifications of the source Observable * @see ReactiveX operators documentation: FlatMap * @since 1.2 */ public final Observable flatMap( Func1> onNext, Func1> onError, Func0> onCompleted, int maxConcurrent) { return merge(mapNotification(onNext, onError, onCompleted), maxConcurrent); } /** * Returns an Observable that emits the results of a specified function to the pair of values emitted by the * source Observable and a specified collection Observable. *

* *

*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed * in unbounded mode (i.e., no backpressure is applied to it). The inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items emitted by the collection Observable * @param * the type of items emitted by the resulting Observable * @param collectionSelector * a function that returns an Observable for each item emitted by the source Observable * @param resultSelector * a function that combines one item emitted by each of the source and collection Observables and * returns an item to be emitted by the resulting Observable * @return an Observable that emits the results of applying a function to a pair of values emitted by the * source Observable and the collection Observable * @see ReactiveX operators documentation: FlatMap */ public final Observable flatMap(final Func1> collectionSelector, final Func2 resultSelector) { return merge(lift(new OperatorMapPair(collectionSelector, resultSelector))); } /** * Returns an Observable that emits the results of a specified function to the pair of values emitted by the * source Observable and a specified collection Observable, while limiting the maximum number of concurrent * subscriptions to these Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both the outer and inner {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items emitted by the collection Observable * @param * the type of items emitted by the resulting Observable * @param collectionSelector * a function that returns an Observable for each item emitted by the source Observable * @param resultSelector * a function that combines one item emitted by each of the source and collection Observables and * returns an item to be emitted by the resulting Observable * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits the results of applying a function to a pair of values emitted by the * source Observable and the collection Observable * @see ReactiveX operators documentation: FlatMap * @since 1.2 */ public final Observable flatMap(final Func1> collectionSelector, final Func2 resultSelector, int maxConcurrent) { return merge(lift(new OperatorMapPair(collectionSelector, resultSelector)), maxConcurrent); } /** * Maps all upstream values to Completables and runs them together until the upstream * and all inner Completables complete normally. *
*
Backpressure:
*
The operator consumes items from upstream in an unbounded manner and ignores downstream backpressure * as it doesn't emit items but only terminal event.
*
Scheduler:
*
{@code flatMapCompletable} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param mapper the function that receives an upstream value and turns it into a Completable * to be merged. * @return the new Observable instance * @see #flatMapCompletable(Func1, boolean, int) * @since 1.3 */ public final Observable flatMapCompletable(Func1 mapper) { return flatMapCompletable(mapper, false, Integer.MAX_VALUE); } /** * Maps all upstream values to Completables and runs them together, optionally delaying any errors, until the upstream * and all inner Completables terminate. *

*
Backpressure:
*
The operator consumes items from upstream in an unbounded manner and ignores downstream backpressure * as it doesn't emit items but only terminal event.
*
Scheduler:
*
{@code flatMapCompletable} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param mapper the function that receives an upstream value and turns it into a Completable * to be merged. * @param delayErrors if true, errors from the upstream and from the inner Completables get delayed till * the all of them terminate. * @return the new Observable instance * @since 1.3 * @see #flatMapCompletable(Func1, boolean, int) */ public final Observable flatMapCompletable(Func1 mapper, boolean delayErrors) { return flatMapCompletable(mapper, delayErrors, Integer.MAX_VALUE); } /** * Maps upstream values to Completables and runs up to the given number of them together at a time, * optionally delaying any errors, until the upstream and all inner Completables terminate. *

*
Backpressure:
*
The operator consumes at most maxConcurrent items from upstream and one-by-one after as the inner * Completables terminate. The operator ignores downstream backpressure as it doesn't emit items but * only the terminal event.
*
Scheduler:
*
{@code flatMapCompletable} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param mapper the function that receives an upstream value and turns it into a Completable * to be merged. * @param delayErrors if true, errors from the upstream and from the inner Completables get delayed till * the all of them terminate. * @param maxConcurrency the maximum number of inner Completables to run at a time * @return the new Observable instance * @since 1.3 */ public final Observable flatMapCompletable(Func1 mapper, boolean delayErrors, int maxConcurrency) { return unsafeCreate(new OnSubscribeFlatMapCompletable(this, mapper, delayErrors, maxConcurrency)); } /** * Returns an Observable that merges each item emitted by the source Observable with the values in an * Iterable corresponding to that item that is generated by a selector. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s is * expected to honor backpressure as well. If the source {@code Observable} violates the rule, the operator will * signal a {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMapIterable} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of item emitted by the resulting Observable * @param collectionSelector * a function that returns an Iterable sequence of values for when given an item emitted by the * source Observable * @return an Observable that emits the results of merging the items emitted by the source Observable with * the values in the Iterables corresponding to those items, as generated by {@code collectionSelector} * @see ReactiveX operators documentation: FlatMap */ public final Observable flatMapIterable(Func1> collectionSelector) { return flatMapIterable(collectionSelector, RxRingBuffer.SIZE); } /** * Returns an Observable that merges each item emitted by the source Observable with the values in an * Iterable corresponding to that item that is generated by a selector, while limiting the number of concurrent * subscriptions to these Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s is * expected to honor backpressure as well. If the source {@code Observable} violates the rule, the operator will * signal a {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMapIterable} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of item emitted by the resulting Observable * @param collectionSelector * a function that returns an Iterable sequence of values for when given an item emitted by the * source Observable * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits the results of merging the items emitted by the source Observable with * the values in the Iterables corresponding to those items, as generated by {@code collectionSelector} * @throws IllegalArgumentException * if {@code maxConcurrent} is less than or equal to 0 * @see ReactiveX operators documentation: FlatMap * @since 1.2 */ public final Observable flatMapIterable(Func1> collectionSelector, int maxConcurrent) { return OnSubscribeFlattenIterable.createFrom(this, collectionSelector, maxConcurrent); } /** * Returns an Observable that emits the results of applying a function to the pair of values from the source * Observable and an Iterable corresponding to that item that is generated by a selector. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and the source {@code Observable}s is * consumed in an unbounded manner (i.e., no backpressure is applied to it).
*
Scheduler:
*
{@code flatMapIterable} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the collection element type * @param * the type of item emitted by the resulting Observable * @param collectionSelector * a function that returns an Iterable sequence of values for each item emitted by the source * Observable * @param resultSelector * a function that returns an item based on the item emitted by the source Observable and the * Iterable returned for that item by the {@code collectionSelector} * @return an Observable that emits the items returned by {@code resultSelector} for each item in the source * Observable * @see ReactiveX operators documentation: FlatMap */ @SuppressWarnings("cast") public final Observable flatMapIterable(Func1> collectionSelector, Func2 resultSelector) { return (Observable)flatMap(OperatorMapPair.convertSelector(collectionSelector), resultSelector); } /** * Returns an Observable that emits the results of applying a function to the pair of values from the source * Observable and an Iterable corresponding to that item that is generated by a selector, while limiting the * number of concurrent subscriptions to these Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s is * expected to honor backpressure as well. If the source {@code Observable} violates the rule, the operator will * signal a {@code MissingBackpressureException}.
*
Scheduler:
*
{@code flatMapIterable} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the collection element type * @param * the type of item emitted by the resulting Observable * @param collectionSelector * a function that returns an Iterable sequence of values for each item emitted by the source * Observable * @param resultSelector * a function that returns an item based on the item emitted by the source Observable and the * Iterable returned for that item by the {@code collectionSelector} * @param maxConcurrent * the maximum number of Observables that may be subscribed to concurrently * @return an Observable that emits the items returned by {@code resultSelector} for each item in the source * Observable * @throws IllegalArgumentException * if {@code maxConcurrent} is less than or equal to 0 * @see ReactiveX operators documentation: FlatMap * @since 1.2 */ @SuppressWarnings("cast") public final Observable flatMapIterable(Func1> collectionSelector, Func2 resultSelector, int maxConcurrent) { return (Observable)flatMap(OperatorMapPair.convertSelector(collectionSelector), resultSelector, maxConcurrent); } /** * Maps all upstream values to Singles and runs them together until the upstream * and all inner Singles complete normally. *
*
Backpressure:
*
The operator consumes items from upstream in an unbounded manner and honors downstream backpressure.
*
Scheduler:
*
{@code flatMapSingle} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param the value type of the inner Singles and the resulting Observable * @param mapper the function that receives an upstream value and turns it into a Single * to be merged. * @return the new Observable instance * @see #flatMapSingle(Func1, boolean, int) * @since 1.3 */ public final Observable flatMapSingle(Func1> mapper) { return flatMapSingle(mapper, false, Integer.MAX_VALUE); } /** * Maps all upstream values to Singles and runs them together, optionally delaying any errors, until the upstream * and all inner Singles terminate. *

*
Backpressure:
*
The operator consumes items from upstream in an unbounded manner and honors downstream backpressure.
*
Scheduler:
*
{@code flatMapSingle} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param the value type of the inner Singles and the resulting Observable * @param mapper the function that receives an upstream value and turns it into a Single * to be merged. * @param delayErrors if true, errors from the upstream and from the inner Singles get delayed till * the all of them terminate. * @return the new Observable instance * @since 1.3 * @see #flatMapSingle(Func1, boolean, int) */ public final Observable flatMapSingle(Func1> mapper, boolean delayErrors) { return flatMapSingle(mapper, delayErrors, Integer.MAX_VALUE); } /** * Maps upstream values to Singles and runs up to the given number of them together at a time, * optionally delaying any errors, until the upstream and all inner Singles terminate. *

*
Backpressure:
*
The operator consumes at most maxConcurrent items from upstream and one-by-one after as the inner * Singles terminate. The operator honors downstream backpressure.
*
Scheduler:
*
{@code flatMapSingle} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.7 - experimental * @param the value type of the inner Singles and the resulting Observable * @param mapper the function that receives an upstream value and turns it into a Single * to be merged. * @param delayErrors if true, errors from the upstream and from the inner Singles get delayed till * the all of them terminate. * @param maxConcurrency the maximum number of inner Singles to run at a time * @return the new Observable instance * @since 1.3 */ public final Observable flatMapSingle(Func1> mapper, boolean delayErrors, int maxConcurrency) { return unsafeCreate(new OnSubscribeFlatMapSingle(this, mapper, delayErrors, maxConcurrency)); } /** * Subscribes to the {@link Observable} and receives notifications for each element. *

* Alias to {@link #subscribe(Action1)} *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code forEach} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * {@link Action1} to execute for each item. * @throws IllegalArgumentException * if {@code onNext} is null * @throws OnErrorNotImplementedException * if the Observable calls {@code onError} * @see ReactiveX operators documentation: Subscribe */ public final void forEach(final Action1 onNext) { subscribe(onNext); } /** * Subscribes to the {@link Observable} and receives notifications for each element and error events. *

* Alias to {@link #subscribe(Action1, Action1)} *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code forEach} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * {@link Action1} to execute for each item. * @param onError * {@link Action1} to execute when an error is emitted. * @throws IllegalArgumentException * if {@code onNext} is null, or * if {@code onError} is null * @throws OnErrorNotImplementedException * if the Observable calls {@code onError} * @see ReactiveX operators documentation: Subscribe */ public final void forEach(final Action1 onNext, final Action1 onError) { subscribe(onNext, onError); } /** * Subscribes to the {@link Observable} and receives notifications for each element and the terminal events. *

* Alias to {@link #subscribe(Action1, Action1, Action0)} *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code forEach} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * {@link Action1} to execute for each item. * @param onError * {@link Action1} to execute when an error is emitted. * @param onComplete * {@link Action0} to execute when completion is signalled. * @throws IllegalArgumentException * if {@code onNext} is null, or * if {@code onError} is null, or * if {@code onComplete} is null * @throws OnErrorNotImplementedException * if the Observable calls {@code onError} * @see ReactiveX operators documentation: Subscribe */ public final void forEach(final Action1 onNext, final Action1 onError, final Action0 onComplete) { subscribe(onNext, onError, onComplete); } /** * Groups the items emitted by an {@code Observable} according to a specified criterion, and emits these * grouped items as {@link GroupedObservable}s. The emitted {@code GroupedObservable} allows only a single * {@link Subscriber} during its lifetime and if this {@code Subscriber} unsubscribes before the * source terminates, the next emission by the source having the same key will trigger a new * {@code GroupedObservable} emission. *

* *

* Note: A {@link GroupedObservable} will cache the items it is to emit until such time as it * is subscribed to. For this reason, in order to avoid memory leaks, you should not simply ignore those * {@code GroupedObservable}s that do not concern you. Instead, you can signal to them that they may * discard their buffers by applying an operator like {@link #ignoreElements} to them. *

*
Backpressure:
*
Both the returned and its inner {@code Observable}s honor backpressure and the source {@code Observable} * is consumed in a bounded mode (i.e., requested a fixed amount upfront and replenished based on * downstream consumption). Note that both the returned and its inner {@code Observable}s use * unbounded internal buffers and if the source {@code Observable} doesn't honor backpressure, that may * lead to {@code OutOfMemoryError}.
*
Scheduler:
*
{@code groupBy} does not operate by default on a particular {@link Scheduler}.
*
* * @param keySelector * a function that extracts the key for each item * @param elementSelector * a function that extracts the return element for each item * @param * the key type * @param * the element type * @return an {@code Observable} that emits {@link GroupedObservable}s, each of which corresponds to a * unique key value and each of which emits those items from the source Observable that share that * key value * @see ReactiveX operators documentation: GroupBy */ public final Observable> groupBy(final Func1 keySelector, final Func1 elementSelector) { return lift(new OperatorGroupByEvicting(keySelector, elementSelector)); } /** * Groups the items emitted by an {@code Observable} according to a specified criterion, and emits these * grouped items as {@link GroupedObservable}s. The emitted {@code GroupedObservable} allows only a single * {@link Subscriber} during its lifetime and if this {@code Subscriber} unsubscribes before the * source terminates, the next emission by the source having the same key will trigger a new * {@code GroupedObservable} emission. *

* *

* Note: A {@link GroupedObservable} will cache the items it is to emit until such time as it * is subscribed to. For this reason, in order to avoid memory leaks, you should not simply ignore those * {@code GroupedObservable}s that do not concern you. Instead, you can signal to them that they may * discard their buffers by applying an operator like {@link #ignoreElements} to them. *

*
Backpressure:
*
Both the returned and its inner {@code Observable}s honor backpressure and the source {@code Observable} * is consumed in a bounded mode (i.e., requested a fixed amount upfront and replenished based on * downstream consumption). Note that both the returned and its inner {@code Observable}s use * unbounded internal buffers and if the source {@code Observable} doesn't honor backpressure, that may * lead to {@code OutOfMemoryError}.
*
Scheduler:
*
{@code groupBy} does not operate by default on a particular {@link Scheduler}.
*
* * @param keySelector * a function that extracts the key for each item * @param elementSelector * a function that extracts the return element for each item * @param evictingMapFactory * a function that given an eviction action returns a {@link Map} instance that will be used to assign * items to the appropriate {@code GroupedObservable}s. The {@code Map} instance must be thread-safe * and any eviction must trigger a call to the supplied action (synchronously or asynchronously). * This can be used to limit the size of the map by evicting keys by maximum size or access time for * instance. Here's an example using Guava's {@code CacheBuilder} from v19.0: *
     *            {@code
     *            Func1, Map> mapFactory
     *              = action -> CacheBuilder.newBuilder()
     *                  .maximumSize(1000)
     *                  .expireAfterAccess(12, TimeUnit.HOURS)
     *                  .removalListener(notification -> action.call(notification.getKey()))
     *                  . build().asMap();
     *            }
     *            
* * @param * the key type * @param * the element type * @return an {@code Observable} that emits {@link GroupedObservable}s, each of which corresponds to a * unique key value and each of which emits those items from the source Observable that share that * key value * @throws NullPointerException * if {@code evictingMapFactory} is null * @see ReactiveX operators documentation: GroupBy * @since 1.3 * @deprecated since 1.3.7, use {@link #groupBy(Func1, Func1, int, boolean, Func1)} * instead which uses much less memory. Please take note of the * usage difference involving the evicting action which now expects * the value from the map instead of the key. */ @Deprecated public final Observable> groupBy(final Func1 keySelector, final Func1 elementSelector, final Func1, Map> evictingMapFactory) { if (evictingMapFactory == null) { throw new NullPointerException("evictingMapFactory cannot be null"); } return lift(new OperatorGroupBy(keySelector, elementSelector, evictingMapFactory)); } /** * Groups the items emitted by an {@code Observable} according to a specified criterion, and emits these * grouped items as {@link GroupedObservable}s. The emitted {@code GroupedObservable} allows only a single * {@link Subscriber} during its lifetime and if this {@code Subscriber} unsubscribes before the * source terminates, the next emission by the source having the same key will trigger a new * {@code GroupedObservable} emission. *

* *

* Note: A {@link GroupedObservable} will cache the items it is to emit until such time as it * is subscribed to. For this reason, in order to avoid memory leaks, you should not simply ignore those * {@code GroupedObservable}s that do not concern you. Instead, you can signal to them that they may * discard their buffers by applying an operator like {@link #ignoreElements} to them. *

*
Backpressure:
*
Both the returned and its inner {@code Observable}s honor backpressure and the source {@code Observable} * is consumed in a bounded mode (i.e., requested a fixed amount upfront and replenished based on * downstream consumption). Note that both the returned and its inner {@code Observable}s use * unbounded internal buffers and if the source {@code Observable} doesn't honor backpressure, that may * lead to {@code OutOfMemoryError}.
*
Scheduler:
*
{@code groupBy} does not operate by default on a particular {@link Scheduler}.
*
* * @param keySelector * a function that extracts the key for each item * @param elementSelector * a function that extracts the return element for each item * @param bufferSize * the size of the buffer ({@link RxRingBuffer.SIZE} may be suitable). * @param delayError * if and only if false then onError emissions can shortcut onNext emissions (emissions may be buffered) * @param evictingMapFactory * a function that given an eviction action returns a {@link Map} instance that will be used to assign * items to the appropriate {@code GroupedObservable}s. The {@code Map} instance must be thread-safe * and any eviction must trigger a call to the supplied action (synchronously or asynchronously). * This can be used to limit the size of the map by evicting entries by map maximum size or access time for * instance. Here's an example using Guava's {@code CacheBuilder} from v24.0: *
     *            {@code
     *            Func1, Map> mapFactory 
     *              = action -> CacheBuilder.newBuilder()
     *                  .maximumSize(1000)
     *                  .expireAfterAccess(12, TimeUnit.HOURS)
     *                  .removalListener(entry -> action.call(entry.getValue()))
     *                  . build().asMap();
     *            }
     *            
* * @param * the key type * @param * the element type * @return an {@code Observable} that emits {@link GroupedObservable}s, each of which corresponds to a * unique key value and each of which emits those items from the source Observable that share that * key value * @throws NullPointerException * if {@code evictingMapFactory} is null * @see ReactiveX operators documentation: GroupBy * @since 1.3.7 */ @Experimental public final Observable> groupBy(final Func1 keySelector, final Func1 elementSelector, int bufferSize, boolean delayError, final Func1, Map> evictingMapFactory) { if (evictingMapFactory == null) { throw new NullPointerException("evictingMapFactory cannot be null"); } return lift(new OperatorGroupByEvicting( keySelector, elementSelector, bufferSize, delayError, evictingMapFactory)); } /** * Groups the items emitted by an {@code Observable} according to a specified criterion, and emits these * grouped items as {@link GroupedObservable}s. The emitted {@code GroupedObservable} allows only a single * {@link Subscriber} during its lifetime and if this {@code Subscriber} unsubscribes before the * source terminates, the next emission by the source having the same key will trigger a new * {@code GroupedObservable} emission. *

* *

* Note: A {@link GroupedObservable} will cache the items it is to emit until such time as it * is subscribed to. For this reason, in order to avoid memory leaks, you should not simply ignore those * {@code GroupedObservable}s that do not concern you. Instead, you can signal to them that they may * discard their buffers by applying an operator like {@link #ignoreElements} to them. *

*
Scheduler:
*
{@code groupBy} does not operate by default on a particular {@link Scheduler}.
*
* * @param keySelector * a function that extracts the key for each item * @param * the key type * @return an {@code Observable} that emits {@link GroupedObservable}s, each of which corresponds to a * unique key value and each of which emits those items from the source Observable that share that * key value * @see ReactiveX operators documentation: GroupBy */ public final Observable> groupBy(final Func1 keySelector) { return lift(new OperatorGroupByEvicting(keySelector)); } /** * Returns an Observable that correlates two Observables when they overlap in time and groups the results. *

* There are no guarantees in what order the items get combined when multiple * items from one or both source Observables overlap. *

* *

*
Backpressure:
*
The operator doesn't support backpressure and consumes all participating {@code Observable}s in * an unbounded mode (i.e., not applying any backpressure to them).
*
Scheduler:
*
{@code groupJoin} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the right Observable source * @param the element type of the left duration Observables * @param the element type of the right duration Observables * @param the result type * @param right * the other Observable to correlate items from the source Observable with * @param leftDuration * a function that returns an Observable whose emissions indicate the duration of the values of * the source Observable * @param rightDuration * a function that returns an Observable whose emissions indicate the duration of the values of * the {@code right} Observable * @param resultSelector * a function that takes an item emitted by each Observable and returns the value to be emitted * by the resulting Observable * @return an Observable that emits items based on combining those items emitted by the source Observables * whose durations overlap * @see ReactiveX operators documentation: Join */ public final Observable groupJoin(Observable right, Func1> leftDuration, Func1> rightDuration, Func2, ? extends R> resultSelector) { return unsafeCreate(new OnSubscribeGroupJoin(this, right, leftDuration, rightDuration, resultSelector)); } /** * Ignores all items emitted by the source Observable and only calls {@code onCompleted} or {@code onError}. *

* *

*
Backpressure:
*
This operator ignores backpressure as it doesn't emit any elements and consumes the source {@code Observable} * in an unbounded manner (i.e., no backpressure is applied to it).
*
Scheduler:
*
{@code ignoreElements} does not operate by default on a particular {@link Scheduler}.
*
* * @return an empty Observable that only calls {@code onCompleted} or {@code onError}, based on which one is * called by the source Observable * @see ReactiveX operators documentation: IgnoreElements */ public final Observable ignoreElements() { return lift(OperatorIgnoreElements. instance()); } /** * Returns an Observable that emits {@code true} if the source Observable is empty, otherwise {@code false}. *

* In Rx.Net this is negated as the {@code any} Observer but we renamed this in RxJava to better match Java * naming idioms. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code isEmpty} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits a Boolean * @see ReactiveX operators documentation: Contains */ public final Observable isEmpty() { return lift(InternalObservableUtils.IS_EMPTY); } /** * Correlates the items emitted by two Observables based on overlapping durations. *

* There are no guarantees in what order the items get combined when multiple * items from one or both source Observables overlap. *

* *

*
Backpressure:
*
The operator doesn't support backpressure and consumes all participating {@code Observable}s in * an unbounded mode (i.e., not applying any backpressure to them).
*
Scheduler:
*
{@code join} does not operate by default on a particular {@link Scheduler}.
*
* * @param the value type of the right Observable source * @param the element type of the left duration Observables * @param the element type of the right duration Observables * @param the result type * @param right * the second Observable to join items from * @param leftDurationSelector * a function to select a duration for each item emitted by the source Observable, used to * determine overlap * @param rightDurationSelector * a function to select a duration for each item emitted by the {@code right} Observable, used to * determine overlap * @param resultSelector * a function that computes an item to be emitted by the resulting Observable for any two * overlapping items emitted by the two Observables * @return an Observable that emits items correlating to items emitted by the source Observables that have * overlapping durations * @see ReactiveX operators documentation: Join */ public final Observable join(Observable right, Func1> leftDurationSelector, Func1> rightDurationSelector, Func2 resultSelector) { return unsafeCreate(new OnSubscribeJoin(this, right, leftDurationSelector, rightDurationSelector, resultSelector)); } /** * Returns an Observable that emits the last item emitted by the source Observable or notifies observers of * a {@code NoSuchElementException} if the source Observable is empty. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code last} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits the last item from the source Observable or notifies observers of an * error * @see ReactiveX operators documentation: Last */ public final Observable last() { return takeLast(1).single(); } /** * Returns an Observable that emits only the last item emitted by the source Observable that satisfies a * given condition, or notifies of a {@code NoSuchElementException} if no such items are emitted. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code last} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * the condition any source emitted item has to satisfy * @return an Observable that emits only the last item satisfying the given condition from the source, or an * {@code NoSuchElementException} if no such items are emitted * @throws IllegalArgumentException * if no items that match the predicate are emitted by the source Observable * @see ReactiveX operators documentation: Last */ public final Observable last(Func1 predicate) { return filter(predicate).takeLast(1).single(); } /** * Returns an Observable that emits only the last item emitted by the source Observable, or a default item * if the source Observable completes without emitting any items. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code lastOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param defaultValue * the default item to emit if the source Observable is empty * @return an Observable that emits only the last item emitted by the source Observable, or a default item * if the source Observable is empty * @see ReactiveX operators documentation: Last */ public final Observable lastOrDefault(T defaultValue) { return takeLast(1).singleOrDefault(defaultValue); } /** * Returns an Observable that emits only the last item emitted by the source Observable that satisfies a * specified condition, or a default item if no such item is emitted by the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code lastOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param defaultValue * the default item to emit if the source Observable doesn't emit anything that satisfies the * specified {@code predicate} * @param predicate * the condition any item emitted by the source Observable has to satisfy * @return an Observable that emits only the last item emitted by the source Observable that satisfies the * given condition, or a default item if no such item is emitted by the source Observable * @see ReactiveX operators documentation: Last */ public final Observable lastOrDefault(T defaultValue, Func1 predicate) { return filter(predicate).takeLast(1).singleOrDefault(defaultValue); } /** * Returns an Observable that emits only the first {@code count} items emitted by the source Observable. *

* Alias of {@link #take(int)} to match Java 8 Stream API naming convention. *

* *

* This method returns an Observable that will invoke a subscribing {@link Observer}'s * {@link Observer#onNext onNext} function a maximum of {@code count} times before invoking * {@link Observer#onCompleted onCompleted}. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior in case the first request is smaller than the {@code count}. Otherwise, the source {@code Observable} * is consumed in an unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code limit} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum number of items to emit * @return an Observable that emits only the first {@code count} items emitted by the source Observable, or * all of the items from the source Observable if that Observable emits fewer than {@code count} items * @see ReactiveX operators documentation: Take */ public final Observable limit(int count) { return take(count); } /** * Returns an Observable that applies a specified function to each item emitted by the source Observable and * emits the results of these function applications. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code map} does not operate by default on a particular {@link Scheduler}.
*
* * @param the output type * @param func * a function to apply to each item emitted by the Observable * @return an Observable that emits the items from the source Observable, transformed by the specified * function * @see ReactiveX operators documentation: Map */ public final Observable map(Func1 func) { return unsafeCreate(new OnSubscribeMap(this, func)); } private Observable mapNotification(Func1 onNext, Func1 onError, Func0 onCompleted) { return lift(new OperatorMapNotification(onNext, onError, onCompleted)); } /** * Returns an Observable that represents all of the emissions and notifications from the source * Observable into emissions marked with their original types within {@link Notification} objects. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and expects it from the source {@code Observable}. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code materialize} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits items that are the result of materializing the items and notifications * of the source Observable * @see ReactiveX operators documentation: Materialize */ public final Observable> materialize() { return lift(OperatorMaterialize.instance()); } /** * Flattens this and another Observable into a single Observable, without any transformation. *

* *

* You can combine items emitted by multiple Observables so that they appear as a single Observable, by * using the {@code mergeWith} method. *

*
Backpressure:
*
The operator honors backpressure from downstream. This and the other {@code Observable}s are expected to honor * backpressure; if violated, the operator may signal {@code MissingBackpressureException}.
*
Scheduler:
*
{@code mergeWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * an Observable to be merged * @return an Observable that emits all of the items emitted by the source Observables * @see ReactiveX operators documentation: Merge */ public final Observable mergeWith(Observable t1) { return merge(this, t1); } /** * Modifies an Observable to perform its emissions and notifications on a specified {@link Scheduler}, * asynchronously with a bounded buffer of {@link rx.internal.util.RxRingBuffer#SIZE} slots. * *

Note that onError notifications will cut ahead of onNext notifications on the emission thread if Scheduler is truly * asynchronous. If strict event ordering is required, consider using the {@link #observeOn(Scheduler, boolean)} overload. *

* *

*
Backpressure:
*
This operator honors backpressure from downstream and expects it from the source {@code Observable}. Violating this * expectation will lead to {@code MissingBackpressureException}. This is the most common operator where the exception * pops up; look for sources up the chain that don't support backpressure, * such as {@code interval}, {@code timer}, {code PublishSubject} or {@code BehaviorSubject} and apply any * of the {@code onBackpressureXXX} operators before applying {@code observeOn} itself.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the {@link Scheduler} to notify {@link Observer}s on * @return the source Observable modified so that its {@link Observer}s are notified on the specified * {@link Scheduler} * @see ReactiveX operators documentation: ObserveOn * @see RxJava Threading Examples * @see #subscribeOn * @see #observeOn(Scheduler, int) * @see #observeOn(Scheduler, boolean) * @see #observeOn(Scheduler, boolean, int) */ public final Observable observeOn(Scheduler scheduler) { return observeOn(scheduler, RxRingBuffer.SIZE); } /** * Modifies an Observable to perform its emissions and notifications on a specified {@link Scheduler}, * asynchronously with a bounded buffer of configurable size. * *

Note that onError notifications will cut ahead of onNext notifications on the emission thread if Scheduler is truly * asynchronous. If strict event ordering is required, consider using the {@link #observeOn(Scheduler, boolean)} overload. *

* *

*
Backpressure:
*
This operator honors backpressure from downstream and expects it from the source {@code Observable}. Violating this * expectation will lead to {@code MissingBackpressureException}. This is the most common operator where the exception * pops up; look for sources up the chain that don't support backpressure, * such as {@code interval}, {@code timer}, {code PublishSubject} or {@code BehaviorSubject} and apply any * of the {@code onBackpressureXXX} operators before applying {@code observeOn} itself.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler the {@link Scheduler} to notify {@link Observer}s on * @param bufferSize the size of the buffer. * @return the source Observable modified so that its {@link Observer}s are notified on the specified * {@link Scheduler} * @see ReactiveX operators documentation: ObserveOn * @see RxJava Threading Examples * @see #subscribeOn * @see #observeOn(Scheduler) * @see #observeOn(Scheduler, boolean) * @see #observeOn(Scheduler, boolean, int) */ public final Observable observeOn(Scheduler scheduler, int bufferSize) { return observeOn(scheduler, false, bufferSize); } /** * Modifies an Observable to perform its emissions and notifications on a specified {@link Scheduler}, * asynchronously with a bounded buffer and optionally delays onError notifications. *

* *

*
Backpressure:
*
This operator honors backpressure from downstream and expects it from the source {@code Observable}. Violating this * expectation will lead to {@code MissingBackpressureException}. This is the most common operator where the exception * pops up; look for sources up the chain that don't support backpressure, * such as {@code interval}, {@code timer}, {code PublishSubject} or {@code BehaviorSubject} and apply any * of the {@code onBackpressureXXX} operators before applying {@code observeOn} itself.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the {@link Scheduler} to notify {@link Observer}s on * @param delayError * indicates if the onError notification may not cut ahead of onNext notification on the other side of the * scheduling boundary. If true a sequence ending in onError will be replayed in the same order as was received * from upstream * @return the source Observable modified so that its {@link Observer}s are notified on the specified * {@link Scheduler} * @see ReactiveX operators documentation: ObserveOn * @see RxJava Threading Examples * @see #subscribeOn * @see #observeOn(Scheduler) * @see #observeOn(Scheduler, int) * @see #observeOn(Scheduler, boolean, int) */ public final Observable observeOn(Scheduler scheduler, boolean delayError) { return observeOn(scheduler, delayError, RxRingBuffer.SIZE); } /** * Modifies an Observable to perform its emissions and notifications on a specified {@link Scheduler}, * asynchronously with a bounded buffer of configurable size and optionally delays onError notifications. *

* *

*
Backpressure:
*
This operator honors backpressure from downstream and expects it from the source {@code Observable}. Violating this * expectation will lead to {@code MissingBackpressureException}. This is the most common operator where the exception * pops up; look for sources up the chain that don't support backpressure, * such as {@code interval}, {@code timer}, {code PublishSubject} or {@code BehaviorSubject} and apply any * of the {@code onBackpressureXXX} operators before applying {@code observeOn} itself.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the {@link Scheduler} to notify {@link Observer}s on * @param delayError * indicates if the onError notification may not cut ahead of onNext notification on the other side of the * scheduling boundary. If true a sequence ending in onError will be replayed in the same order as was received * from upstream * @param bufferSize the size of the buffer. * @return the source Observable modified so that its {@link Observer}s are notified on the specified * {@link Scheduler} * @see ReactiveX operators documentation: ObserveOn * @see RxJava Threading Examples * @see #subscribeOn * @see #observeOn(Scheduler) * @see #observeOn(Scheduler, int) * @see #observeOn(Scheduler, boolean) */ public final Observable observeOn(Scheduler scheduler, boolean delayError, int bufferSize) { if (this instanceof ScalarSynchronousObservable) { return ((ScalarSynchronousObservable)this).scalarScheduleOn(scheduler); } return lift(new OperatorObserveOn(scheduler, delayError, bufferSize)); } /** * Filters the items emitted by an Observable, only emitting those of the specified type. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code ofType} does not operate by default on a particular {@link Scheduler}.
*
* * @param the output type * @param klass * the class type to filter the items emitted by the source Observable * @return an Observable that emits items from the source Observable of type {@code klass} * @see ReactiveX operators documentation: Filter */ public final Observable ofType(final Class klass) { return filter(InternalObservableUtils.isInstanceOf(klass)).cast(klass); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to buffer these * items indefinitely until they can be emitted. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureBuffer} does not operate by default on a particular {@link Scheduler}.
*
* * @return the source Observable modified to buffer items to the extent system resources allow * @see ReactiveX operators documentation: backpressure operators */ public final Observable onBackpressureBuffer() { return lift(OperatorOnBackpressureBuffer. instance()); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to buffer up to * a given amount of items until they can be emitted. The resulting Observable will {@code onError} emitting * a {@code BufferOverflowException} as soon as the buffer's capacity is exceeded, dropping all undelivered * items, and unsubscribing from the source. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureBuffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param capacity number of slots available in the buffer. * @return the source {@code Observable} modified to buffer items up to the given capacity. * @see ReactiveX operators documentation: backpressure operators * @since 1.1.0 */ public final Observable onBackpressureBuffer(long capacity) { return lift(new OperatorOnBackpressureBuffer(capacity)); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to buffer up to * a given amount of items until they can be emitted. The resulting Observable will {@code onError} emitting * a {@code BufferOverflowException} as soon as the buffer's capacity is exceeded, dropping all undelivered * items, unsubscribing from the source, and notifying the producer with {@code onOverflow}. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureBuffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param capacity number of slots available in the buffer. * @param onOverflow action to execute if an item needs to be buffered, but there are no available slots. Null is allowed. * @return the source {@code Observable} modified to buffer items up to the given capacity * @see ReactiveX operators documentation: backpressure operators * @since 1.1.0 */ public final Observable onBackpressureBuffer(long capacity, Action0 onOverflow) { return lift(new OperatorOnBackpressureBuffer(capacity, onOverflow)); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to buffer up to * a given amount of items until they can be emitted. The resulting Observable will behave as determined * by {@code overflowStrategy} if the buffer capacity is exceeded. * *
    *
  • {@code BackpressureOverflow.Strategy.ON_OVERFLOW_ERROR} (default) will {@code onError} dropping all undelivered items, * unsubscribing from the source, and notifying the producer with {@code onOverflow}.
  • *
  • {@code BackpressureOverflow.Strategy.ON_OVERFLOW_DROP_LATEST} will drop any new items emitted by the producer while * the buffer is full, without generating any {@code onError}. Each drop will however invoke {@code onOverflow} * to signal the overflow to the producer.
  • j *
  • {@code BackpressureOverflow.Strategy.ON_OVERFLOW_DROP_OLDEST} will drop the oldest items in the buffer in order to make * room for newly emitted ones. Overflow will not generate an{@code onError}, but each drop will invoke * {@code onOverflow} to signal the overflow to the producer.
  • *
* *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureBuffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param capacity number of slots available in the buffer. * @param onOverflow action to execute if an item needs to be buffered, but there are no available slots. Null is allowed. * @param overflowStrategy how should the {@code Observable} react to buffer overflows. Null is not allowed. * @return the source {@code Observable} modified to buffer items up to the given capacity * @see ReactiveX operators documentation: backpressure operators * @since 1.3 */ public final Observable onBackpressureBuffer(long capacity, Action0 onOverflow, BackpressureOverflow.Strategy overflowStrategy) { return lift(new OperatorOnBackpressureBuffer(capacity, onOverflow, overflowStrategy)); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to discard, * rather than emit, those items that its observer is not prepared to observe. *

* *

* If the downstream request count hits 0 then the Observable will refrain from calling {@code onNext} until * the observer invokes {@code request(n)} again to increase the request count. *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureDrop} does not operate by default on a particular {@link Scheduler}.
*
* * @param onDrop the action to invoke for each item dropped. onDrop action should be fast and should never block. * @return the source Observable modified to drop {@code onNext} notifications on overflow * @see ReactiveX operators documentation: backpressure operators * @since 1.1.0 */ public final Observable onBackpressureDrop(Action1 onDrop) { return lift(new OperatorOnBackpressureDrop(onDrop)); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to discard, * rather than emit, those items that its observer is not prepared to observe. *

* *

* If the downstream request count hits 0 then the Observable will refrain from calling {@code onNext} until * the observer invokes {@code request(n)} again to increase the request count. *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureDrop} does not operate by default on a particular {@link Scheduler}.
*
* * @return the source Observable modified to drop {@code onNext} notifications on overflow * @see ReactiveX operators documentation: backpressure operators */ public final Observable onBackpressureDrop() { return lift(OperatorOnBackpressureDrop.instance()); } /** * Instructs an Observable that is emitting items faster than its observer can consume them to * hold onto the latest value and emit that on request. *

* *

* Its behavior is logically equivalent to {@code toBlocking().latest()} with the exception that * the downstream is not blocking while requesting more values. *

* Note that if the upstream Observable does support backpressure, this operator ignores that capability * and doesn't propagate any backpressure requests from downstream. *

* Note that due to the nature of how backpressure requests are propagated through subscribeOn/observeOn, * requesting more than 1 from downstream doesn't guarantee a continuous delivery of onNext events. *

*

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an unbounded * manner (i.e., not applying backpressure to it).
*
Scheduler:
*
{@code onBackpressureLatest} does not operate by default on a particular {@link Scheduler}.
*
* * @return the source Observable modified so that it emits the most recently-received item upon request * @since 1.1.0 */ public final Observable onBackpressureLatest() { return lift(OperatorOnBackpressureLatest.instance()); } /** * Instructs an Observable to pass control to another Observable rather than invoking * {@link Observer#onError onError} if it encounters an error. *

* *

* By default, when an Observable encounters an error that prevents it from emitting the expected item to * its {@link Observer}, the Observable invokes its Observer's {@code onError} method, and then quits * without invoking any more of its Observer's methods. The {@code onErrorResumeNext} method changes this * behavior. If you pass a function that returns an Observable ({@code resumeFunction}) to * {@code onErrorResumeNext}, if the original Observable encounters an error, instead of invoking its * Observer's {@code onError} method, it will instead relinquish control to the Observable returned from * {@code resumeFunction}, which will invoke the Observer's {@link Observer#onNext onNext} method if it is * able to do so. In such a case, because no Observable necessarily invokes {@code onError}, the Observer * may never know that an error happened. *

* You can use this to prevent errors from propagating or to supply fallback data should errors be * encountered. *

*
Backpressure:
*
The operator honors backpressure from downstream. This and the resuming {@code Observable}s * are expected to honor backpressure as well. * If any of them violate this expectation, the operator may throw an * {@code IllegalStateException} when the source {@code Observable} completes or * a {@code MissingBackpressureException} is signalled somewhere downstream.
*
Scheduler:
*
{@code onErrorResumeNext} does not operate by default on a particular {@link Scheduler}.
*
* * @param resumeFunction * a function that returns an Observable that will take over if the source Observable encounters * an error * @return the original Observable, with appropriately modified behavior * @see ReactiveX operators documentation: Catch */ public final Observable onErrorResumeNext(final Func1> resumeFunction) { return lift(new OperatorOnErrorResumeNextViaFunction(resumeFunction)); } /** * Instructs an Observable to pass control to another Observable rather than invoking * {@link Observer#onError onError} if it encounters an error. *

* *

* By default, when an Observable encounters an error that prevents it from emitting the expected item to * its {@link Observer}, the Observable invokes its Observer's {@code onError} method, and then quits * without invoking any more of its Observer's methods. The {@code onErrorResumeNext} method changes this * behavior. If you pass another Observable ({@code resumeSequence}) to an Observable's * {@code onErrorResumeNext} method, if the original Observable encounters an error, instead of invoking its * Observer's {@code onError} method, it will instead relinquish control to {@code resumeSequence} which * will invoke the Observer's {@link Observer#onNext onNext} method if it is able to do so. In such a case, * because no Observable necessarily invokes {@code onError}, the Observer may never know that an error * happened. *

* You can use this to prevent errors from propagating or to supply fallback data should errors be * encountered. *

*
Backpressure:
*
The operator honors backpressure from downstream. This and the resuming {@code Observable}s * are expected to honor backpressure as well. * If any of them violate this expectation, the operator may throw an * {@code IllegalStateException} when the source {@code Observable} completes or * {@code MissingBackpressureException} is signalled somewhere downstream.
*
Scheduler:
*
{@code onErrorResumeNext} does not operate by default on a particular {@link Scheduler}.
*
* * @param resumeSequence * a function that returns an Observable that will take over if the source Observable encounters * an error * @return the original Observable, with appropriately modified behavior * @see ReactiveX operators documentation: Catch */ @SuppressWarnings("cast") public final Observable onErrorResumeNext(final Observable resumeSequence) { return lift((Operator)OperatorOnErrorResumeNextViaFunction.withOther(resumeSequence)); } /** * Instructs an Observable to emit an item (returned by a specified function) rather than invoking * {@link Observer#onError onError} if it encounters an error. *

* *

* By default, when an Observable encounters an error that prevents it from emitting the expected item to * its {@link Observer}, the Observable invokes its Observer's {@code onError} method, and then quits * without invoking any more of its Observer's methods. The {@code onErrorReturn} method changes this * behavior. If you pass a function ({@code resumeFunction}) to an Observable's {@code onErrorReturn} * method, if the original Observable encounters an error, instead of invoking its Observer's * {@code onError} method, it will instead emit the return value of {@code resumeFunction}. *

* You can use this to prevent errors from propagating or to supply fallback data should errors be * encountered. *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable}s is expected to honor * backpressure as well. If it this expectation is violated, the operator may throw * {@code IllegalStateException} when the source {@code Observable} completes or * {@code MissingBackpressureException} is signalled somewhere downstream.
*
Scheduler:
*
{@code onErrorReturn} does not operate by default on a particular {@link Scheduler}.
*
* * @param resumeFunction * a function that returns an item that the new Observable will emit if the source Observable * encounters an error * @return the original Observable with appropriately modified behavior * @see ReactiveX operators documentation: Catch */ @SuppressWarnings("cast") public final Observable onErrorReturn(Func1 resumeFunction) { return lift((Operator)OperatorOnErrorResumeNextViaFunction.withSingle(resumeFunction)); } /** * Instructs an Observable to pass control to another Observable rather than invoking * {@link Observer#onError onError} if it encounters an {@link java.lang.Exception}. *

* This differs from {@link #onErrorResumeNext} in that this one does not handle {@link java.lang.Throwable} * or {@link java.lang.Error} but lets those continue through. *

* *

* By default, when an Observable encounters an exception that prevents it from emitting the expected item * to its {@link Observer}, the Observable invokes its Observer's {@code onError} method, and then quits * without invoking any more of its Observer's methods. The {@code onExceptionResumeNext} method changes * this behavior. If you pass another Observable ({@code resumeSequence}) to an Observable's * {@code onExceptionResumeNext} method, if the original Observable encounters an exception, instead of * invoking its Observer's {@code onError} method, it will instead relinquish control to * {@code resumeSequence} which will invoke the Observer's {@link Observer#onNext onNext} method if it is * able to do so. In such a case, because no Observable necessarily invokes {@code onError}, the Observer * may never know that an exception happened. *

* You can use this to prevent exceptions from propagating or to supply fallback data should exceptions be * encountered. *

*
Backpressure:
*
The operator honors backpressure from downstream. This and the resuming {@code Observable}s * are expected to honor backpressure as well. * If any of them violate this expectation, the operator may throw an * {@code IllegalStateException} when the source {@code Observable} completes or * {@code MissingBackpressureException} is signalled somewhere downstream.
*
Scheduler:
*
{@code onExceptionResumeNext} does not operate by default on a particular {@link Scheduler}.
*
* * @param resumeSequence * a function that returns an Observable that will take over if the source Observable encounters * an exception * @return the original Observable, with appropriately modified behavior * @see ReactiveX operators documentation: Catch */ @SuppressWarnings("cast") public final Observable onExceptionResumeNext(final Observable resumeSequence) { return lift((Operator)OperatorOnErrorResumeNextViaFunction.withException(resumeSequence)); } /** * Nulls out references to the upstream producer and downstream Subscriber if * the sequence is terminated or downstream unsubscribes. *
*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code onTerminateDetach} does not operate by default on a particular {@link Scheduler}.
*
* @return an Observable which out references to the upstream producer and downstream Subscriber if * the sequence is terminated or downstream unsubscribes * @since 1.3 */ public final Observable onTerminateDetach() { return unsafeCreate(new OnSubscribeDetach(this)); } /** * Returns a {@link ConnectableObservable}, which is a variety of Observable that waits until its * {@link ConnectableObservable#connect connect} method is called before it begins emitting items to those * {@link Observer}s that have subscribed to it. *

* *

*
Backpressure:
*
The returned {@code ConnectableObservable} honors backpressure for each of its {@code Subscriber}s * and expects the source {@code Observable} to honor backpressure as well. If this expectation is violated, * the operator will signal a {@code MissingBackpressureException} to its {@code Subscriber}s and disconnect.
*
Scheduler:
*
{@code publish} does not operate by default on a particular {@link Scheduler}.
*
* * @return a {@link ConnectableObservable} that upon connection causes the source Observable to emit items * to its {@link Observer}s * @see ReactiveX operators documentation: Publish */ public final ConnectableObservable publish() { return OperatorPublish.create(this); } /** * Returns an Observable that emits the results of invoking a specified selector on items emitted by a * {@link ConnectableObservable} that shares a single subscription to the underlying sequence. *

* *

*
Backpressure:
*
The operator expects the source {@code Observable} to honor backpressure and if this expectation is * violated, the operator will signal a {@code MissingBackpressureException} through the {@code Observable} * provided to the function. Since the {@code Observable} returned by the {@code selector} may be * independent from the provided {@code Observable} to the function, the output's backpressure behavior * is determined by this returned {@code Observable}.
*
Scheduler:
*
{@code publish} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a function that can use the multicasted source sequence as many times as needed, without * causing multiple subscriptions to the source sequence. Subscribers to the given source will * receive all notifications of the source from the time of the subscription forward. * @return an Observable that emits the results of invoking the selector on the items emitted by a {@link ConnectableObservable} that shares a single subscription to the underlying sequence * @see ReactiveX operators documentation: Publish */ public final Observable publish(Func1, ? extends Observable> selector) { return OperatorPublish.create(this, selector); } /** * Requests {@code n} initially from the upstream and then 75% of {@code n} subsequently * after 75% of {@code n} values have been emitted to the downstream. * *

This operator allows preventing the downstream to trigger unbounded mode via {@code request(Long.MAX_VALUE)} * or compensate for the per-item overhead of small and frequent requests. * *

*
Backpressure:
*
The operator expects backpressure from upstream and honors backpressure from downstream.
*
Scheduler:
*
{@code rebatchRequests} does not operate by default on a particular {@link Scheduler}.
*
* * @param n the initial request amount, further request will happen after 75% of this value * @return the Observable that rebatches request amounts from downstream * @since 1.3 */ public final Observable rebatchRequests(int n) { if (n <= 0) { throw new IllegalArgumentException("n > 0 required but it was " + n); } return lift(OperatorObserveOn.rebatch(n)); } /** * Returns an Observable that applies a specified accumulator function to the first item emitted by a source * Observable, then feeds the result of that function along with the second item emitted by the source * Observable into the same function, and so on until all items have been emitted by the source Observable, * and emits the final result from the final call to your function as its sole item. *

* *

* This technique, which is called "reduce" here, is sometimes called "aggregate," "fold," "accumulate," * "compress," or "inject" in other programming contexts. Groovy, for instance, has an {@code inject} method * that does a similar operation on lists. *

*
Backpressure:
*
The operator honors backpressure of its downstream consumer and consumes the * upstream source in unbounded mode.
*
Scheduler:
*
{@code reduce} does not operate by default on a particular {@link Scheduler}.
*
* * @param accumulator * an accumulator function to be invoked on each item emitted by the source Observable, whose * result will be used in the next accumulator call * @return an Observable that emits a single item that is the result of accumulating the items emitted by * the source Observable * @throws IllegalArgumentException * if the source Observable emits no items * @see ReactiveX operators documentation: Reduce * @see Wikipedia: Fold (higher-order function) */ public final Observable reduce(Func2 accumulator) { /* * Discussion and confirmation of implementation at * https://github.com/ReactiveX/RxJava/issues/423#issuecomment-27642532 * * It should use last() not takeLast(1) since it needs to emit an error if the sequence is empty. */ return unsafeCreate(new OnSubscribeReduce(this, accumulator)); } /** * Returns an Observable that applies a specified accumulator function to the first item emitted by a source * Observable and a specified seed value, then feeds the result of that function along with the second item * emitted by an Observable into the same function, and so on until all items have been emitted by the * source Observable, emitting the final result from the final call to your function as its sole item. *

* *

* This technique, which is called "reduce" here, is sometimes called "aggregate," "fold," "accumulate," * "compress," or "inject" in other programming contexts. Groovy, for instance, has an {@code inject} method * that does a similar operation on lists. *

* Note that the {@code initialValue} is shared among all subscribers to the resulting Observable * and may cause problems if it is mutable. To make sure each subscriber gets its own value, defer * the application of this operator via {@link #defer(Func0)}: *


     * Observable<T> source = ...
     * Observable.defer(() -> source.reduce(new ArrayList<>(), (list, item) -> list.add(item)));
     *
     * // alternatively, by using compose to stay fluent
     *
     * source.compose(o ->
     *     Observable.defer(() -> o.reduce(new ArrayList<>(), (list, item) -> list.add(item)))
     * );
     * 
*
*
Backpressure:
*
The operator honors backpressure of its downstream consumer and consumes the * upstream source in unbounded mode.
*
Scheduler:
*
{@code reduce} does not operate by default on a particular {@link Scheduler}.
*
* * @param the accumulator and output value type * @param initialValue * the initial (seed) accumulator value * @param accumulator * an accumulator function to be invoked on each item emitted by the source Observable, the * result of which will be used in the next accumulator call * @return an Observable that emits a single item that is the result of accumulating the output from the * items emitted by the source Observable * @see ReactiveX operators documentation: Reduce * @see Wikipedia: Fold (higher-order function) */ public final Observable reduce(R initialValue, Func2 accumulator) { return unsafeCreate(new OnSubscribeReduceSeed(this, initialValue, accumulator)); } /** * Returns an Observable that repeats the sequence of items emitted by the source Observable indefinitely. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code repeat} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @return an Observable that emits the items emitted by the source Observable repeatedly and in sequence * @see ReactiveX operators documentation: Repeat */ public final Observable repeat() { return OnSubscribeRedo.repeat(this); } /** * Returns an Observable that repeats the sequence of items emitted by the source Observable indefinitely, * on a particular Scheduler. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the Scheduler to emit the items on * @return an Observable that emits the items emitted by the source Observable repeatedly and in sequence * @see ReactiveX operators documentation: Repeat */ public final Observable repeat(Scheduler scheduler) { return OnSubscribeRedo.repeat(this, scheduler); } /** * Returns an Observable that repeats the sequence of items emitted by the source Observable at most * {@code count} times. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code repeat} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @param count * the number of times the source Observable items are repeated, a count of 0 will yield an empty * sequence * @return an Observable that repeats the sequence of items emitted by the source Observable at most * {@code count} times * @throws IllegalArgumentException * if {@code count} is less than zero * @see ReactiveX operators documentation: Repeat */ public final Observable repeat(final long count) { return OnSubscribeRedo.repeat(this, count); } /** * Returns an Observable that repeats the sequence of items emitted by the source Observable at most * {@code count} times, on a particular Scheduler. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param count * the number of times the source Observable items are repeated, a count of 0 will yield an empty * sequence * @param scheduler * the {@link Scheduler} to emit the items on * @return an Observable that repeats the sequence of items emitted by the source Observable at most * {@code count} times on a particular Scheduler * @see ReactiveX operators documentation: Repeat */ public final Observable repeat(final long count, Scheduler scheduler) { return OnSubscribeRedo.repeat(this, count, scheduler); } /** * Returns an Observable that emits the same values as the source Observable with the exception of an * {@code onCompleted}. An {@code onCompleted} notification from the source will result in the emission of * a {@code void} item to the Observable provided as an argument to the {@code notificationHandler} * function. If that Observable calls {@code onComplete} or {@code onError} then {@code repeatWhen} will * call {@code onCompleted} or {@code onError} on the child subscription. Otherwise, this Observable will * resubscribe to the source Observable, on a particular Scheduler. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param notificationHandler * receives an Observable of notifications with which a user can complete or error, aborting the repeat. * @param scheduler * the {@link Scheduler} to emit the items on * @return the source Observable modified with repeat logic * @see ReactiveX operators documentation: Repeat */ public final Observable repeatWhen(final Func1, ? extends Observable> notificationHandler, Scheduler scheduler) { return OnSubscribeRedo.repeat(this, InternalObservableUtils.createRepeatDematerializer(notificationHandler), scheduler); } /** * Returns an Observable that emits the same values as the source Observable with the exception of an * {@code onCompleted}. An {@code onCompleted} notification from the source will result in the emission of * a {@code void} item to the Observable provided as an argument to the {@code notificationHandler} * function. If that Observable calls {@code onComplete} or {@code onError} then {@code repeatWhen} will * call {@code onCompleted} or {@code onError} on the child subscription. Otherwise, this Observable will * resubscribe to the source observable. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code repeatWhen} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @param notificationHandler * receives an Observable of notifications with which a user can complete or error, aborting the repeat. * @return the source Observable modified with repeat logic * @see ReactiveX operators documentation: Repeat */ public final Observable repeatWhen(final Func1, ? extends Observable> notificationHandler) { return OnSubscribeRedo.repeat(this, InternalObservableUtils.createRepeatDematerializer(notificationHandler)); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the underlying Observable * that will replay all of its items and notifications to any future {@link Observer}. A Connectable * Observable resembles an ordinary Observable, except that it does not begin emitting items when it is * subscribed to, but only when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} does not operate by default on a particular {@link Scheduler}.
*
* * @return a {@link ConnectableObservable} that upon connection causes the source Observable to emit its * items to its {@link Observer}s * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay() { return OperatorReplay.create(this); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on the items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items emitted by the resulting Observable * @param selector * the selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @return an Observable that emits items that are the results of invoking the selector on a * {@link ConnectableObservable} that shares a single subscription to the source Observable * @see ReactiveX operators documentation: Replay */ public final Observable replay(Func1, ? extends Observable> selector) { return OperatorReplay.multicastSelector(InternalObservableUtils.createReplaySupplier(this), selector); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying {@code bufferSize} notifications. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items emitted by the resulting Observable * @param selector * the selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param bufferSize * the buffer size that limits the number of items the connectable observable can replay * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable * replaying no more than {@code bufferSize} items * @see ReactiveX operators documentation: Replay */ public final Observable replay(Func1, ? extends Observable> selector, final int bufferSize) { return OperatorReplay.multicastSelector(InternalObservableUtils.createReplaySupplier(this, bufferSize), selector); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying no more than {@code bufferSize} items that were emitted within a specified time window. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param bufferSize * the buffer size that limits the number of items the connectable observable can replay * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable, and * replays no more than {@code bufferSize} items that were emitted within the window defined by * {@code time} * @see ReactiveX operators documentation: Replay */ public final Observable replay(Func1, ? extends Observable> selector, int bufferSize, long time, TimeUnit unit) { return replay(selector, bufferSize, time, unit, Schedulers.computation()); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying no more than {@code bufferSize} items that were emitted within a specified time window. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param bufferSize * the buffer size that limits the number of items the connectable observable can replay * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @param scheduler * the Scheduler that is the time source for the window * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable, and * replays no more than {@code bufferSize} items that were emitted within the window defined by * {@code time} * @throws IllegalArgumentException * if {@code bufferSize} is less than zero * @see ReactiveX operators documentation: Replay */ public final Observable replay(Func1, ? extends Observable> selector, final int bufferSize, final long time, final TimeUnit unit, final Scheduler scheduler) { if (bufferSize < 0) { throw new IllegalArgumentException("bufferSize < 0"); } return OperatorReplay.multicastSelector( InternalObservableUtils.createReplaySupplier(this, bufferSize, time, unit, scheduler), selector); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying a maximum of {@code bufferSize} items. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param bufferSize * the buffer size that limits the number of items the connectable observable can replay * @param scheduler * the Scheduler on which the replay is observed * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying no more than {@code bufferSize} notifications * @see ReactiveX operators documentation: Replay */ public final Observable replay(final Func1, ? extends Observable> selector, final int bufferSize, final Scheduler scheduler) { return OperatorReplay.multicastSelector(InternalObservableUtils.createReplaySupplier(this, bufferSize), InternalObservableUtils.createReplaySelectorAndObserveOn(selector, scheduler)); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying all items that were emitted within a specified time window. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying all items that were emitted within the window defined by {@code time} * @see ReactiveX operators documentation: Replay */ public final Observable replay(Func1, ? extends Observable> selector, long time, TimeUnit unit) { return replay(selector, time, unit, Schedulers.computation()); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying all items that were emitted within a specified time window. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @param scheduler * the scheduler that is the time source for the window * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying all items that were emitted within the window defined by {@code time} * @see ReactiveX operators documentation: Replay */ public final Observable replay(Func1, ? extends Observable> selector, final long time, final TimeUnit unit, final Scheduler scheduler) { return OperatorReplay.multicastSelector( InternalObservableUtils.createReplaySupplier(this, time, unit, scheduler), selector); } /** * Returns an Observable that emits items that are the results of invoking a specified selector on items * emitted by a {@link ConnectableObservable} that shares a single subscription to the source Observable. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param * the type of items emitted by the resulting Observable * @param selector * a selector function, which can use the multicasted sequence as many times as needed, without * causing multiple subscriptions to the Observable * @param scheduler * the Scheduler where the replay is observed * @return an Observable that emits items that are the results of invoking the selector on items emitted by * a {@link ConnectableObservable} that shares a single subscription to the source Observable, * replaying all items * @see ReactiveX operators documentation: Replay */ public final Observable replay(final Func1, ? extends Observable> selector, final Scheduler scheduler) { return OperatorReplay.multicastSelector( InternalObservableUtils.createReplaySupplier(this), InternalObservableUtils.createReplaySelectorAndObserveOn(selector, scheduler)); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable that * replays at most {@code bufferSize} items emitted by that Observable. A Connectable Observable resembles * an ordinary Observable, except that it does not begin emitting items when it is subscribed to, but only * when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} does not operate by default on a particular {@link Scheduler}.
*
* * @param bufferSize * the buffer size that limits the number of items that can be replayed * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays at most {@code bufferSize} items emitted by that Observable * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(final int bufferSize) { return OperatorReplay.create(this, bufferSize); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays at most {@code bufferSize} items that were emitted during a specified time window. A Connectable * Observable resembles an ordinary Observable, except that it does not begin emitting items when it is * subscribed to, but only when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param bufferSize * the buffer size that limits the number of items that can be replayed * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays at most {@code bufferSize} items that were emitted during the window defined by * {@code time} * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(int bufferSize, long time, TimeUnit unit) { return replay(bufferSize, time, unit, Schedulers.computation()); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable and * that replays a maximum of {@code bufferSize} items that are emitted within a specified time window. A * Connectable Observable resembles an ordinary Observable, except that it does not begin emitting items * when it is subscribed to, but only when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param bufferSize * the buffer size that limits the number of items that can be replayed * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @param scheduler * the scheduler that is used as a time source for the window * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays at most {@code bufferSize} items that were emitted during the window defined by * {@code time} * @throws IllegalArgumentException * if {@code bufferSize} is less than zero * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(final int bufferSize, final long time, final TimeUnit unit, final Scheduler scheduler) { if (bufferSize < 0) { throw new IllegalArgumentException("bufferSize < 0"); } return OperatorReplay.create(this, time, unit, scheduler, bufferSize); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays at most {@code bufferSize} items emitted by that Observable. A Connectable Observable resembles * an ordinary Observable, except that it does not begin emitting items when it is subscribed to, but only * when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param bufferSize * the buffer size that limits the number of items that can be replayed * @param scheduler * the scheduler on which the Observers will observe the emitted items * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays at most {@code bufferSize} items that were emitted by the Observable * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(final int bufferSize, final Scheduler scheduler) { return OperatorReplay.observeOn(replay(bufferSize), scheduler); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays all items emitted by that Observable within a specified time window. A Connectable Observable * resembles an ordinary Observable, except that it does not begin emitting items when it is subscribed to, * but only when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
This version of {@code replay} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays the items that were emitted during the window defined by {@code time} * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(long time, TimeUnit unit) { return replay(time, unit, Schedulers.computation()); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays all items emitted by that Observable within a specified time window. A Connectable Observable * resembles an ordinary Observable, except that it does not begin emitting items when it is subscribed to, * but only when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param time * the duration of the window in which the replayed items must have been emitted * @param unit * the time unit of {@code time} * @param scheduler * the Scheduler that is the time source for the window * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable and * replays the items that were emitted during the window defined by {@code time} * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(final long time, final TimeUnit unit, final Scheduler scheduler) { return OperatorReplay.create(this, time, unit, scheduler); } /** * Returns a {@link ConnectableObservable} that shares a single subscription to the source Observable that * will replay all of its items and notifications to any future {@link Observer} on the given * {@link Scheduler}. A Connectable Observable resembles an ordinary Observable, except that it does not * begin emitting items when it is subscribed to, but only when its {@code connect} method is called. *

* *

*
Backpressure:
*
This operator supports backpressure. Note that the upstream requests are determined by the child * Subscriber which requests the largest amount: i.e., two child Subscribers with requests of 10 and 100 will * request 100 elements from the underlying Observable sequence.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the Scheduler on which the Observers will observe the emitted items * @return a {@link ConnectableObservable} that shares a single subscription to the source Observable that * will replay all of its items and notifications to any future {@link Observer} on the given * {@link Scheduler} * @see ReactiveX operators documentation: Replay */ public final ConnectableObservable replay(final Scheduler scheduler) { return OperatorReplay.observeOn(replay(), scheduler); } /** * Returns an Observable that mirrors the source Observable, resubscribing to it if it calls {@code onError} * (infinite retry count). *

* *

* If the source Observable calls {@link Observer#onError}, this method will resubscribe to the source * Observable rather than propagating the {@code onError} call. *

* Any and all items emitted by the source Observable will be emitted by the resulting Observable, even * those emitted during failed subscriptions. For example, if an Observable fails at first but emits * {@code [1, 2]} then succeeds the second time and emits {@code [1, 2, 3, 4, 5]} then the complete sequence * of emissions and notifications would be {@code [1, 2, 1, 2, 3, 4, 5, onCompleted]}. *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code retry} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @return the source Observable modified with retry logic * @see ReactiveX operators documentation: Retry */ public final Observable retry() { return OnSubscribeRedo.retry(this); } /** * Returns an Observable that mirrors the source Observable, resubscribing to it if it calls {@code onError} * up to a specified number of retries. *

* *

* If the source Observable calls {@link Observer#onError}, this method will resubscribe to the source * Observable for a maximum of {@code count} resubscriptions rather than propagating the * {@code onError} call. *

* Any and all items emitted by the source Observable will be emitted by the resulting Observable, even * those emitted during failed subscriptions. For example, if an Observable fails at first but emits * {@code [1, 2]} then succeeds the second time and emits {@code [1, 2, 3, 4, 5]} then the complete sequence * of emissions and notifications would be {@code [1, 2, 1, 2, 3, 4, 5, onCompleted]}. *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code retry} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @param count * number of retry attempts before failing * @return the source Observable modified with retry logic * @see ReactiveX operators documentation: Retry */ public final Observable retry(final long count) { return OnSubscribeRedo.retry(this, count); } /** * Returns an Observable that mirrors the source Observable, resubscribing to it if it calls {@code onError} * and the predicate returns true for that specific exception and retry count. *

* *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code retry} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @param predicate * the predicate that determines if a resubscription may happen in case of a specific exception * and retry count * @return the source Observable modified with retry logic * @see #retry() * @see ReactiveX operators documentation: Retry */ public final Observable retry(Func2 predicate) { return nest().lift(new OperatorRetryWithPredicate(predicate)); } /** * Returns an Observable that emits the same values as the source observable with the exception of an * {@code onError}. An {@code onError} notification from the source will result in the emission of a * {@link Throwable} item to the Observable provided as an argument to the {@code notificationHandler} * function. If that Observable calls {@code onComplete} or {@code onError} then {@code retry} will call * {@code onCompleted} or {@code onError} on the child subscription. Otherwise, this Observable will * resubscribe to the source Observable. *

* * * Example: * * This retries 3 times, each time incrementing the number of seconds it waits. * *


     *  Observable.create((Subscriber s) -> {
     *      System.out.println("subscribing");
     *      s.onError(new RuntimeException("always fails"));
     *  }).retryWhen(attempts -> {
     *      return attempts.zipWith(Observable.range(1, 3), (n, i) -> i).flatMap(i -> {
     *          System.out.println("delay retry by " + i + " second(s)");
     *          return Observable.timer(i, TimeUnit.SECONDS);
     *      });
     *  }).toBlocking().forEach(System.out::println);
     * 
* * Output is: * *
 {@code
     * subscribing
     * delay retry by 1 second(s)
     * subscribing
     * delay retry by 2 second(s)
     * subscribing
     * delay retry by 3 second(s)
     * subscribing
     * } 
*
*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
{@code retryWhen} operates by default on the {@code trampoline} {@link Scheduler}.
*
* * @param notificationHandler * receives an Observable of notifications with which a user can complete or error, aborting the * retry * @return the source Observable modified with retry logic * @see ReactiveX operators documentation: Retry */ public final Observable retryWhen(final Func1, ? extends Observable> notificationHandler) { return OnSubscribeRedo.retry(this, InternalObservableUtils.createRetryDematerializer(notificationHandler)); } /** * Returns an Observable that emits the same values as the source observable with the exception of an * {@code onError}. An {@code onError} will cause the emission of the {@link Throwable} that cause the * error to the Observable returned from {@code notificationHandler}. If that Observable calls * {@code onComplete} or {@code onError} then {@code retry} will call {@code onCompleted} or {@code onError} * on the child subscription. Otherwise, this Observable will resubscribe to the source observable, on a * particular Scheduler. *

* *

*

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator may throw an {@code IllegalStateException}.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param notificationHandler * receives an Observable of notifications with which a user can complete or error, aborting the * retry * @param scheduler * the {@link Scheduler} on which to subscribe to the source Observable * @return the source Observable modified with retry logic * @see ReactiveX operators documentation: Retry */ public final Observable retryWhen(final Func1, ? extends Observable> notificationHandler, Scheduler scheduler) { return OnSubscribeRedo. retry(this, InternalObservableUtils.createRetryDematerializer(notificationHandler), scheduler); } /** * Returns an Observable that emits the most recently emitted item (if any) emitted by the source Observable * within periodic time intervals. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
{@code sample} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param period * the sampling rate * @param unit * the {@link TimeUnit} in which {@code period} is defined * @return an Observable that emits the results of sampling the items emitted by the source Observable at * the specified time interval * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure * @see #throttleLast(long, TimeUnit) */ public final Observable sample(long period, TimeUnit unit) { return sample(period, unit, Schedulers.computation()); } /** * Returns an Observable that emits the most recently emitted item (if any) emitted by the source Observable * within periodic time intervals, where the intervals are defined on a particular Scheduler. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param period * the sampling rate * @param unit * the {@link TimeUnit} in which {@code period} is defined * @param scheduler * the {@link Scheduler} to use when sampling * @return an Observable that emits the results of sampling the items emitted by the source Observable at * the specified time interval * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure * @see #throttleLast(long, TimeUnit, Scheduler) */ public final Observable sample(long period, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorSampleWithTime(period, unit, scheduler)); } /** * Returns an Observable that, when the specified {@code sampler} Observable emits an item or completes, * emits the most recently emitted item (if any) emitted by the source Observable since the previous * emission from the {@code sampler} Observable. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses the emissions of the {@code sampler} * Observable to control data flow.
*
Scheduler:
*
This version of {@code sample} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the sampler Observable * @param sampler * the Observable to use for sampling the source Observable * @return an Observable that emits the results of sampling the items emitted by this Observable whenever * the {@code sampler} Observable emits an item or completes * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure */ public final Observable sample(Observable sampler) { return lift(new OperatorSampleWithObservable(sampler)); } /** * Returns an Observable that applies a specified accumulator function to the first item emitted by a source * Observable, then feeds the result of that function along with the second item emitted by the source * Observable into the same function, and so on until all items have been emitted by the source Observable, * emitting the result of each of these iterations. *

* *

* This sort of function is sometimes called an accumulator. *

*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * Violating this expectation, a {@code MissingBackpressureException} may get signalled somewhere downstream.
*
Scheduler:
*
{@code scan} does not operate by default on a particular {@link Scheduler}.
*
* * @param accumulator * an accumulator function to be invoked on each item emitted by the source Observable, whose * result will be emitted to {@link Observer}s via {@link Observer#onNext onNext} and used in the * next accumulator call * @return an Observable that emits the results of each call to the accumulator function * @see ReactiveX operators documentation: Scan */ public final Observable scan(Func2 accumulator) { return lift(new OperatorScan(accumulator)); } /** * Returns an Observable that applies a specified accumulator function to the first item emitted by a source * Observable and a seed value, then feeds the result of that function along with the second item emitted by * the source Observable into the same function, and so on until all items have been emitted by the source * Observable, emitting the result of each of these iterations. *

* *

* This sort of function is sometimes called an accumulator. *

* Note that the Observable that results from this method will emit {@code initialValue} as its first * emitted item. *

* Note that the {@code initialValue} is shared among all subscribers to the resulting Observable * and may cause problems if it is mutable. To make sure each subscriber gets its own value, defer * the application of this operator via {@link #defer(Func0)}: *


     * Observable<T> source = ...
     * Observable.defer(() -> source.scan(new ArrayList<>(), (list, item) -> list.add(item)));
     *
     * // alternatively, by using compose to stay fluent
     *
     * source.compose(o ->
     *     Observable.defer(() -> o.scan(new ArrayList<>(), (list, item) -> list.add(item)))
     * );
     * 
*
*
Backpressure:
*
The operator honors downstream backpressure and expects the source {@code Observable} to honor backpressure as well. * Violating this expectation, a {@code MissingBackpressureException} may get signalled somewhere downstream.
*
Scheduler:
*
{@code scan} does not operate by default on a particular {@link Scheduler}.
*
* * @param the initial, accumulator and result type * @param initialValue * the initial (seed) accumulator item * @param accumulator * an accumulator function to be invoked on each item emitted by the source Observable, whose * result will be emitted to {@link Observer}s via {@link Observer#onNext onNext} and used in the * next accumulator call * @return an Observable that emits {@code initialValue} followed by the results of each call to the * accumulator function * @see ReactiveX operators documentation: Scan */ public final Observable scan(R initialValue, Func2 accumulator) { return lift(new OperatorScan(initialValue, accumulator)); } /** * Forces an Observable's emissions and notifications to be serialized and for it to obey * the Observable contract in other ways. *

* It is possible for an Observable to invoke its Subscribers' methods asynchronously, perhaps from * different threads. This could make such an Observable poorly-behaved, in that it might try to invoke * {@code onCompleted} or {@code onError} before one of its {@code onNext} invocations, or it might call * {@code onNext} from two different threads concurrently. You can force such an Observable to be * well-behaved and sequential by applying the {@code serialize} method to it. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code serialize} does not operate by default on a particular {@link Scheduler}.
*
* * @return an {@link Observable} that is guaranteed to be well-behaved and to make only serialized calls to * its observers * @see ReactiveX operators documentation: Serialize */ public final Observable serialize() { return lift(OperatorSerialize.instance()); } /** * Returns a new {@link Observable} that multicasts (shares) the original {@link Observable}. As long as * there is at least one {@link Subscriber} this {@link Observable} will be subscribed and emitting data. * When all subscribers have unsubscribed it will unsubscribe from the source {@link Observable}. *

* This is an alias for {@link #publish()}.{@link ConnectableObservable#refCount()}. *

* *

*
Backpressure:
*
The operator honors backpressure and and expects the source {@code Observable} to honor backpressure as well. * If this expectation is violated, the operator will signal a {@code MissingBackpressureException} to * its {@code Subscriber}s.
*
Scheduler:
*
{@code share} does not operate by default on a particular {@link Scheduler}.
*
* * @return an {@code Observable} that upon connection causes the source {@code Observable} to emit items * to its {@link Observer}s * @see ReactiveX operators documentation: RefCount */ public final Observable share() { return publish().refCount(); } /** * Returns an Observable that emits the single item emitted by the source Observable, if that Observable * emits only a single item. If the source Observable emits more than one item or no items, notify of an * {@code IllegalArgumentException} or {@code NoSuchElementException} respectively. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code single} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits the single item emitted by the source Observable * @throws IllegalArgumentException * if the source emits more than one item * @throws NoSuchElementException * if the source emits no items * @see ReactiveX operators documentation: First */ public final Observable single() { return lift(OperatorSingle. instance()); } /** * Returns an Observable that emits the single item emitted by the source Observable that matches a * specified predicate, if that Observable emits one such item. If the source Observable emits more than one * such item or no such items, notify of an {@code IllegalArgumentException} or * {@code NoSuchElementException} respectively. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code single} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * a predicate function to evaluate items emitted by the source Observable * @return an Observable that emits the single item emitted by the source Observable that matches the * predicate * @throws IllegalArgumentException * if the source Observable emits more than one item that matches the predicate * @throws NoSuchElementException * if the source Observable emits no item that matches the predicate * @see ReactiveX operators documentation: First */ public final Observable single(Func1 predicate) { return filter(predicate).single(); } /** * Returns an Observable that emits the single item emitted by the source Observable, if that Observable * emits only a single item, or a default item if the source Observable emits no items. If the source * Observable emits more than one item, throw an {@code IllegalArgumentException}. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code singleOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param defaultValue * a default value to emit if the source Observable emits no item * @return an Observable that emits the single item emitted by the source Observable, or a default item if * the source Observable is empty * @throws IllegalArgumentException * if the source Observable emits more than one item * @see ReactiveX operators documentation: First */ public final Observable singleOrDefault(T defaultValue) { return lift(new OperatorSingle(defaultValue)); } /** * Returns an Observable that emits the single item emitted by the source Observable that matches a * predicate, if that Observable emits only one such item, or a default item if the source Observable emits * no such items. If the source Observable emits more than one such item, throw an * {@code IllegalArgumentException}. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure).
*
Scheduler:
*
{@code singleOrDefault} does not operate by default on a particular {@link Scheduler}.
*
* * @param defaultValue * a default item to emit if the source Observable emits no matching items * @param predicate * a predicate function to evaluate items emitted by the source Observable * @return an Observable that emits the single item emitted by the source Observable that matches the * predicate, or the default item if no emitted item matches the predicate * @throws IllegalArgumentException * if the source Observable emits more than one item that matches the predicate * @see ReactiveX operators documentation: First */ public final Observable singleOrDefault(T defaultValue, Func1 predicate) { return filter(predicate).singleOrDefault(defaultValue); } /** * Returns an Observable that skips the first {@code count} items emitted by the source Observable and emits * the remainder. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
This version of {@code skip} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the number of items to skip * @return an Observable that is identical to the source Observable except that it does not emit the first * {@code count} items that the source Observable emits * @see ReactiveX operators documentation: Skip */ public final Observable skip(int count) { return lift(new OperatorSkip(count)); } /** * Returns an Observable that skips values emitted by the source Observable before a specified time window * elapses. *

* *

*
Backpressure:
*
The operator doesn't support backpressure as it uses time to skip arbitrary number of elements and * thus has to consume the source {@code Observable} in an unbounded manner (i.e., no backpressure applied to it).
*
Scheduler:
*
This version of {@code skip} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param time * the length of the time window to skip * @param unit * the time unit of {@code time} * @return an Observable that skips values emitted by the source Observable before the time window defined * by {@code time} elapses and the emits the remainder * @see ReactiveX operators documentation: Skip */ public final Observable skip(long time, TimeUnit unit) { return skip(time, unit, Schedulers.computation()); } /** * Returns an Observable that skips values emitted by the source Observable before a specified time window * on a specified {@link Scheduler} elapses. *

* *

*
Backpressure:
*
The operator doesn't support backpressure as it uses time to skip arbitrary number of elements and * thus has to consume the source {@code Observable} in an unbounded manner (i.e., no backpressure applied to it).
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param time * the length of the time window to skip * @param unit * the time unit of {@code time} * @param scheduler * the {@link Scheduler} on which the timed wait happens * @return an Observable that skips values emitted by the source Observable before the time window defined * by {@code time} and {@code scheduler} elapses, and then emits the remainder * @see ReactiveX operators documentation: Skip */ public final Observable skip(long time, TimeUnit unit, Scheduler scheduler) { return unsafeCreate(new OnSubscribeSkipTimed(this, time, unit, scheduler)); } /** * Returns an Observable that drops a specified number of items from the end of the sequence emitted by the * source Observable. *

* *

* This Observer accumulates a queue long enough to store the first {@code count} items. As more items are * received, items are taken from the front of the queue and emitted by the returned Observable. This causes * such items to be delayed. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
This version of {@code skipLast} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * number of items to drop from the end of the source sequence * @return an Observable that emits the items emitted by the source Observable except for the dropped ones * at the end * @throws IndexOutOfBoundsException * if {@code count} is less than zero * @see ReactiveX operators documentation: SkipLast */ public final Observable skipLast(int count) { return lift(new OperatorSkipLast(count)); } /** * Returns an Observable that drops items emitted by the source Observable during a specified time window * before the source completes. *

* *

* Note: this action will cache the latest items arriving in the specified time window. *

*
Backpressure:
*
The operator doesn't support backpressure as it uses time to skip arbitrary number of elements and * thus has to consume the source {@code Observable} in an unbounded manner (i.e., no backpressure applied to it).
*
Scheduler:
*
This version of {@code skipLast} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @return an Observable that drops those items emitted by the source Observable in a time window before the * source completes defined by {@code time} * @see ReactiveX operators documentation: SkipLast */ public final Observable skipLast(long time, TimeUnit unit) { return skipLast(time, unit, Schedulers.computation()); } /** * Returns an Observable that drops items emitted by the source Observable during a specified time window * (defined on a specified scheduler) before the source completes. *

* *

* Note: this action will cache the latest items arriving in the specified time window. *

*
Backpressure:
*
The operator doesn't support backpressure as it uses time to skip arbitrary number of elements and * thus has to consume the source {@code Observable} in an unbounded manner (i.e., no backpressure applied to it).
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @param scheduler * the scheduler used as the time source * @return an Observable that drops those items emitted by the source Observable in a time window before the * source completes defined by {@code time} and {@code scheduler} * @see ReactiveX operators documentation: SkipLast */ public final Observable skipLast(long time, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorSkipLastTimed(time, unit, scheduler)); } /** * Returns an Observable that skips items emitted by the source Observable until a second Observable emits * an item. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code skipUntil} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the other Observable * @param other * the second Observable that has to emit an item before the source Observable's elements begin * to be mirrored by the resulting Observable * @return an Observable that skips items from the source Observable until the second Observable emits an * item, then emits the remaining items * @see ReactiveX operators documentation: SkipUntil */ public final Observable skipUntil(Observable other) { return lift(new OperatorSkipUntil(other)); } /** * Returns an Observable that skips all items emitted by the source Observable as long as a specified * condition holds true, but emits all further source items as soon as the condition becomes false. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code skipWhile} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * a function to test each item emitted from the source Observable * @return an Observable that begins emitting items emitted by the source Observable when the specified * predicate becomes false * @see ReactiveX operators documentation: SkipWhile */ public final Observable skipWhile(Func1 predicate) { return lift(new OperatorSkipWhile(OperatorSkipWhile.toPredicate2(predicate))); } /** * Returns an Observable that emits the items in a specified {@link Observable} before it begins to emit * items emitted by the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both this and the {@code other} {@code Observable}s * are expected to honor backpressure as well. If any of then violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param values * an Observable that contains the items you want the modified Observable to emit first * @return an Observable that emits the items in the specified {@link Observable} and then emits the items * emitted by the source Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(Observable values) { return concat(values, this); } /** * Returns an Observable that emits the items in a specified {@link Iterable} before it begins to emit items * emitted by the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param values * an Iterable that contains the items you want the modified Observable to emit first * @return an Observable that emits the items in the specified {@link Iterable} and then emits the items * emitted by the source Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(Iterable values) { return concat(Observable. from(values), this); } /** * Returns an Observable that emits a specified item before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the item to emit * @return an Observable that emits the specified item before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1) { return concat(just(t1), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2) { return concat(just(t1, t2), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3) { return concat(just(t1, t2, t3), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @param t4 * the fourth item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3, T t4) { return concat(just(t1, t2, t3, t4), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @param t4 * the fourth item to emit * @param t5 * the fifth item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3, T t4, T t5) { return concat(just(t1, t2, t3, t4, t5), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @param t4 * the fourth item to emit * @param t5 * the fifth item to emit * @param t6 * the sixth item to emit * @return an Observable that emits the specified items before it begins to emit items emitted * by the source Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3, T t4, T t5, T t6) { return concat(just(t1, t2, t3, t4, t5, t6), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @param t4 * the fourth item to emit * @param t5 * the fifth item to emit * @param t6 * the sixth item to emit * @param t7 * the seventh item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3, T t4, T t5, T t6, T t7) { return concat(just(t1, t2, t3, t4, t5, t6, t7), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @param t4 * the fourth item to emit * @param t5 * the fifth item to emit * @param t6 * the sixth item to emit * @param t7 * the seventh item to emit * @param t8 * the eighth item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3, T t4, T t5, T t6, T t7, T t8) { return concat(just(t1, t2, t3, t4, t5, t6, t7, t8), this); } /** * Returns an Observable that emits the specified items before it begins to emit items emitted by the source * Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The source {@code Observable} * is expected to honor backpressure as well. If it violates this rule, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
{@code startWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param t1 * the first item to emit * @param t2 * the second item to emit * @param t3 * the third item to emit * @param t4 * the fourth item to emit * @param t5 * the fifth item to emit * @param t6 * the sixth item to emit * @param t7 * the seventh item to emit * @param t8 * the eighth item to emit * @param t9 * the ninth item to emit * @return an Observable that emits the specified items before it begins to emit items emitted by the source * Observable * @see ReactiveX operators documentation: StartWith */ public final Observable startWith(T t1, T t2, T t3, T t4, T t5, T t6, T t7, T t8, T t9) { return concat(just(t1, t2, t3, t4, t5, t6, t7, t8, t9), this); } /** * Subscribes to an Observable and ignores {@code onNext} and {@code onCompleted} emissions. If an {@code onError} emission arrives then * {@link OnErrorNotImplementedException} is thrown. *
*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code subscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @return a {@link Subscription} reference with which the {@link Observer} can stop receiving items before * the Observable has finished sending them * @throws OnErrorNotImplementedException * if the Observable tries to call {@code onError} * @see ReactiveX operators documentation: Subscribe */ public final Subscription subscribe() { Action1 onNext = Actions.empty(); Action1 onError = InternalObservableUtils.ERROR_NOT_IMPLEMENTED; Action0 onCompleted = Actions.empty(); return subscribe(new ActionSubscriber(onNext, onError, onCompleted)); } /** * Subscribes to an Observable and provides a callback to handle the items it emits. *
*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code subscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * the {@code Action1} you have designed to accept emissions from the Observable * @return a {@link Subscription} reference with which the {@link Observer} can stop receiving items before * the Observable has finished sending them * @throws IllegalArgumentException * if {@code onNext} is null * @throws OnErrorNotImplementedException * if the Observable calls {@code onError} * @see ReactiveX operators documentation: Subscribe */ public final Subscription subscribe(final Action1 onNext) { if (onNext == null) { throw new IllegalArgumentException("onNext can not be null"); } Action1 onError = InternalObservableUtils.ERROR_NOT_IMPLEMENTED; Action0 onCompleted = Actions.empty(); return subscribe(new ActionSubscriber(onNext, onError, onCompleted)); } /** * Subscribes to an Observable and provides callbacks to handle the items it emits and any error * notification it issues. *
*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code subscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * the {@code Action1} you have designed to accept emissions from the Observable * @param onError * the {@code Action1} you have designed to accept any error notification from the * Observable * @return a {@link Subscription} reference with which the {@link Observer} can stop receiving items before * the Observable has finished sending them * @see ReactiveX operators documentation: Subscribe * @throws IllegalArgumentException * if {@code onNext} is null, or * if {@code onError} is null */ public final Subscription subscribe(final Action1 onNext, final Action1 onError) { if (onNext == null) { throw new IllegalArgumentException("onNext can not be null"); } if (onError == null) { throw new IllegalArgumentException("onError can not be null"); } Action0 onCompleted = Actions.empty(); return subscribe(new ActionSubscriber(onNext, onError, onCompleted)); } /** * Subscribes to an Observable and provides callbacks to handle the items it emits and any error or * completion notification it issues. *
*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code subscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param onNext * the {@code Action1} you have designed to accept emissions from the Observable * @param onError * the {@code Action1} you have designed to accept any error notification from the * Observable * @param onCompleted * the {@code Action0} you have designed to accept a completion notification from the * Observable * @return a {@link Subscription} reference with which the {@link Observer} can stop receiving items before * the Observable has finished sending them * @throws IllegalArgumentException * if {@code onNext} is null, or * if {@code onError} is null, or * if {@code onComplete} is null * @see ReactiveX operators documentation: Subscribe */ public final Subscription subscribe(final Action1 onNext, final Action1 onError, final Action0 onCompleted) { if (onNext == null) { throw new IllegalArgumentException("onNext can not be null"); } if (onError == null) { throw new IllegalArgumentException("onError can not be null"); } if (onCompleted == null) { throw new IllegalArgumentException("onComplete can not be null"); } return subscribe(new ActionSubscriber(onNext, onError, onCompleted)); } /** * Subscribes to an Observable and provides an Observer that implements functions to handle the items the * Observable emits and any error or completion notification it issues. *
*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner (i.e., no * backpressure is applied to it).
*
Scheduler:
*
{@code subscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param observer * the Observer that will handle emissions and notifications from the Observable * @return a {@link Subscription} reference with which the {@link Observer} can stop receiving items before * the Observable has completed * @see ReactiveX operators documentation: Subscribe */ public final Subscription subscribe(final Observer observer) { if (observer instanceof Subscriber) { return subscribe((Subscriber)observer); } if (observer == null) { throw new NullPointerException("observer is null"); } return subscribe(new ObserverSubscriber(observer)); } /** * Subscribes to an Observable and invokes {@link OnSubscribe} function without any contract protection, * error handling, unsubscribe, or execution hooks. *

* Use this only for implementing an {@link Operator} that requires nested subscriptions. For other * purposes, use {@link #subscribe(Subscriber)} which ensures * the Observable contract and other * functionality. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code unsafeSubscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param subscriber * the Subscriber that will handle emissions and notifications from the Observable * @return a {@link Subscription} reference with which the {@link Subscriber} can stop receiving items * before the Observable has completed */ public final Subscription unsafeSubscribe(Subscriber subscriber) { try { // new Subscriber so onStart it subscriber.onStart(); // allow the hook to intercept and/or decorate RxJavaHooks.onObservableStart(this, onSubscribe).call(subscriber); return RxJavaHooks.onObservableReturn(subscriber); } catch (Throwable e) { // special handling for certain Throwable/Error/Exception types Exceptions.throwIfFatal(e); // if an unhandled error occurs executing the onSubscribe we will propagate it try { subscriber.onError(RxJavaHooks.onObservableError(e)); } catch (Throwable e2) { Exceptions.throwIfFatal(e2); // if this happens it means the onError itself failed (perhaps an invalid function implementation) // so we are unable to propagate the error correctly and will just throw RuntimeException r = new OnErrorFailedException("Error occurred attempting to subscribe [" + e.getMessage() + "] and then again while trying to pass to onError.", e2); // TODO could the hook be the cause of the error in the on error handling. RxJavaHooks.onObservableError(r); // TODO why aren't we throwing the hook's return value. throw r; // NOPMD } return Subscriptions.unsubscribed(); } } /** * Subscribes to an Observable and provides a Subscriber that implements functions to handle the items the * Observable emits and any error or completion notification it issues. *

* A typical implementation of {@code subscribe} does the following: *

    *
  1. It stores a reference to the Subscriber in a collection object, such as a {@code List} object.
  2. *
  3. It returns a reference to the {@link Subscription} interface. This enables Subscribers to * unsubscribe, that is, to stop receiving items and notifications before the Observable completes, which * also invokes the Subscriber's {@link Subscriber#onCompleted onCompleted} method.
  4. *

* An {@code Observable} instance is responsible for accepting all subscriptions and notifying all * Subscribers. Unless the documentation for a particular {@code Observable} implementation indicates * otherwise, Subscriber should make no assumptions about the order in which multiple Subscribers will * receive their notifications. *

* For more information see the * ReactiveX documentation. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code subscribe} does not operate by default on a particular {@link Scheduler}.
*
* * @param subscriber * the {@link Subscriber} that will handle emissions and notifications from the Observable * @return a {@link Subscription} reference with which Subscribers that are {@link Observer}s can * unsubscribe from the Observable * @throws IllegalStateException * if {@code subscribe} is unable to obtain an {@code OnSubscribe<>} function * @throws IllegalArgumentException * if the {@link Subscriber} provided as the argument to {@code subscribe} is {@code null} * @throws OnErrorNotImplementedException * if the {@link Subscriber}'s {@code onError} method is null * @throws RuntimeException * if the {@link Subscriber}'s {@code onError} method itself threw a {@code Throwable} * @see ReactiveX operators documentation: Subscribe */ public final Subscription subscribe(Subscriber subscriber) { return Observable.subscribe(subscriber, this); } static Subscription subscribe(Subscriber subscriber, Observable observable) { // validate and proceed if (subscriber == null) { throw new IllegalArgumentException("subscriber can not be null"); } if (observable.onSubscribe == null) { throw new IllegalStateException("onSubscribe function can not be null."); /* * the subscribe function can also be overridden but generally that's not the appropriate approach * so I won't mention that in the exception */ } // new Subscriber so onStart it subscriber.onStart(); /* * See https://github.com/ReactiveX/RxJava/issues/216 for discussion on "Guideline 6.4: Protect calls * to user code from within an Observer" */ // if not already wrapped if (!(subscriber instanceof SafeSubscriber)) { // assign to `observer` so we return the protected version subscriber = new SafeSubscriber(subscriber); } // The code below is exactly the same an unsafeSubscribe but not used because it would // add a significant depth to already huge call stacks. try { // allow the hook to intercept and/or decorate RxJavaHooks.onObservableStart(observable, observable.onSubscribe).call(subscriber); return RxJavaHooks.onObservableReturn(subscriber); } catch (Throwable e) { // special handling for certain Throwable/Error/Exception types Exceptions.throwIfFatal(e); // in case the subscriber can't listen to exceptions anymore if (subscriber.isUnsubscribed()) { RxJavaHooks.onError(RxJavaHooks.onObservableError(e)); } else { // if an unhandled error occurs executing the onSubscribe we will propagate it try { subscriber.onError(RxJavaHooks.onObservableError(e)); } catch (Throwable e2) { Exceptions.throwIfFatal(e2); // if this happens it means the onError itself failed (perhaps an invalid function implementation) // so we are unable to propagate the error correctly and will just throw RuntimeException r = new OnErrorFailedException("Error occurred attempting to subscribe [" + e.getMessage() + "] and then again while trying to pass to onError.", e2); // TODO could the hook be the cause of the error in the on error handling. RxJavaHooks.onObservableError(r); // TODO why aren't we throwing the hook's return value. throw r; // NOPMD } } return Subscriptions.unsubscribed(); } } /** * Asynchronously subscribes Observers to this Observable on the specified {@link Scheduler}. *

* If there is a {@link #create(Action1, rx.Emitter.BackpressureMode)} type source up in the * chain, it is recommended to use {@code subscribeOn(scheduler, false)} instead * to avoid same-pool deadlock because requests pile up behind a eager/blocking emitter. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure amount which is determined by the source {@code Observable}'s backpressure * behavior. However, the upstream is requested from the given scheduler thread.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the {@link Scheduler} to perform subscription actions on * @return the source Observable modified so that its subscriptions happen on the * specified {@link Scheduler} * @see ReactiveX operators documentation: SubscribeOn * @see RxJava Threading Examples * @see #observeOn * @see #subscribeOn(Scheduler, boolean) */ public final Observable subscribeOn(Scheduler scheduler) { return subscribeOn(scheduler, !(this.onSubscribe instanceof OnSubscribeCreate)); } /** * Asynchronously subscribes Observers to this Observable on the specified {@link Scheduler} and * optionally reroutes requests from other threads to the same {@link Scheduler} thread. *

* If there is a {@link #create(Action1, rx.Emitter.BackpressureMode)} type source up in the * chain, it is recommended to have {@code requestOn} false to avoid same-pool deadlock * because requests pile up behind a eager/blocking emitter. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure amount which is determined by the source {@code Observable}'s backpressure * behavior. However, the upstream is requested from the given scheduler if requestOn is true.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
*

History: 1.2.7 - experimental * @param scheduler * the {@link Scheduler} to perform subscription actions on * @param requestOn if true, requests are rerouted to the given Scheduler as well (strong pipelining) * if false, requests coming from any thread are simply forwarded to * the upstream on the same thread (weak pipelining) * @return the source Observable modified so that its subscriptions happen on the * specified {@link Scheduler} * @see ReactiveX operators documentation: SubscribeOn * @see RxJava Threading Examples * @see #observeOn * @see #subscribeOn(Scheduler) * @since 1.3 */ public final Observable subscribeOn(Scheduler scheduler, boolean requestOn) { if (this instanceof ScalarSynchronousObservable) { return ((ScalarSynchronousObservable)this).scalarScheduleOn(scheduler); } return unsafeCreate(new OperatorSubscribeOn(this, scheduler, requestOn)); } /** * Returns a new Observable by applying a function that you supply to each item emitted by the source * Observable that returns an Observable, and then emitting the items emitted by the most recently emitted * of these Observables. *

* The resulting Observable completes if both the upstream Observable and the last inner Observable, if any, complete. * If the upstream Observable signals an onError, the inner Observable is unsubscribed and the error delivered in-sequence. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed in an * unbounded manner (i.e., without backpressure) and the inner {@code Observable}s are expected to honor * backpressure but it is not enforced; the operator won't signal a {@code MissingBackpressureException} * but the violation may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code switchMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the inner Observables and the output * @param func * a function that, when applied to an item emitted by the source Observable, returns an * Observable * @return an Observable that emits the items emitted by the Observable returned from applying {@code func} to the most recently emitted item emitted by the source Observable * @see ReactiveX operators documentation: FlatMap */ public final Observable switchMap(Func1> func) { return switchOnNext(map(func)); } /** * Returns a new Observable by applying a function that you supply to each item emitted by the source * Observable that returns an Observable, and then emitting the items emitted by the most recently emitted * of these Observables and delays any error until all Observables terminate. *

* The resulting Observable completes if both the upstream Observable and the last inner Observable, if any, complete. * If the upstream Observable signals an onError, the termination of the last inner Observable will emit that error as is * or wrapped into a CompositeException along with the other possible errors the former inner Observables signalled. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The outer {@code Observable} is consumed in an * unbounded manner (i.e., without backpressure) and the inner {@code Observable}s are expected to honor * backpressure but it is not enforced; the operator won't signal a {@code MissingBackpressureException} * but the violation may lead to {@code OutOfMemoryError} due to internal buffer bloat.
*
Scheduler:
*
{@code switchMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the inner Observables and the output * @param func * a function that, when applied to an item emitted by the source Observable, returns an * Observable * @return an Observable that emits the items emitted by the Observable returned from applying {@code func} to the most recently emitted item emitted by the source Observable * @see ReactiveX operators documentation: FlatMap * @since 1.3 */ public final Observable switchMapDelayError(Func1> func) { return switchOnNextDelayError(map(func)); } /** * Returns an Observable that emits only the first {@code count} items emitted by the source Observable. If the source emits fewer than * {@code count} items then all of its items are emitted. *

* *

* This method returns an Observable that will invoke a subscribing {@link Observer}'s * {@link Observer#onNext onNext} function a maximum of {@code count} times before invoking * {@link Observer#onCompleted onCompleted}. *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior in case the first request is smaller than the {@code count}. Otherwise, the source {@code Observable} * is consumed in an unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
This version of {@code take} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum number of items to emit * @return an Observable that emits only the first {@code count} items emitted by the source Observable, or * all of the items from the source Observable if that Observable emits fewer than {@code count} items * @see ReactiveX operators documentation: Take */ public final Observable take(final int count) { return lift(new OperatorTake(count)); } /** * Returns an Observable that emits those items emitted by source Observable before a specified time runs * out. *

* If time runs out before the {@code Observable} completes normally, the {@code onComplete} event will be * signaled on the default {@code computation} {@link Scheduler}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
This version of {@code take} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @return an Observable that emits those items emitted by the source Observable before the time runs out * @see ReactiveX operators documentation: Take */ public final Observable take(long time, TimeUnit unit) { return take(time, unit, Schedulers.computation()); } /** * Returns an Observable that emits those items emitted by source Observable before a specified time (on a * specified Scheduler) runs out. *

* If time runs out before the {@code Observable} completes normally, the {@code onComplete} event will be * signaled on the provided {@link Scheduler}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @param scheduler * the Scheduler used for time source * @return an Observable that emits those items emitted by the source Observable before the time runs out, * according to the specified Scheduler * @see ReactiveX operators documentation: Take */ public final Observable take(long time, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorTakeTimed(time, unit, scheduler)); } /** * Returns an Observable that emits only the very first item emitted by the source Observable that satisfies * a specified condition. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code takeFirst} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * the condition any item emitted by the source Observable has to satisfy * @return an Observable that emits only the very first item emitted by the source Observable that satisfies * the given condition, or that completes without emitting anything if the source Observable * completes without emitting a single condition-satisfying item * @see ReactiveX operators documentation: First */ public final Observable takeFirst(Func1 predicate) { return filter(predicate).take(1); } /** * Returns an Observable that emits at most the last {@code count} items emitted by the source Observable. If the source emits fewer than * {@code count} items then all of its items are emitted. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream if the {@code count} is non-zero; ignores * backpressure if the {@code count} is zero as it doesn't signal any values.
*
Scheduler:
*
This version of {@code takeLast} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum number of items to emit from the end of the sequence of items emitted by the source * Observable * @return an Observable that emits at most the last {@code count} items emitted by the source Observable * @throws IndexOutOfBoundsException * if {@code count} is less than zero * @see ReactiveX operators documentation: TakeLast */ public final Observable takeLast(final int count) { if (count == 0) { return ignoreElements(); } else if (count == 1) { return unsafeCreate(new OnSubscribeTakeLastOne(this)); } else { return lift(new OperatorTakeLast(count)); } } /** * Returns an Observable that emits at most a specified number of items from the source Observable that were * emitted in a specified window of time before the Observable completed. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., no backpressure is applied to it).
*
Scheduler:
*
This version of {@code takeLast} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param count * the maximum number of items to emit * @param time * the length of the time window * @param unit * the time unit of {@code time} * @return an Observable that emits at most {@code count} items from the source Observable that were emitted * in a specified window of time before the Observable completed * @see ReactiveX operators documentation: TakeLast */ public final Observable takeLast(int count, long time, TimeUnit unit) { return takeLast(count, time, unit, Schedulers.computation()); } /** * Returns an Observable that emits at most a specified number of items from the source Observable that were * emitted in a specified window of time before the Observable completed, where the timing information is * provided by a given Scheduler. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., no backpressure is applied to it).
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param count * the maximum number of items to emit * @param time * the length of the time window * @param unit * the time unit of {@code time} * @param scheduler * the {@link Scheduler} that provides the timestamps for the observed items * @return an Observable that emits at most {@code count} items from the source Observable that were emitted * in a specified window of time before the Observable completed, where the timing information is * provided by the given {@code scheduler} * @throws IndexOutOfBoundsException * if {@code count} is less than zero * @see ReactiveX operators documentation: TakeLast */ public final Observable takeLast(int count, long time, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorTakeLastTimed(count, time, unit, scheduler)); } /** * Returns an Observable that emits the items from the source Observable that were emitted in a specified * window of time before the Observable completed. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., no backpressure is applied to it) but note that this may * lead to {@code OutOfMemoryError} due to internal buffer bloat. * Consider using {@link #takeLast(int, long, TimeUnit)} in this case.
* behavior. *
Scheduler:
*
This version of {@code takeLast} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @return an Observable that emits the items from the source Observable that were emitted in the window of * time before the Observable completed specified by {@code time} * @see ReactiveX operators documentation: TakeLast */ public final Observable takeLast(long time, TimeUnit unit) { return takeLast(time, unit, Schedulers.computation()); } /** * Returns an Observable that emits the items from the source Observable that were emitted in a specified * window of time before the Observable completed, where the timing information is provided by a specified * Scheduler. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., no backpressure is applied to it) but note that this may * lead to {@code OutOfMemoryError} due to internal buffer bloat. * Consider using {@link #takeLast(int, long, TimeUnit, Scheduler)} in this case.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @param scheduler * the Scheduler that provides the timestamps for the Observed items * @return an Observable that emits the items from the source Observable that were emitted in the window of * time before the Observable completed specified by {@code time}, where the timing information is * provided by {@code scheduler} * @see ReactiveX operators documentation: TakeLast */ public final Observable takeLast(long time, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorTakeLastTimed(time, unit, scheduler)); } /** * Returns an Observable that emits a single List containing at most the last {@code count} elements emitted by the * source Observable. If the source emits fewer than {@code count} items then the emitted List will contain all of the source emissions. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
This version of {@code takeLastBuffer} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum number of items to emit in the list * @return an Observable that emits a single list containing at most the last {@code count} elements emitted by the * source Observable * @see ReactiveX operators documentation: TakeLast */ public final Observable> takeLastBuffer(int count) { return takeLast(count).toList(); } /** * Returns an Observable that emits a single List containing at most {@code count} items from the source * Observable that were emitted during a specified window of time before the source Observable completed. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
This version of {@code takeLastBuffer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param count * the maximum number of items to emit * @param time * the length of the time window * @param unit * the time unit of {@code time} * @return an Observable that emits a single List containing at most {@code count} items emitted by the * source Observable during the time window defined by {@code time} before the source Observable * completed * @see ReactiveX operators documentation: TakeLast */ public final Observable> takeLastBuffer(int count, long time, TimeUnit unit) { return takeLast(count, time, unit).toList(); } /** * Returns an Observable that emits a single List containing at most {@code count} items from the source * Observable that were emitted during a specified window of time (on a specified Scheduler) before the * source Observable completed. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param count * the maximum number of items to emit * @param time * the length of the time window * @param unit * the time unit of {@code time} * @param scheduler * the Scheduler that provides the timestamps for the observed items * @return an Observable that emits a single List containing at most {@code count} items emitted by the * source Observable during the time window defined by {@code time} before the source Observable * completed * @see ReactiveX operators documentation: TakeLast */ public final Observable> takeLastBuffer(int count, long time, TimeUnit unit, Scheduler scheduler) { return takeLast(count, time, unit, scheduler).toList(); } /** * Returns an Observable that emits a single List containing those items from the source Observable that * were emitted during a specified window of time before the source Observable completed. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
This version of {@code takeLastBuffer} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @return an Observable that emits a single List containing the items emitted by the source Observable * during the time window defined by {@code time} before the source Observable completed * @see ReactiveX operators documentation: TakeLast */ public final Observable> takeLastBuffer(long time, TimeUnit unit) { return takeLast(time, unit).toList(); } /** * Returns an Observable that emits a single List containing those items from the source Observable that * were emitted during a specified window of time before the source Observable completed, where the timing * information is provided by the given Scheduler. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param time * the length of the time window * @param unit * the time unit of {@code time} * @param scheduler * the Scheduler that provides the timestamps for the observed items * @return an Observable that emits a single List containing the items emitted by the source Observable * during the time window defined by {@code time} before the source Observable completed, where the * timing information is provided by {@code scheduler} * @see ReactiveX operators documentation: TakeLast */ public final Observable> takeLastBuffer(long time, TimeUnit unit, Scheduler scheduler) { return takeLast(time, unit, scheduler).toList(); } /** * Returns an Observable that emits the items emitted by the source Observable until a second Observable * emits an item. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code takeUntil} does not operate by default on a particular {@link Scheduler}.
*
* * @param other * the Observable whose first emitted item will cause {@code takeUntil} to stop emitting items * from the source Observable * @param * the type of items emitted by {@code other} * @return an Observable that emits the items emitted by the source Observable until such time as {@code other} emits its first item * @see ReactiveX operators documentation: TakeUntil */ public final Observable takeUntil(Observable other) { return lift(new OperatorTakeUntil(other)); } /** * Returns an Observable that emits items emitted by the source Observable so long as each item satisfied a * specified condition, and then completes as soon as this condition is not satisfied. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code takeWhile} does not operate by default on a particular {@link Scheduler}.
*
* * @param predicate * a function that evaluates an item emitted by the source Observable and returns a Boolean * @return an Observable that emits the items from the source Observable so long as each item satisfies the * condition defined by {@code predicate}, then completes * @see ReactiveX operators documentation: TakeWhile * @see Observable#takeUntil(Func1) */ public final Observable takeWhile(final Func1 predicate) { return lift(new OperatorTakeWhile(predicate)); } /** * Returns an Observable that emits items emitted by the source Observable, checks the specified predicate * for each item, and then completes when the condition is satisfied. *

* *

* The difference between this operator and {@link #takeWhile(Func1)} is that here, the condition is * evaluated after the item is emitted. * *

*
Backpressure:
*
The operator is a pass-through for backpressure; the backpressure behavior is determined by the upstream * source and the downstream consumer.
*
Scheduler:
*
{@code takeWhile} does not operate by default on a particular {@link Scheduler}.
*
* * @param stopPredicate * a function that evaluates an item emitted by the source Observable and returns a Boolean * @return an Observable that first emits items emitted by the source Observable, checks the specified * condition after each item, and then completes when the condition is satisfied. * @see ReactiveX operators documentation: TakeUntil * @see Observable#takeWhile(Func1) * @since 1.1.0 */ public final Observable takeUntil(final Func1 stopPredicate) { return lift(new OperatorTakeUntilPredicate(stopPredicate)); } /** * Returns an Observable that emits only the first item emitted by the source Observable during sequential * time windows of a specified duration. *

* This differs from {@link #throttleLast} in that this only tracks passage of time whereas * {@link #throttleLast} ticks at scheduled intervals. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
{@code throttleFirst} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param windowDuration * time to wait before emitting another item after emitting the last item * @param unit * the unit of time of {@code windowDuration} * @return an Observable that performs the throttle operation * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure */ public final Observable throttleFirst(long windowDuration, TimeUnit unit) { return throttleFirst(windowDuration, unit, Schedulers.computation()); } /** * Returns an Observable that emits only the first item emitted by the source Observable during sequential * time windows of a specified duration, where the windows are managed by a specified Scheduler. *

* This differs from {@link #throttleLast} in that this only tracks passage of time whereas * {@link #throttleLast} ticks at scheduled intervals. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param skipDuration * time to wait before emitting another item after emitting the last item * @param unit * the unit of time of {@code skipDuration} * @param scheduler * the {@link Scheduler} to use internally to manage the timers that handle timeout for each * event * @return an Observable that performs the throttle operation * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure */ public final Observable throttleFirst(long skipDuration, TimeUnit unit, Scheduler scheduler) { return lift(new OperatorThrottleFirst(skipDuration, unit, scheduler)); } /** * Returns an Observable that emits only the last item emitted by the source Observable during sequential * time windows of a specified duration. *

* This differs from {@link #throttleFirst} in that this ticks along at a scheduled interval whereas * {@link #throttleFirst} does not tick, it just tracks passage of time. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
{@code throttleLast} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param intervalDuration * duration of windows within which the last item emitted by the source Observable will be * emitted * @param unit * the unit of time of {@code intervalDuration} * @return an Observable that performs the throttle operation * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure * @see #sample(long, TimeUnit) */ public final Observable throttleLast(long intervalDuration, TimeUnit unit) { return sample(intervalDuration, unit); } /** * Returns an Observable that emits only the last item emitted by the source Observable during sequential * time windows of a specified duration, where the duration is governed by a specified Scheduler. *

* This differs from {@link #throttleFirst} in that this ticks along at a scheduled interval whereas * {@link #throttleFirst} does not tick, it just tracks passage of time. *

* *

*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param intervalDuration * duration of windows within which the last item emitted by the source Observable will be * emitted * @param unit * the unit of time of {@code intervalDuration} * @param scheduler * the {@link Scheduler} to use internally to manage the timers that handle timeout for each * event * @return an Observable that performs the throttle operation * @see ReactiveX operators documentation: Sample * @see RxJava wiki: Backpressure * @see #sample(long, TimeUnit, Scheduler) */ public final Observable throttleLast(long intervalDuration, TimeUnit unit, Scheduler scheduler) { return sample(intervalDuration, unit, scheduler); } /** * Returns an Observable that only emits those items emitted by the source Observable that are not followed * by another emitted item within a specified time window. *

* Note: If the source Observable keeps emitting items more frequently than the length of the time * window then no items will be emitted by the resulting Observable. *

* *

* Information on debounce vs throttle: *

*

*
*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
{@code throttleWithTimeout} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timeout * the length of the window of time that must pass after the emission of an item from the source * Observable in which that Observable emits no items in order for the item to be emitted by the * resulting Observable * @param unit * the {@link TimeUnit} of {@code timeout} * @return an Observable that filters out items that are too quickly followed by newer items * @see ReactiveX operators documentation: Debounce * @see RxJava wiki: Backpressure * @see #debounce(long, TimeUnit) */ public final Observable throttleWithTimeout(long timeout, TimeUnit unit) { return debounce(timeout, unit); } /** * Returns an Observable that only emits those items emitted by the source Observable that are not followed * by another emitted item within a specified time window, where the time window is governed by a specified * Scheduler. *

* Note: If the source Observable keeps emitting items more frequently than the length of the time * window then no items will be emitted by the resulting Observable. *

* *

* Information on debounce vs throttle: *

*

*
*
Backpressure:
*
This operator does not support backpressure as it uses time to control data flow.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timeout * the length of the window of time that must pass after the emission of an item from the source * Observable in which that Observable emits no items in order for the item to be emitted by the * resulting Observable * @param unit * the {@link TimeUnit} of {@code timeout} * @param scheduler * the {@link Scheduler} to use internally to manage the timers that handle the timeout for each * item * @return an Observable that filters out items that are too quickly followed by newer items * @see ReactiveX operators documentation: Debounce * @see RxJava wiki: Backpressure * @see #debounce(long, TimeUnit, Scheduler) */ public final Observable throttleWithTimeout(long timeout, TimeUnit unit, Scheduler scheduler) { return debounce(timeout, unit, scheduler); } /** * Returns an Observable that emits records of the time interval between consecutive items emitted by the * source Observable. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code timeInterval} does not operate on any particular scheduler but uses the current time * from the {@code computation} {@link Scheduler}.
*
* * @return an Observable that emits time interval information items * @see ReactiveX operators documentation: TimeInterval */ public final Observable> timeInterval() { return timeInterval(Schedulers.computation()); } /** * Returns an Observable that emits records of the time interval between consecutive items emitted by the * source Observable, where this interval is computed on a specified Scheduler. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
The operator does not operate on any particular scheduler but uses the current time * from the specified {@link Scheduler}.
*
* * @param scheduler * the {@link Scheduler} used to compute time intervals * @return an Observable that emits time interval information items * @see ReactiveX operators documentation: TimeInterval */ public final Observable> timeInterval(Scheduler scheduler) { return lift(new OperatorTimeInterval(scheduler)); } /** * Returns an Observable that mirrors the source Observable, but notifies observers of a * {@code TimeoutException} if either the first item emitted by the source Observable or any subsequent item * doesn't arrive within time windows defined by other Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. Both this and the returned {@code Observable}s * are expected to honor backpressure as well. If any of then violates this rule, it may throw an * {@code IllegalStateException} when the {@code Observable} completes.
*
Scheduler:
*
This version of {@code timeout} operates by default on the {@code immediate} {@link Scheduler}.
*
* * @param * the first timeout value type (ignored) * @param * the subsequent timeout value type (ignored) * @param firstTimeoutSelector * a function that returns an Observable that determines the timeout window for the first source * item * @param timeoutSelector * a function that returns an Observable for each item emitted by the source Observable and that * determines the timeout window in which the subsequent source item must arrive in order to * continue the sequence * @return an Observable that mirrors the source Observable, but notifies observers of a * {@code TimeoutException} if either the first item or any subsequent item doesn't arrive within * the time windows specified by the timeout selectors * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(Func0> firstTimeoutSelector, Func1> timeoutSelector) { return timeout(firstTimeoutSelector, timeoutSelector, null); } /** * Returns an Observable that mirrors the source Observable, but switches to a fallback Observable if either * the first item emitted by the source Observable or any subsequent item doesn't arrive within time windows * defined by other Observables. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
This version of {@code timeout} operates by default on the {@code immediate} {@link Scheduler}.
*
* * @param * the first timeout value type (ignored) * @param * the subsequent timeout value type (ignored) * @param firstTimeoutSelector * a function that returns an Observable which determines the timeout window for the first source * item * @param timeoutSelector * a function that returns an Observable for each item emitted by the source Observable and that * determines the timeout window in which the subsequent source item must arrive in order to * continue the sequence * @param other * the fallback Observable to switch to if the source Observable times out * @return an Observable that mirrors the source Observable, but switches to the {@code other} Observable if * either the first item emitted by the source Observable or any subsequent item doesn't arrive * within time windows defined by the timeout selectors * @throws NullPointerException * if {@code timeoutSelector} is null * @see ReactiveX operators documentation: Timeout */ @SuppressWarnings("unchecked") public final Observable timeout(Func0> firstTimeoutSelector, Func1> timeoutSelector, Observable other) { if (timeoutSelector == null) { throw new NullPointerException("timeoutSelector is null"); } return unsafeCreate(new OnSubscribeTimeoutSelectorWithFallback(this, firstTimeoutSelector != null ? defer((Func0>)firstTimeoutSelector) : null, timeoutSelector, other)); } /** * Returns an Observable that mirrors the source Observable, but notifies observers of a * {@code TimeoutException} if an item emitted by the source Observable doesn't arrive within a window of * time after the emission of the previous item, where that period of time is measured by an Observable that * is a function of the previous item. *

* *

* Note: The arrival of the first source item is never timed out. *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
This version of {@code timeout} operates by default on the {@code immediate} {@link Scheduler}.
*
* * @param * the timeout value type (ignored) * @param timeoutSelector * a function that returns an observable for each item emitted by the source * Observable and that determines the timeout window for the subsequent item * @return an Observable that mirrors the source Observable, but notifies observers of a * {@code TimeoutException} if an item emitted by the source Observable takes longer to arrive than * the time window defined by the selector for the previously emitted item * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(Func1> timeoutSelector) { return timeout(null, timeoutSelector, null); } /** * Returns an Observable that mirrors the source Observable, but that switches to a fallback Observable if * an item emitted by the source Observable doesn't arrive within a window of time after the emission of the * previous item, where that period of time is measured by an Observable that is a function of the previous * item. *

* *

* Note: The arrival of the first source item is never timed out. *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
This version of {@code timeout} operates by default on the {@code immediate} {@link Scheduler}.
*
* * @param * the timeout value type (ignored) * @param timeoutSelector * a function that returns an Observable, for each item emitted by the source Observable, that * determines the timeout window for the subsequent item * @param other * the fallback Observable to switch to if the source Observable times out * @return an Observable that mirrors the source Observable, but switches to mirroring a fallback Observable * if an item emitted by the source Observable takes longer to arrive than the time window defined * by the selector for the previously emitted item * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(Func1> timeoutSelector, Observable other) { return timeout(null, timeoutSelector, other); } /** * Returns an Observable that mirrors the source Observable but applies a timeout policy for each emitted * item. If the next item isn't emitted within the specified timeout duration starting from its predecessor, * the resulting Observable terminates and notifies observers of a {@code TimeoutException}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
This version of {@code timeout} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timeout * maximum duration between emitted items before a timeout occurs * @param timeUnit * the unit of time that applies to the {@code timeout} argument. * @return the source Observable modified to notify observers of a {@code TimeoutException} in case of a * timeout * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(long timeout, TimeUnit timeUnit) { return timeout(timeout, timeUnit, null, Schedulers.computation()); } /** * Returns an Observable that mirrors the source Observable but applies a timeout policy for each emitted * item. If the next item isn't emitted within the specified timeout duration starting from its predecessor, * the resulting Observable begins instead to mirror a fallback Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
This version of {@code timeout} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timeout * maximum duration between items before a timeout occurs * @param timeUnit * the unit of time that applies to the {@code timeout} argument * @param other * the fallback Observable to use in case of a timeout * @return the source Observable modified to switch to the fallback Observable in case of a timeout * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(long timeout, TimeUnit timeUnit, Observable other) { return timeout(timeout, timeUnit, other, Schedulers.computation()); } /** * Returns an Observable that mirrors the source Observable but applies a timeout policy for each emitted * item using a specified Scheduler. If the next item isn't emitted within the specified timeout duration * starting from its predecessor, the resulting Observable begins instead to mirror a fallback Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream. The {@code Observable} * sources are expected to honor backpressure as well. * If any of the source {@code Observable}s violate this, it may throw an * {@code IllegalStateException} when the source {@code Observable} completes.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timeout * maximum duration between items before a timeout occurs * @param timeUnit * the unit of time that applies to the {@code timeout} argument * @param other * the Observable to use as the fallback in case of a timeout * @param scheduler * the {@link Scheduler} to run the timeout timers on * @return the source Observable modified so that it will switch to the fallback Observable in case of a * timeout * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(long timeout, TimeUnit timeUnit, Observable other, Scheduler scheduler) { return unsafeCreate(new OnSubscribeTimeoutTimedWithFallback(this, timeout, timeUnit, scheduler, other)); } /** * Returns an Observable that mirrors the source Observable but applies a timeout policy for each emitted * item, where this policy is governed on a specified Scheduler. If the next item isn't emitted within the * specified timeout duration starting from its predecessor, the resulting Observable terminates and * notifies observers of a {@code TimeoutException}. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timeout * maximum duration between items before a timeout occurs * @param timeUnit * the unit of time that applies to the {@code timeout} argument * @param scheduler * the Scheduler to run the timeout timers on * @return the source Observable modified to notify observers of a {@code TimeoutException} in case of a * timeout * @see ReactiveX operators documentation: Timeout */ public final Observable timeout(long timeout, TimeUnit timeUnit, Scheduler scheduler) { return timeout(timeout, timeUnit, null, scheduler); } /** * Returns an Observable that emits each item emitted by the source Observable, wrapped in a * {@link Timestamped} object. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code timestamp} does not operate on any particular scheduler but uses the current time * from the {@code computation} {@link Scheduler}.
*
* * @return an Observable that emits timestamped items from the source Observable * @see ReactiveX operators documentation: Timestamp */ public final Observable> timestamp() { return timestamp(Schedulers.computation()); } /** * Returns an Observable that emits each item emitted by the source Observable, wrapped in a * {@link Timestamped} object whose timestamps are provided by a specified Scheduler. *

* *

*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
The operator does not operate on any particular scheduler but uses the current time * from the specified {@link Scheduler}.
*
* * @param scheduler * the {@link Scheduler} to use as a time source * @return an Observable that emits timestamped items from the source Observable with timestamps provided by * the {@code scheduler} * @see ReactiveX operators documentation: Timestamp */ public final Observable> timestamp(Scheduler scheduler) { return lift(new OperatorTimestamp(scheduler)); } /** * Converts an Observable into a {@link BlockingObservable} (an Observable with blocking operators). *
*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
{@code toBlocking} does not operate by default on a particular {@link Scheduler}.
*
* * @return a {@code BlockingObservable} version of this Observable * @see ReactiveX operators documentation: To */ public final BlockingObservable toBlocking() { return BlockingObservable.from(this); } /** * Returns an Observable that emits a single item, a list composed of all the items emitted by the source * Observable. *

* *

* Normally, an Observable that returns multiple items will do so by invoking its {@link Observer}'s * {@link Observer#onNext onNext} method for each such item. You can change this behavior, instructing the * Observable to compose a list of all of these items and then to invoke the Observer's {@code onNext} * function once, passing it the entire list, by calling the Observable's {@code toList} method prior to * calling its {@link #subscribe} method. *

* Be careful not to use this operator on Observables that emit infinite or very large numbers of items, as * you do not have the option to unsubscribe. *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toList} does not operate by default on a particular {@link Scheduler}.
*
* * @return an Observable that emits a single item: a List containing all of the items emitted by the source * Observable * @see ReactiveX operators documentation: To */ public final Observable> toList() { return lift(OperatorToObservableList.instance()); } /** * Returns an Observable that emits a single HashMap containing all items emitted by the source Observable, * mapped by the keys returned by a specified {@code keySelector} function. *

* *

* If more than one source item maps to the same key, the HashMap will contain the latest of those items. *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param keySelector * the function that extracts the key from a source item to be used in the HashMap * @return an Observable that emits a single item: a HashMap containing the mapped items from the source * Observable * @see ReactiveX operators documentation: To */ public final Observable> toMap(Func1 keySelector) { return unsafeCreate(new OnSubscribeToMap(this, keySelector, UtilityFunctions.identity())); } /** * Returns an Observable that emits a single HashMap containing values corresponding to items emitted by the * source Observable, mapped by the keys returned by a specified {@code keySelector} function. *

* *

* If more than one source item maps to the same key, the HashMap will contain a single entry that * corresponds to the latest of those items. *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param the value type of the Map * @param keySelector * the function that extracts the key from a source item to be used in the HashMap * @param valueSelector * the function that extracts the value from a source item to be used in the HashMap * @return an Observable that emits a single item: a HashMap containing the mapped items from the source * Observable * @see ReactiveX operators documentation: To */ public final Observable> toMap(Func1 keySelector, Func1 valueSelector) { return unsafeCreate(new OnSubscribeToMap(this, keySelector, valueSelector)); } /** * Returns an Observable that emits a single Map, returned by a specified {@code mapFactory} function, that * contains keys and values extracted from the items emitted by the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param the value type of the Map * @param keySelector * the function that extracts the key from a source item to be used in the Map * @param valueSelector * the function that extracts the value from the source items to be used as value in the Map * @param mapFactory * the function that returns a Map instance to be used * @return an Observable that emits a single item: a Map that contains the mapped items emitted by the * source Observable * @see ReactiveX operators documentation: To */ public final Observable> toMap(Func1 keySelector, Func1 valueSelector, Func0> mapFactory) { return unsafeCreate(new OnSubscribeToMap(this, keySelector, valueSelector, mapFactory)); } /** * Returns an Observable that emits a single HashMap that contains an ArrayList of items emitted by the * source Observable keyed by a specified {@code keySelector} function. *

* *

*
Backpressure:
*
This operator does not support backpressure as by intent it is requesting and buffering everything.
*
Scheduler:
*
{@code toMultiMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param keySelector * the function that extracts the key from the source items to be used as key in the HashMap * @return an Observable that emits a single item: a HashMap that contains an ArrayList of items mapped from * the source Observable * @see ReactiveX operators documentation: To */ public final Observable>> toMultimap(Func1 keySelector) { return unsafeCreate(new OnSubscribeToMultimap(this, keySelector, UtilityFunctions.identity())); } /** * Returns an Observable that emits a single HashMap that contains an ArrayList of values extracted by a * specified {@code valueSelector} function from items emitted by the source Observable, keyed by a * specified {@code keySelector} function. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toMultiMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param the value type of the Map * @param keySelector * the function that extracts a key from the source items to be used as key in the HashMap * @param valueSelector * the function that extracts a value from the source items to be used as value in the HashMap * @return an Observable that emits a single item: a HashMap that contains an ArrayList of items mapped from * the source Observable * @see ReactiveX operators documentation: To */ public final Observable>> toMultimap(Func1 keySelector, Func1 valueSelector) { return unsafeCreate(new OnSubscribeToMultimap(this, keySelector, valueSelector)); } /** * Returns an Observable that emits a single Map, returned by a specified {@code mapFactory} function, that * contains an ArrayList of values, extracted by a specified {@code valueSelector} function from items * emitted by the source Observable and keyed by the {@code keySelector} function. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toMultiMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param the value type of the Map * @param keySelector * the function that extracts a key from the source items to be used as the key in the Map * @param valueSelector * the function that extracts a value from the source items to be used as the value in the Map * @param mapFactory * the function that returns a Map instance to be used * @return an Observable that emits a single item: a Map that contains a list items mapped from the source * Observable * @see ReactiveX operators documentation: To */ public final Observable>> toMultimap(Func1 keySelector, Func1 valueSelector, Func0>> mapFactory) { return unsafeCreate(new OnSubscribeToMultimap(this, keySelector, valueSelector, mapFactory)); } /** * Returns an Observable that emits a single Map, returned by a specified {@code mapFactory} function, that * contains a custom collection of values, extracted by a specified {@code valueSelector} function from * items emitted by the source Observable, and keyed by the {@code keySelector} function. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toMultiMap} does not operate by default on a particular {@link Scheduler}.
*
* * @param the key type of the Map * @param the value type of the Map * @param keySelector * the function that extracts a key from the source items to be used as the key in the Map * @param valueSelector * the function that extracts a value from the source items to be used as the value in the Map * @param mapFactory * the function that returns a Map instance to be used * @param collectionFactory * the function that returns a Collection instance for a particular key to be used in the Map * @return an Observable that emits a single item: a Map that contains the collection of mapped items from * the source Observable * @see ReactiveX operators documentation: To */ public final Observable>> toMultimap(Func1 keySelector, Func1 valueSelector, Func0>> mapFactory, Func1> collectionFactory) { return unsafeCreate(new OnSubscribeToMultimap(this, keySelector, valueSelector, mapFactory, collectionFactory)); } /** * Returns an Observable that emits a list that contains the items emitted by the source Observable, in a * sorted order. Each item emitted by the Observable must implement {@link Comparable} with respect to all * other items in the sequence. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toSortedList} does not operate by default on a particular {@link Scheduler}.
*
* * @throws ClassCastException * if any item emitted by the Observable does not implement {@link Comparable} with respect to * all other items emitted by the Observable * @return an Observable that emits a list that contains the items emitted by the source Observable in * sorted order * @see ReactiveX operators documentation: To */ public final Observable> toSortedList() { return lift(new OperatorToObservableSortedList(10)); } /** * Returns an Observable that emits a list that contains the items emitted by the source Observable, in a * sorted order based on a specified comparison function. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toSortedList} does not operate by default on a particular {@link Scheduler}.
*
* * @param sortFunction * a function that compares two items emitted by the source Observable and returns an Integer * that indicates their sort order * @return an Observable that emits a list that contains the items emitted by the source Observable in * sorted order * @see ReactiveX operators documentation: To */ public final Observable> toSortedList(Func2 sortFunction) { return lift(new OperatorToObservableSortedList(sortFunction, 10)); } /** * Returns an Observable that emits a list that contains the items emitted by the source Observable, in a * sorted order. Each item emitted by the Observable must implement {@link Comparable} with respect to all * other items in the sequence. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toSortedList} does not operate by default on a particular {@link Scheduler}.
*
* * @param initialCapacity * the initial capacity of the ArrayList used to accumulate items before sorting * @return an Observable that emits a list that contains the items emitted by the source Observable in * sorted order * @throws ClassCastException * if any item emitted by the Observable does not implement {@link Comparable} with respect to * all other items emitted by the Observable * @see ReactiveX operators documentation: To * @since 1.3 */ public final Observable> toSortedList(int initialCapacity) { return lift(new OperatorToObservableSortedList(initialCapacity)); } /** * Returns an Observable that emits a list that contains the items emitted by the source Observable, in a * sorted order based on a specified comparison function. *

* *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code toSortedList} does not operate by default on a particular {@link Scheduler}.
*
* * @param sortFunction * a function that compares two items emitted by the source Observable and returns an Integer * that indicates their sort order * @param initialCapacity * the initial capacity of the ArrayList used to accumulate items before sorting * @return an Observable that emits a list that contains the items emitted by the source Observable in * sorted order * @see ReactiveX operators documentation: To * @since 1.3 */ public final Observable> toSortedList(Func2 sortFunction, int initialCapacity) { return lift(new OperatorToObservableSortedList(sortFunction, initialCapacity)); } /** * Returns an Observable that emits the events emitted by source Observable, in a * sorted order. Each item emitted by the Observable must implement {@link Comparable} with respect to all * other items in the sequence. * *

Note that calling {@code sorted} with long, non-terminating or infinite sources * might cause {@link OutOfMemoryError} * *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code sorted} does not operate by default on a particular {@link Scheduler}.
*
* * @throws ClassCastException * if any item emitted by the Observable does not implement {@link Comparable} with respect to * all other items emitted by the Observable * @return an Observable that emits the items emitted by the source Observable in sorted order * @since 1.3 */ public final Observable sorted() { return toSortedList().flatMapIterable(UtilityFunctions.>identity()); } /** * Returns an Observable that emits the events emitted by source Observable, in a * sorted order based on a specified comparison function. * *

Note that calling {@code sorted} with long, non-terminating or infinite sources * might cause {@link OutOfMemoryError} * *

*
Backpressure:
*
The operator honors backpressure from downstream and consumes the source {@code Observable} in an * unbounded manner (i.e., without applying backpressure to it).
*
Scheduler:
*
{@code sorted} does not operate by default on a particular {@link Scheduler}.
*
* * @param sortFunction * a function that compares two items emitted by the source Observable and returns an Integer * that indicates their sort order * @return an Observable that emits the items emitted by the source Observable in sorted order * @since 1.3 */ public final Observable sorted(Func2 sortFunction) { return toSortedList(sortFunction).flatMapIterable(UtilityFunctions.>identity()); } /** * Modifies the source Observable so that subscribers will unsubscribe from it on a specified * {@link Scheduler}. *
*
Backpressure:
*
The operator doesn't interfere with backpressure which is determined by the source {@code Observable}'s backpressure * behavior.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param scheduler * the {@link Scheduler} to perform unsubscription actions on * @return the source Observable modified so that its unsubscriptions happen on the specified * {@link Scheduler} * @see ReactiveX operators documentation: SubscribeOn */ public final Observable unsubscribeOn(Scheduler scheduler) { return lift(new OperatorUnsubscribeOn(scheduler)); } /** * Merges the specified Observable into this Observable sequence by using the {@code resultSelector} * function only when the source Observable (this instance) emits an item. *

* * *

*
Backpressure:
*
The operator is a pass-through for backpressure: the backpressure support * depends on the upstream and downstream's backpressure behavior. The other Observable * is consumed in an unbounded fashion.
*
Scheduler:
*
This operator, by default, doesn't run any particular {@link Scheduler}.
*
* * @param the element type of the other Observable * @param the result type of the combination * @param other * the other Observable * @param resultSelector * the function to call when this Observable emits an item and the other Observable has already * emitted an item, to generate the item to be emitted by the resulting Observable * @return an Observable that merges the specified Observable into this Observable by using the * {@code resultSelector} function only when the source Observable sequence (this instance) emits an * item * @since 1.3 * @see ReactiveX operators documentation: CombineLatest */ public final Observable withLatestFrom(Observable other, Func2 resultSelector) { return lift(new OperatorWithLatestFrom(other, resultSelector)); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom(Observable o1, Observable o2, Func3 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the third other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param o3 the third other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom( Observable o1, Observable o2, Observable o3, Func4 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2, o3 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the third other source's value type * @param the fourth other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param o3 the third other Observable * @param o4 the fourth other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom( Observable o1, Observable o2, Observable o3, Observable o4, Func5 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2, o3, o4 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the third other source's value type * @param the fourth other source's value type * @param the fifth other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param o3 the third other Observable * @param o4 the fourth other Observable * @param o5 the fifth other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Func6 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2, o3, o4, o5 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the third other source's value type * @param the fourth other source's value type * @param the fifth other source's value type * @param the sixth other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param o3 the third other Observable * @param o4 the fourth other Observable * @param o5 the fifth other Observable * @param o6 the sixth other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Func7 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2, o3, o4, o5, o6 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the third other source's value type * @param the fourth other source's value type * @param the fifth other source's value type * @param the sixth other source's value type * @param the seventh other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param o3 the third other Observable * @param o4 the fourth other Observable * @param o5 the fifth other Observable * @param o6 the sixth other Observable * @param o7 the seventh other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Func8 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2, o3, o4, o5, o6, o7 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the first other source's value type * @param the second other source's value type * @param the third other source's value type * @param the fourth other source's value type * @param the fifth other source's value type * @param the sixth other source's value type * @param the seventh other source's value type * @param the eighth other source's value type * @param the result value type * @param o1 the first other Observable * @param o2 the second other Observable * @param o3 the third other Observable * @param o4 the fourth other Observable * @param o5 the fifth other Observable * @param o6 the sixth other Observable * @param o7 the seventh other Observable * @param o8 the eighth other Observable * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom( Observable o1, Observable o2, Observable o3, Observable o4, Observable o5, Observable o6, Observable o7, Observable o8, Func9 combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, new Observable[] { o1, o2, o3, o4, o5, o6, o7, o8 }, null, Functions.fromFunc(combiner))); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the result value type * @param others the array of other sources * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom(Observable[] others, FuncN combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, others, null, combiner)); } /** * Combines the value emission from this Observable with the latest emissions from the * other Observables via a function to produce the output item. * *

Note that this operator doesn't emit anything until all other sources have produced at * least one value. The resulting emission only happens when this Observable emits (and * not when any of the other sources emit, unlike combineLatest). * If a source doesn't produce any value and just completes, the sequence is completed immediately. * *

*
Backpressure:
*
This operator is a pass-through for backpressure behavior between the source {@code Observable} * and the downstream Subscriber. The other {@code Observable}s are consumed in an unbounded manner.
*
Scheduler:
*
This operator does not operate by default on a particular {@link Scheduler}.
*
* * @param the result value type * @param others the iterable of other sources * @param combiner the function called with an array of values from each participating observable * @return the new Observable instance * @since 1.3 */ public final Observable withLatestFrom(Iterable> others, FuncN combiner) { return unsafeCreate(new OperatorWithLatestFromMany(this, null, others, combiner)); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping windows. It emits the current window and opens a new one * whenever the Observable produced by the specified {@code closingSelector} emits an item. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * the {@code closingSelector} to control the creation of windows. The returned inner {@code Observable}s honor * backpressure but have an unbounded inner buffer that may lead to {@code OutOfMemoryError} * if left unconsumed.
*
Scheduler:
*
This version of {@code window} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the boundary Observable * @param closingSelector * a {@link Func0} that returns an {@code Observable} that governs the boundary between windows. * When the source {@code Observable} emits an item, {@code window} emits the current window and begins * a new one. * @return an Observable that emits connected, non-overlapping windows of items from the source Observable * whenever {@code closingSelector} emits an item * @see ReactiveX operators documentation: Window */ public final Observable> window(Func0> closingSelector) { return lift(new OperatorWindowWithObservableFactory(closingSelector)); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping windows, each containing {@code count} items. When the source * Observable completes or encounters an error, the resulting Observable emits the current window and * propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure of its inner and outer subscribers, however, the inner Observable uses an * unbounded buffer that may hold at most {@code count} elements.
*
Scheduler:
*
This version of {@code window} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum size of each window before it should be emitted * @return an Observable that emits connected, non-overlapping windows, each containing at most * {@code count} items from the source Observable * @throws IllegalArgumentException if either count is non-positive * @see ReactiveX operators documentation: Window */ public final Observable> window(int count) { return window(count, count); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits windows every {@code skip} items, each containing no more than {@code count} items. When * the source Observable completes or encounters an error, the resulting Observable emits the current window * and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator honors backpressure of its inner and outer subscribers, however, the inner Observable uses an * unbounded buffer that may hold at most {@code count} elements.
*
Scheduler:
*
This version of {@code window} does not operate by default on a particular {@link Scheduler}.
*
* * @param count * the maximum size of each window before it should be emitted * @param skip * how many items need to be skipped before starting a new window. Note that if {@code skip} and * {@code count} are equal this is the same operation as {@link #window(int)}. * @return an Observable that emits windows every {@code skip} items containing at most {@code count} items * from the source Observable * @throws IllegalArgumentException if either count or skip is non-positive * @see ReactiveX operators documentation: Window */ public final Observable> window(int count, int skip) { if (count <= 0) { throw new IllegalArgumentException("count > 0 required but it was " + count); } if (skip <= 0) { throw new IllegalArgumentException("skip > 0 required but it was " + skip); } return lift(new OperatorWindowWithSize(count, skip)); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable starts a new window periodically, as determined by the {@code timeshift} argument. It emits * each window after a fixed timespan, specified by the {@code timespan} argument. When the source * Observable completes or Observable completes or encounters an error, the resulting Observable emits the * current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure but have an unbounded inner buffer that may lead to {@code OutOfMemoryError} * if left unconsumed.
*
Scheduler:
*
This version of {@code window} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timespan * the period of time each window collects items before it should be emitted * @param timeshift * the period of time after which a new window will be created * @param unit * the unit of time that applies to the {@code timespan} and {@code timeshift} arguments * @return an Observable that emits new windows periodically as a fixed timespan elapses * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, long timeshift, TimeUnit unit) { return window(timespan, timeshift, unit, Integer.MAX_VALUE, Schedulers.computation()); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable starts a new window periodically, as determined by the {@code timeshift} argument. It emits * each window after a fixed timespan, specified by the {@code timespan} argument. When the source * Observable completes or Observable completes or encounters an error, the resulting Observable emits the * current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure but have an unbounded inner buffer that may lead to {@code OutOfMemoryError} * if left unconsumed.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each window collects items before it should be emitted * @param timeshift * the period of time after which a new window will be created * @param unit * the unit of time that applies to the {@code timespan} and {@code timeshift} arguments * @param scheduler * the {@link Scheduler} to use when determining the end and start of a window * @return an Observable that emits new windows periodically as a fixed timespan elapses * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, long timeshift, TimeUnit unit, Scheduler scheduler) { return window(timespan, timeshift, unit, Integer.MAX_VALUE, scheduler); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable starts a new window periodically, as determined by the {@code timeshift} argument or a maximum * size as specified by the {@code count} argument (whichever is reached first). It emits * each window after a fixed timespan, specified by the {@code timespan} argument. When the source * Observable completes or Observable completes or encounters an error, the resulting Observable emits the * current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure and may hold up to {@code count} elements at most.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each window collects items before it should be emitted * @param timeshift * the period of time after which a new window will be created * @param unit * the unit of time that applies to the {@code timespan} and {@code timeshift} arguments * @param count * the maximum size of each window before it should be emitted * @param scheduler * the {@link Scheduler} to use when determining the end and start of a window * @return an Observable that emits new windows periodically as a fixed timespan elapses * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, long timeshift, TimeUnit unit, int count, Scheduler scheduler) { return lift(new OperatorWindowWithTime(timespan, timeshift, unit, count, scheduler)); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping windows, each of a fixed duration specified by the * {@code timespan} argument. When the source Observable completes or encounters an error, the resulting * Observable emits the current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure and may hold up to {@code count} elements at most.
*
Scheduler:
*
This version of {@code window} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timespan * the period of time each window collects items before it should be emitted and replaced with a * new window * @param unit * the unit of time that applies to the {@code timespan} argument * @return an Observable that emits connected, non-overlapping windows representing items emitted by the * source Observable during fixed, consecutive durations * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, TimeUnit unit) { return window(timespan, timespan, unit, Schedulers.computation()); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping windows, each of a fixed duration as specified by the * {@code timespan} argument or a maximum size as specified by the {@code count} argument (whichever is * reached first). When the source Observable completes or encounters an error, the resulting Observable * emits the current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure and may hold up to {@code count} elements at most.
*
Scheduler:
*
This version of {@code window} operates by default on the {@code computation} {@link Scheduler}.
*
* * @param timespan * the period of time each window collects items before it should be emitted and replaced with a * new window * @param unit * the unit of time that applies to the {@code timespan} argument * @param count * the maximum size of each window before it should be emitted * @return an Observable that emits connected, non-overlapping windows of items from the source Observable * that were emitted during a fixed duration of time or when the window has reached maximum capacity * (whichever occurs first) * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, TimeUnit unit, int count) { return window(timespan, unit, count, Schedulers.computation()); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping windows, each of a fixed duration specified by the * {@code timespan} argument or a maximum size specified by the {@code count} argument (whichever is reached * first). When the source Observable completes or encounters an error, the resulting Observable emits the * current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure and may hold up to {@code count} elements at most.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each window collects items before it should be emitted and replaced with a * new window * @param unit * the unit of time which applies to the {@code timespan} argument * @param count * the maximum size of each window before it should be emitted * @param scheduler * the {@link Scheduler} to use when determining the end and start of a window * @return an Observable that emits connected, non-overlapping windows of items from the source Observable * that were emitted during a fixed duration of time or when the window has reached maximum capacity * (whichever occurs first) * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, TimeUnit unit, int count, Scheduler scheduler) { return window(timespan, timespan, unit, count, scheduler); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits connected, non-overlapping windows, each of a fixed duration as specified by the * {@code timespan} argument. When the source Observable completes or encounters an error, the resulting * Observable emits the current window and propagates the notification from the source Observable. *

* *

*
Backpressure:
*
The operator consumes the source {@code Observable} in an unbounded manner. * The returned {@code Observable} doesn't support backpressure as it uses * time to control the creation of windows. The returned inner {@code Observable}s honor * backpressure but have an unbounded inner buffer that may lead to {@code OutOfMemoryError} * if left unconsumed.
*
Scheduler:
*
you specify which {@link Scheduler} this operator will use
*
* * @param timespan * the period of time each window collects items before it should be emitted and replaced with a * new window * @param unit * the unit of time which applies to the {@code timespan} argument * @param scheduler * the {@link Scheduler} to use when determining the end and start of a window * @return an Observable that emits connected, non-overlapping windows containing items emitted by the * source Observable within a fixed duration * @see ReactiveX operators documentation: Window */ public final Observable> window(long timespan, TimeUnit unit, Scheduler scheduler) { return window(timespan, unit, Integer.MAX_VALUE, scheduler); } /** * Returns an Observable that emits windows of items it collects from the source Observable. The resulting * Observable emits windows that contain those items emitted by the source Observable between the time when * the {@code windowOpenings} Observable emits an item and when the Observable returned by * {@code closingSelector} emits an item. *

* *

*
Backpressure:
*
The outer Observable of this operator doesn't support backpressure because the emission of new * inner Observables are controlled by the {@code windowOpenings} Observable. * The inner Observables honor backpressure and buffer everything until the associated closing * Observable signals or completes.
*
Scheduler:
*
This version of {@code window} does not operate by default on a particular {@link Scheduler}.
*
* * @param the element type of the window-opening Observable * @param the element type of the window-closing Observables * @param windowOpenings * an Observable that, when it emits an item, causes another window to be created * @param closingSelector * a {@link Func1} that produces an Observable for every window created. When this Observable * emits an item, the associated window is closed and emitted * @return an Observable that emits windows of items emitted by the source Observable that are governed by * the specified window-governing Observables * @see ReactiveX operators documentation: Window */ public final Observable> window(Observable windowOpenings, Func1> closingSelector) { return lift(new OperatorWindowWithStartEndObservable(windowOpenings, closingSelector)); } /** * Returns an Observable that emits non-overlapping windows of items it collects from the source Observable * where the boundary of each window is determined by the items emitted from a specified boundary-governing * Observable. *

* *

*
Backpressure:
*
The outer Observable of this operator does not support backpressure as it uses a {@code boundary} Observable to control data * flow. The inner Observables honor backpressure and buffer everything until the boundary signals the next element.
*
Scheduler:
*
This version of {@code window} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the window element type (ignored) * @param boundary * an Observable whose emitted items close and open windows * @return an Observable that emits non-overlapping windows of items it collects from the source Observable * where the boundary of each window is determined by the items emitted from the {@code boundary} * Observable * @see ReactiveX operators documentation: Window */ public final Observable> window(Observable boundary) { return lift(new OperatorWindowWithObservable(boundary)); } /** * Returns an Observable that emits items that are the result of applying a specified function to pairs of * values, one each from the source Observable and a specified Iterable sequence. *

* *

* Note that the {@code other} Iterable is evaluated as items are observed from the source Observable; it is * not pre-consumed. This allows you to zip infinite streams on either side. *

*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zipWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items in the {@code other} Iterable * @param * the type of items emitted by the resulting Observable * @param other * the Iterable sequence * @param zipFunction * a function that combines the pairs of items from the Observable and the Iterable to generate * the items to be emitted by the resulting Observable * @return an Observable that pairs up values from the source Observable and the {@code other} Iterable * sequence and emits the results of {@code zipFunction} applied to these pairs * @see ReactiveX operators documentation: Zip */ public final Observable zipWith(Iterable other, Func2 zipFunction) { return lift(new OperatorZipIterable(other, zipFunction)); } /** * Returns an Observable that emits items that are the result of applying a specified function to pairs of * values, one each from the source Observable and another specified Observable. *

*

* The operator subscribes to its sources in order they are specified and completes eagerly if * one of the sources is shorter than the rest while unsubscribing the other sources. Therefore, it * is possible those other sources will never be able to run to completion (and thus not calling * {@code doOnCompleted()}). This can also happen if the sources are exactly the same length; if * source A completes and B has been consumed and is about to complete, the operator detects A won't * be sending further values and it will unsubscribe B immediately. For example: *

range(1, 5).doOnCompleted(action1).zipWith(range(6, 5).doOnCompleted(action2), (a, b) -> a + b)
* {@code action1} will be called but {@code action2} won't. *
To work around this termination property, * use {@code doOnUnsubscribed()} as well or use {@code using()} to do cleanup in case of completion * or unsubscription. * * *
*
Backpressure:
*
The operator expects backpressure from the sources and honors backpressure from the downstream. * (I.e., zipping with {@link #interval(long, TimeUnit)} may result in MissingBackpressureException, use * one of the {@code onBackpressureX} to handle similar, backpressure-ignoring sources.
*
Scheduler:
*
{@code zipWith} does not operate by default on a particular {@link Scheduler}.
*
* * @param * the type of items emitted by the {@code other} Observable * @param * the type of items emitted by the resulting Observable * @param other * the other Observable * @param zipFunction * a function that combines the pairs of items from the two Observables to generate the items to * be emitted by the resulting Observable * @return an Observable that pairs up values from the source Observable and the {@code other} Observable * and emits the results of {@code zipFunction} applied to these pairs * @see ReactiveX operators documentation: Zip */ @SuppressWarnings("cast") public final Observable zipWith(Observable other, Func2 zipFunction) { return (Observable)zip(this, other, zipFunction); } // ------------------------------------------------------------------------- // Fluent test support, super handy and reduces test preparation boilerplate // ------------------------------------------------------------------------- /** * Creates a AssertableSubscriber that requests {@code Long.MAX_VALUE} and subscribes * it to this Observable. *
*
Backpressure:
*
The returned AssertableSubscriber consumes this Observable in an unbounded fashion.
*
Scheduler:
*
{@code test} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.3 - experimental * @return the new AssertableSubscriber instance * @since 1.3 */ public final AssertableSubscriber test() { AssertableSubscriber ts = AssertableSubscriberObservable.create(Long.MAX_VALUE); subscribe(ts); return ts; } /** * Creates an AssertableSubscriber with the initial request amount and subscribes * it to this Observable. *

*
Backpressure:
*
The returned AssertableSubscriber requests the given {@code initialRequest} amount upfront.
*
Scheduler:
*
{@code test} does not operate by default on a particular {@link Scheduler}.
*
*

History: 1.2.3 - experimental * @return the new AssertableSubscriber instance * @param initialRequestAmount the amount to request from upstream upfront, non-negative (not verified) * @since 1.3 */ public final AssertableSubscriber test(long initialRequestAmount) { AssertableSubscriber ts = AssertableSubscriberObservable.create(initialRequestAmount); subscribe(ts); return ts; } }





© 2015 - 2024 Weber Informatics LLC | Privacy Policy