Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Iterate list with RxJava/RxAndroid

I'm new to RxJava/RxAndroid but I'm stuck with my use case.

I try to iterate a List<A> to convert each A into an B asynchronously (because it needs call to database) and my Observer should be notified on every successful conversion (in onNext()) to do some jobs on the main thread.

I successfully managed to convert the entire list and then received my List<B> in onNext()but I need to be notified at each item, not once all items are done.

I tried something with the operator from but if I use from(List<A>) my Observer must receivied objects from the same type (A and not B).

Here is how my code to convert entire List<A> to list<B> What should I change here?

private List<A> listOfA;

private startConversion() {
    Observer observer = new Observer<List<B>>() {
        @Override
        public void onCompleted() {

        }

        @Override
        public void onError(Throwable e) {
            e.printStackTrace();
        }

        @Override
        public void onNext(List<B> convertedItems) {
            onConversionCompleted(convertedItems);
        }
    };

    Observable<B> observervable = Observable.fromCallable(new Callable<List<B>>() {
        @Override
        public List<B> call() throws Exception {
            return convertListOfAToListOfB(listOfA);
        }
    });

    subscription = observable
                .subscribeOn(Schedulers.newThread())
                .observeOn(AndroidSchedulers.mainThread())
                .subscribe(observer);
}

PS: this is pseudo code.

Thank's for help !

like image 830
MHogge Avatar asked Jan 19 '17 15:01

MHogge


1 Answers

If you want transform each item one by one in separate thread you can do it in this way.

    Observable.from(list)    
            .map(input -> {
                // transform each A -> B
            })
            .subscribeOn(Schedulers.io())
            .observeOn(AndroidSchedulers.mainThread())
            .subscribe(item -> {

            });

If you already have observable which emit list and want to transform it to sequence use this:

        listObservable
            .flatMap(Observable::from)
            .subscribe(item -> {

            });

If you want to combine this two ways and transform all values in one place but emit them one by one you can do something like this:

    Observable.create(subscriber -> {
        for (Item item : items) {
            subscriber.onNext(transformA2B(item));
        }

        subscriber.onCompleted();
    });
like image 94
Anton Pogonets Avatar answered Oct 20 '22 08:10

Anton Pogonets