web-dev-qa-db-ja.com

ParcelableオブジェクトのArraylist

これまでに多くのパーセル化可能な例を見てきましたが、何らかの理由で、少し複雑になると機能しなくなります。 Parcelableを実装するMovieオブジェクトがあります。このブックオブジェクトには、ArrayListsなどのいくつかのプロパティが含まれています。アプリを実行すると、ReadTypedListを実行するとNullPointerExceptionが発生します。私は本当にここではアイデアがありません

public class Movie implements Parcelable{
   private int id;
   private List<Review> reviews
   private List<String> authors;

   public Movie () {
      reviews = new ArrayList<Review>();
      authors = new ArrayList<String>();
   }

   public Movie (Parcel in) {
      readFromParcel(in);
   }

   /* getters and setters excluded from code here */

   public void writeToParcel(Parcel dest, int flags) {

      dest.writeInt(id);
      dest.writeList(reviews);
      dest.writeStringList(authors);
   }

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

      public MoviecreateFromParcel(Parcel source) {
         return new Movie(source);
      }

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

   };

   /*
    * Constructor calls read to create object
    */
   private void readFromParcel(Parcel in) {
      this.id = in.readInt();
      in.readTypedList(reviews, Review.CREATOR); /* NULLPOINTER HERE */
      in.readStringList(authors);
   }
}

レビュークラス:

    public class Review implements Parcelable {
   private int id;
   private String content;

   public Review() {

   }

   public Review(Parcel in) {
      readFromParcel(in);
   }

   public void writeToParcel(Parcel dest, int flags) {
      dest.writeInt(id);
      dest.writeString(content);
   }

   public static final Creator<Review> CREATOR = new Creator<Review>() {

      public Review createFromParcel(Parcel source) {
         return new Review(source);
      }

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

   private void readFromParcel(Parcel in) {
      this.id = in.readInt();
      this.content = in.readString();
   }

}

誰かが私を正しい軌道に乗せることができれば私は非常に感謝します、私はこれを探すのにかなりの時間を費やしました!

アドバンスウェスリーに感謝

34
Wesley

reviewsauthorsはどちらもnullです。最初にArrayListを初期化する必要があります。これを行う1つの方法は、コンストラクターをチェーンすることです。

public Movie (Parcel in) {
   this();
   readFromParcel(in); 
}
38

readTypedListのjavadocsから:

writeTypedList(List)で記述された特定のオブジェクトタイプを含む指定されたリスト項目を読み取ります

現在のdataPosition()で。リストは、以前に同じオブジェクトタイプでwriteTypedList(List)を介して記述されている必要があります。

あなたはそれらをプレーンで書いた

dest.writeList(reviews);
15
NickT