ベストアンサー1
単に物を渡すだけなら区画可能は、このために設計されました。Java のネイティブ シリアル化を使用するよりも少し手間がかかりますが、はるかに高速です (本当に、はるかに高速です)。
ドキュメントによると、実装方法の簡単な例は次のとおりです。
// simple class that just has one member property as an example
public class MyParcelable implements Parcelable {
private int mData;
/* everything below here is for implementing Parcelable */
// 99.9% of the time you can just ignore this
@Override
public int describeContents() {
return 0;
}
// write your object's data to the passed-in Parcel
@Override
public void writeToParcel(Parcel out, int flags) {
out.writeInt(mData);
}
// this is used to regenerate your object. All Parcelables must have a CREATOR that implements these two methods
public static final Parcelable.Creator<MyParcelable> CREATOR = new Parcelable.Creator<MyParcelable>() {
public MyParcelable createFromParcel(Parcel in) {
return new MyParcelable(in);
}
public MyParcelable[] newArray(int size) {
return new MyParcelable[size];
}
};
// example constructor that takes a Parcel and gives you an object populated with it's values
private MyParcelable(Parcel in) {
mData = in.readInt();
}
}
特定の Parcel から取得するフィールドが複数ある場合は、フィールドを配置したのと同じ順序 (つまり、FIFO アプローチ) で実行する必要があることに注意してください。
オブジェクトを実装したら、Parcelable
それを意図と追加():
Intent i = new Intent();
i.putExtra("name_of_extra", myParcelableObject);
その後、getParcelableExtra():
Intent i = getIntent();
MyParcelable myParcelableObject = (MyParcelable) i.getParcelableExtra("name_of_extra");
オブジェクト クラスが Parcelable と Serializable を実装している場合は、必ず次のいずれかにキャストしてください。
i.putExtra("parcelable_extra", (Parcelable) myParcelableObject);
i.putExtra("serializable_extra", (Serializable) myParcelableObject);