Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to parcel List<Int> with kotlin

I want to pass a data class (that contains list of int as a property) to other activity through Bundle and therefore i need to add Parcelable implementation to my data class. any idea about how to parcel this property?

data class Test(val id: Long, val files: List<Int>?) : Parcelable {

constructor(parcel: Parcel) : this(
        parcel.readLong(),
        TODO("files"))

override fun writeToParcel(parcel: Parcel, flags: Int) {
    parcel.writeLong(id)
}

override fun describeContents(): Int {
    return 0
}

companion object CREATOR : Parcelable.Creator<Test> {
    override fun createFromParcel(parcel: Parcel): Test {
        return Test(parcel)
    }

    override fun newArray(size: Int): Array<Test?> {
        return arrayOfNulls(size)
    }
}
like image 336
Mohammad Zare Avatar asked Jan 21 '18 19:01

Mohammad Zare


People also ask

Why use Parcelize in kotlin?

The kotlin-parcelize plugin provides a Parcelable implementation generator. @Parcelize requires all serialized properties to be declared in the primary constructor. The plugin issues a warning on each property with a backing field declared in the class body.

What is Parcelize in kotlin?

Save. In Android, to pass the data from one activity to another activity, we use the Parcelable. The kotlin-parcelize plugin provides a Parcelable implementation generator. The Android's Parcelable is an interface on which, the values can be written and read from a Parcel.

What is Parcelable?

A Parcelable is the Android implementation of the Java Serializable. It assumes a certain structure and way of processing it. This way a Parcelable can be processed relatively fast, compared to the standard Java serialization.


2 Answers

Kotlin's @Parcelize annotation handles lists; you just need to make sure the list items implement the Parcelable interface as well:

@Parcelize
data class MyDataClass(
    val items: List<MyListItem>?
) : Parcelable

@Parcelize
data class MyListItem(
    var type: String?,
    var itemId: Long = 0
) : Parcelable
like image 180
Tom Howard Avatar answered Oct 18 '22 11:10

Tom Howard


You can write a list of integers as int[]:

parcel.writeIntArray(files.toIntArray())

Make sure you use the same data structure when reading back:

files = parcel.createIntArray().toList()

You could make it more efficient using extension functions by skipping the array representation:

parcel.writeIntList(files)
files = parcel.createIntList()

fun Parcel.writeIntList(input:List<Int>) {
    writeInt(input.size) // Save number of elements.
    input.forEach(this::writeInt) // Save each element.
}

fun Parcel.createIntList() : List<Int> {
    val size = readInt()
    val output = ArrayList<Int>(size)
    for (i in 0 until size) {
        output.add(readInt())
    }
    return output
}
like image 36
Eugen Pechanec Avatar answered Oct 18 '22 12:10

Eugen Pechanec