本文实例分析了Android编程使用Intent传递对象的方法。分享给大家供大家参考,具体如下:
之前的文章中,介绍过Intent的用法,比如启动活动,发送广播,启发服务等,并且可以使用Intent时传递一些数据。如下代码所示:
1
2
3
|
Intent intent = new Intent( this ,SecondActivity. class );
intent.putExtra( "info" , "I am fine" );
startActivity(intent);
|
在传递数据时,使用的方法是putExtra,支持的数据类型有限,如何传递对象呢??
在Android中,使用Intent传递对象有两种方式:Serializable序列化方式以及Parcelable串行化方式。
1、Serializable方式
此种方式表示将一个对象转换成可存储或者可传输的状态,序列化后的对象可以在网络上进行传输,可以存储到本地。
对象序列化,只需要实现Serializable类。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
|
package com.example.testapplication;
import java.io.Serializable;
/**
* 对象序列化
* @author yy
*
*/
public class Emp implements Serializable {
private String name;
private int age;
public String getName() {
return name;
}
public void setName(String name) {
this .name = name;
}
public int getAge() {
return age;
}
public void setAge( int age) {
this .age = age;
}
}
|
那么Intent如何传递对象参数呢,查看API发现如下方法:
因此,使用该方法传递,如下:
1
2
3
|
Intent intent = new Intent( this ,SecondActivity. class );
intent.putExtra( "obj" , new Emp());
startActivity(intent);
|
那么如何获取呢?使用如下方法:
这样就获得了Emp对象了。
2、Parcelable方式
该种方式的实现原理是将一个完整的对象进行分解,使分解的每一部分都是Intent所支持的数据类型。示例如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
|
package com.example.testapplication;
import android.os.Parcel;
import android.os.Parcelable;
/**
* Parcelable方式
* @author yy
*
*/
public class Emp2 implements Parcelable{
private String name;
private int age;
public String getName() {
return name;
}
public void setName(String name) {
this .name = name;
}
public int getAge() {
return age;
}
public void setAge( int age) {
this .age = age;
}
@Override
public int describeContents() {
return 0 ;
}
@Override
public void writeToParcel(Parcel dest, int flag) {
//写出name
dest.writeString(name);
//写出age
dest.writeInt(age);
}
public static final Parcelable.Creator<Emp2> creator = new Creator<Emp2>() {
@Override
public Emp2[] newArray( int size) {
return new Emp2[size];
}
@Override
public Emp2 createFromParcel(Parcel source) {
Emp2 emp2 = new Emp2();
//读取的顺序要和上面写出的顺序一致
//读取name
emp2.name = source.readString();
emp2.age = source.readInt();
return emp2;
}
};
}
|
传递对象:方式和序列化相同:
1
2
3
|
Intent intent = new Intent( this ,SecondActivity. class );
intent.putExtra( "obj" , new Emp2());
startActivity(intent);
|
获取对象:
3、区别
Serializable在序列化的时候会产生大量的临时变量,从而引起频繁的GC。因此,在使用内存的时候,Parcelable 类比Serializable性能高,所以推荐使用Parcelable类。
Parcelable不能使用在要将数据存储在磁盘上的情况,因为Parcelable不能很好的保证数据的持续性在外界有变化的情况下。尽管Serializable效率低点, 也不提倡用,但在这种情况下,还是建议你用Serializable 。
希望本文所述对大家Android程序设计有所帮助。