我有一个自定义对象列表(List<Item> itemsList)。这是我的定制课程:

public class Item {
    private String itemId;
    private String itemName;
}

初始列表只有itemname;itemid将为空。我想遍历列表并为每个项添加一个itemid,然后使用新列表,我需要对列表中的每个项执行某种长操作。
for(Item item : itemsList){
item.setitemId = getUniqueId(); //getUniqueId() returns an unique id
doSomeLongOperation(item);
}

我是RXJava操作员的新手。请帮助我如何使用rxjava2实现相同的功能。
谢谢!

最佳答案

使用Observable.fromIterable迭代列表中的所有项,并在后台线程上使用Subscribe执行后台工作,然后使用Map运算符更新您的Item并执行长时间运行的工作。完成后归还你需要的东西。
样例代码:

        Observable.fromIterable(itemList)
            .subscribeOn(Schedulers.io())
            .map(new Function<Item, Item>() {
                @Override
                public Item apply(Item item) throws Exception {
                     item.setItemId("Id: " +  System.currentTimeMillis());
                      Log.i(TAG, "In Map Item: " + item.toString());
                      // do some long operation and return

                     return item;
                }
            })
            .observeOn(AndroidSchedulers.mainThread())
            .subscribe(new Consumer<Item>() {
                @Override
                public void accept(Item item) throws Exception {
                    Log.i(TAG, "Item: " + item.toString());
                }
            });

10-05 21:12
查看更多