0

我基于片段创建了自己的 Parcelable 类,以通过 Intent 发送自定义数据。使用它,Android(最低 API 10)给了我一个例外,下面的那段代码有什么问题?我把它分解到最低限度。这里是:

public class MyParcelable implements Parcelable {
private float[] data = null;

public MyParcelable(float[] data) {
    this.data = data;
}

public MyParcelable(Parcel in) {
    /* After this line the exception is thrown */
    in.readFloatArray(data);
}

public static final Creator<MyParcelable> CREATOR = new Creator<MyParcelable>() {
    public MyParcelable createFromParcel(Parcel in) {
        return new MyParcelable(in);
    }

    public MyParcelable[] newArray(int size) {
        return new MyParcelable[size];
    }
};

public int describeContents() {
    return this.hashCode();
}

public void writeToParcel(Parcel out, int flags) {
    out.writeFloatArray(data);
}

public float[] getData() {
    return data;
}
}
4

1 回答 1

0

在寻找解决方案很长一段时间后,我偶然发现了LionKing 给出了工作提示的这篇文章。

Parcelable 类现在看起来像这样:

public class MyParcelable implements Parcelable {
private float[] data = null;

public MyParcelable(float[] data) {
    this.data = data;
}

public MyParcelable(Parcel in) {
    /* The exception is gone */
    data = in.createFloatArray();
}

public static final Creator<MyParcelable> CREATOR = new Creator<MyParcelable>() {
    public MyParcelable createFromParcel(Parcel in) {
        return new MyParcelable(in);
    }

    public MyParcelable[] newArray(int size) {
        return new MyParcelable[size];
    }
};

public int describeContents() {
    return this.hashCode();
}

public void writeToParcel(Parcel out, int flags) {
    out.writeFloatArray(data);
}

public float[] getData() {
    return data;
}
}

此解决方案也适用于其他基本类型数组。

于 2013-02-13T22:01:06.513 回答