-1

用大量额外数据创建意图

   public static Intent createIntent(Context context, List<PhotoItem> gallery, int indexOf) {
       Intent intent = new Intent(context, GalleryViewActivity.class);
       intent.putExtra(EXTRA_PHOTO_INDEX, indexOf);
       intent.putExtra(EXTRA_PHOTO_OBJECT, new Gson().toJson(gallery));
       return intent;
   }

然后运行活动: startActivity(createIntent(...

应用程序崩溃并出现错误:

Exception when starting activity android.os.TransactionTooLargeException: data parcel size...

当列表中的数据太大时,如何避免此类错误?

4

1 回答 1

2

您正在将整体传递List<PhotoItem>给您的GalleryViewActivitywith Intent。因此,您的列表List<PhotoItem>可能包含许多数据。因此,有时系统一次无法处理大量数据传输。

请避免使用 Intent 传递大量数据。

您可以使用SharedPreferences来存储您的数组列表并在其他活动中检索相同的列表。

使用以下方法初始化您的 SharedPreferences:

SharedPreferences prefrence =  PreferenceManager.getDefaultSharedPreferences(context);
Editor editor = prefrence.edit();

您可以使用这种方式将列表存储在 Preference 变量中

public static Intent createIntent(Context context, List<PhotoItem> gallery, int indexOf) {
    Intent intent = new Intent(context, GalleryViewActivity.class);
    intent.putExtra(EXTRA_PHOTO_INDEX, indexOf);

    editor.putString("GallaryData", new Gson().toJson(gallery));
    editor.commit();

    return intent;
}

现在在您的 GalleryViewActivity.java 文件中

SharedPreferences prefrence =  PreferenceManager.getDefaultSharedPreferences(context);
Editor editor = prefrence.edit();

String galleryData = prefrence.getString("GallaryData", "");
List<PhotoItem> listGallery = new Gson().fromJson(galleryData, new TypeToken<List<PhotoItem>>() {}.getType());

您将在 listGallery 变量中拥有您的列表。您可以像现在使用的相同方式检索索引。

于 2019-04-19T09:47:14.980 回答