2

実装するカスタム クラスがParcelableあり、それをカスタム arraylist として使用します。

400 行を使用するputParcelableArrayListExtraと正常に動作しますが、1000 行では動作しません。黒い画面が表示され、アプリがロックされます。なにが問題ですか?

編集:ここに送信しましたが、別のアクティビティでは使用しません。

Intent intent = new Intent().setClass(getApplicationContext(), ArtActivity.class);
intent.putParcelableArrayListExtra ("mylist", list);
startActivityForResult(intent, SECONDARY_ACTIVITY_REQUEST_CODE);  

私の配列:

ArrayList<Piece> list = new ArrayList<Piece>();

それは私のクラスです:

public class Piece implements Parcelable { 
    private String id;
    private String name;
    private int type;
    private String text;
    private String mp3;

   public Piece (String id,String name,int type)
   {
     this.id=id;
     this.name=name;
     this.type=type;
   }

   public Piece(Piece ele)
   {
      this.id=ele.id;
      this.name=ele.name;
      this.type=ele.type;
      this.text=ele.text;
   }

   public Piece (Parcel in) 
   { 
        id = in.readString (); 
        name = in.readString (); 
        type = in.readInt();
        text= in.readString();
        mp3=in.readString();
   } 

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

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


   public void makeText(String text)
   {
       this.text=text;
   }



   public void makeMp3(String mp3)
   {
     this.mp3= mp3;
   }

   public String getMp3()
   {
   return this.mp3;
   }

   public String getId()
   {
       return id;
   }
   public String getName()
   {
       return name;
   }
   public int getType()
   {
       return type;
   }
   public String getText()
   {
       return text;
   }

  public int describeContents() {
    // TODO Auto-generated method stub
    return 0;
  }

  public void writeToParcel(Parcel dest, int flags) {
    // TODO Auto-generated method stub
    dest.writeString (id); 
    dest.writeString (name);
    dest.writeInt(type);
    dest.writeString (text); 
    dest.writeString (mp3);
  } 
}
4

1 に答える 1

2

この場合、parcelable を使用すべきではないと思います。データに静的にアクセスするか (データの永続的なインスタンスを 1 つだけ保持する場合)、キャッシュ システムを使用してデータを保持します。

これは、公開されている静的変数の例です。

public static List<Piece> list;

クラスを表示できるアプリ内のどこからでもアクセスできます。

ただし、これを行うのは非常に面倒であり、悪い習慣と見なされます。または、静的クラスまたはシングルトンとしてデータを管理するオブジェクトを作成できます。

public class MyListManager {
    private static List<Piece> mList;

    public static List<Piece> getMyList() {
        return mList;
    }

    public static void setList(List<Piece> list) {
        mList = list;
    }
}

または、何らかのキャッシュ システムを実装してデータを管理することもできます。

于 2012-06-27T14:51:15.563 に答える