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

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


如果你只是传递物体,Parcelable就是为此而设计的。 与使用Java的本地序列化相比,它需要更多的努力来使用,但它的速度更快(我的意思是说, WAY更快)。

从文档中,如何实现的一个简单示例是:

// 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它只是将它们放在你的意图与putExtra()的事情:

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);

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

在这种情况下,你可以从(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 {
} 
链接地址: http://www.djcxy.com/p/23249.html

上一篇: How to send an object from one Android Activity to another using Intents?

下一篇: Sending Email in Android using JavaMail API without using the default/built