Linh
Linh

Reputation: 61029

How to convert RealmResults<Object> to List<Object>

I have RealmResults that I receive from Realm like

RealmResults<StepEntry> stepEntryResults = realm.where(StepEntry.class).findAll();

Now I want convert RealmResults<StepEntry> to ArrayList<StepEntry>

I have try

 ArrayList<StepEntry> stepEntryArray = new ArrayList<StepEntry>(stepEntryResults));

but the item in my ArrayList is not my StepEntry object, it is StepEntryRealmProxy enter image description here

How can I convert it? Any help or suggestion would be great appreciated.

Upvotes: 17

Views: 20649

Answers (3)

EpicPandaForce
EpicPandaForce

Reputation: 81588

To eagerly read every element from the Realm (and therefore make all elements in the list become unmanaged, you can do):

 List<StepEntry> arrayListOfUnmanagedObjects = realm.copyFromRealm(realmResults);

But you generally have absolutely no reason to do that unless you want to serialize the objects with GSON (specifically, because it reads field data with reflection rather than with getters), because Realm was designed in such a way that the list exposes a change listener, allowing you to keep your UI up to date just by observing changes made to the database.

Upvotes: 42

Gama_aide
Gama_aide

Reputation: 61

In Kotlin:

var list : List<Student>: listof()
val rl = realm.where(Student::class.java).findAll()

// subList return all data contain on RealmResults
list = rl.subList(0,rl.size)

Upvotes: 0

Nicholas Ng
Nicholas Ng

Reputation: 1468

The answer by @EpicPandaForce works well. I tried this way to optimize my app performance and I find the following is a bit faster. Another option for people who prefer speed:

RealmResults<Tag> childList = realm.where(Tag.class).equalTo("parentID", id).findAll();
Tag[] childs = new Tag[childList.size()];
childList.toArray(childs);
return Arrays.asList(childs);

Upvotes: 0

Related Questions