我正在研究一个android项目,并尝试使用Parcelable,以便可以将捆绑包中的类对象解析为另一个活动。

下面是我的课

public class GroupAndItems implements Parcelable
{


    public String group;
    public List<String> items;

    public GroupAndItems(String group, List<String> items)
    {
        this.group = group;
        this.items = items;
    }

    public GroupAndItems(Parcel in)
    {
        this.group = in.readString();
        this.items = new ArrayList<>();
        in.readList(this.items, null);
    }

    @Override
    public int describeContents() {
        return 0;
    }

    @Override
    public void writeToParcel(Parcel parcel, int i) {
        parcel.writeList(items);
        parcel.writeString(group);
    }

    public static final Parcelable.Creator CREATOR = new Parcelable.Creator<GroupAndItems>() {

        @Override
        public GroupAndItems createFromParcel(Parcel parcel) {
            return new GroupAndItems(parcel);
        }

        @Override
        public GroupAndItems[] newArray(int i) {
            return new GroupAndItems[i];
        }
    };
}


我有ArrayList<GroupAndItems> groupAndItemsList放入捆绑包中,其意图如下

bundle = new Bundle();
bundle.putParcelableArrayList("groupsAndItems", groupAndItemsList);

Intent intent = new Intent(getContext(), GroupedSpinnerItems.class);
intent.putExtras(bundle);
getContext().startActivity(intent);


在传递可拆分类的活动中,我使用以下方法检索它:

bundle = getIntent().getExtras();
        if (bundle != null)
        {
ArrayList<GroupAndItems> groupAndItems = bundle.getParcelableArrayList("groupsAndItems");
        }


然后我得到以下异常

java.lang.RuntimeException: Parcel android.os.Parcel@5620ba2: Unmarshalling unknown type code 7143525 at offset 176


在网上

我的可拆分类的构造函数中的in.readList(this.items, null);Parcel in作为参数。

最佳答案

public GroupAndItems(Parcel in)
    {

        this.items = new ArrayList<>();
        in.readList(this.items, null);
        this.group = in.readString();
    }

@Override
    public void writeToParcel(Parcel parcel, int i) {
        parcel.writeList(items);
        parcel.writeString(group);
    }


您首先在GroupAndItems(Parcel in)中读取String,但是首先在writeToParcel(Parcel parcel, int i)中写入List,您必须始终以相同的顺序执行该操作,例如,如果您先编写String然后List,则应该先阅读String然后List

10-08 18:50