协慌网

登录 贡献 社区

如何使用 Intents 将对象从一个 Android Activity 发送到另一个?

如何使用类IntentputExtra()方法将自定义类型的对象从一个Activity传递到另一个Activity

答案

如果您只是传递物体,那么Parcelable就是为此设计的。它需要比使用 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();
    }
}

请注意,如果您要从给定的包中检索多个字段,则必须按照放入它们的顺序(即采用 FIFO 方法)执行此操作。

一旦你的对象实现了Parcelable ,只需将它们放入你的Intent with putExtra()

Intent i = new Intent();
i.putExtra("name_of_extra", myParcelableObject);

然后你可以使用getParcelableExtra()将它们拉回来:

Intent i = getIntent();
MyParcelable myParcelableObject = (MyParcelable) i.getParcelableExtra("name_of_extra");

如果您的 Object 类实现了 Parcelable 和 Serializable,那么请确保您执行以下操作之一:

i.putExtra("parcelable_extra", (Parcelable) myParcelableObject);
i.putExtra("serializable_extra", (Serializable) myParcelableObject);

您需要将对象序列化为某种字符串表示形式。一个可能的字符串表示是 JSON,如果你问我,最简单的方法之一是在 Android 中序列化到 / 来自 JSON,是通过谷歌 GSON

在这种情况下,您只需将字符串返回值(new Gson()).toJson(myObject);并检索字符串值并使用fromJson将其转回到您的对象中。

但是,如果您的对象不是很复杂,那么开销可能不值得,您可以考虑传递对象的单独值。

您可以通过意图发送可序列化对象

// send where details is object
ClassName details = new ClassName();
Intent i = new Intent(context, EditActivity.class);
i.putExtra("Editing", details);
startActivity(i);


//receive
ClassName model = (ClassName) getIntent().getSerializableExtra("Editing");

And 

Class ClassName implements Serializable {
}