能解决这个问题真的太让人兴奋,这里要普及一个知识点,那就是所谓的序列化。
序列化:将对象状态转换为可保持或传输的格式的过程。与序列化相对的是反序列化,它将流转换为对象。这两个过程结合起来,可以轻松地存储和传输数据。
大家读不读得懂先暂且不说,因为概念什么的东西我也最烦了,大家只要知道用序列化能实现我们想做的事情就OK了(就是标题所说的功能)。
在大多数实战项目中进行两个页面之间的切换时,不会只传一个int或者string那么轻松,就算是传稍微加点料的大众类型(比如int数组或List<string>之类的)其实也没什么大不了的,因为在Intent类中有多个putExtra的重载方法,足以满足我们的需求。
但人们总是“贪婪”的,哈哈,有的时候这些简单的类型无法满足我们的需求,我们通过会要求传递一个自定义的类或者该类的集合,我们不知道这么说大家头脑中有没有概念。举个例子:我们要向另一个activity传递一个人(Person)的对象,Android中没有Person这个类,是我们自定义的。所以要想利用Intent去传递Person或者List<Person>这样的对象,我们就要使用到序列化了。这不是一个好消息吗?至少我们有解决的办法了。
在给大家上代码示例之前,还要再多说点,在Android中使用序列化有两种方法:(1)实现Serializable接口(2)实现Parcelable接口
其中Parcelable是Android特有的功能,效率要比实现Serializable接口高。实现Serializable接口非常简单,声明一下就可以了。而实现Parcelable虽然稍微复杂一些,但效率高,既然是Android特有用来做序列化使用的,那我们就推荐用这种方法。
下面请看代码示例:
首先需要写一个实现Parcelable接口的类,代码中的1,2,3条是实现Parcelable接口序列化对象必须要有的。
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
51
52
53
54
55
56
57
58
59
60
61
|
//1、实现Parcelable接口
public
class
Person
implements
Parcelable{
private
String name
private
int
age;
public
Person()
{}
public
Person(String name,
int
age)
{
this
.name = name;
this
.age = age;
}
public
String getName()
{
returnthis.name;
}
public
void
setName(String name)
{
this
.name = name;
}
public
int
getAge()
{
returnthis.age;
}
public
void
setAge(
int
age)
{
this
.age = age;
}
@Override
public
int
describeContents() {
return
0
;
}
//2、实现Parcelable接口的public void writeToParcel(Parcel dest, int flags)方法
//通常进行重写
@Override
public
void
writeToParcel(Parcel dest,
int
flags) {
//把数据写入Parcel
dest.writeString(name);
dest.writeInt(age);
}
//3、自定义类型中必须含有一个名称为CREATOR的静态成员,该成员对象要求实现Parcelable.Creator接口及其方法
public
static
final
Parcelable.Creator<Person> CREATOR =
new
Parcelable.Creator<Person>() {
@Override
public
Person createFromParcel(Parcel source) {
//从Parcel中读取数据
//此处read顺序依据write顺序
return
new
Person(source.readString(), source.readInt());
}
@Override
public
Person[] newArray(
int
size) {
return
new
Person[size];
}
};
}
|
这样一个实现Parcelable接口序列化类就创建好了,那么我们如何用其来进行传递呢?在原activity中我们需要这样传递数据
1
2
3
4
5
6
7
8
9
10
11
12
|
ArrayList<Person> lPersonSet =
new
ArrayList<Person>();
Person p1 =
new
Person(“张三”,
20
);
lPersonSet.add(p1);
Person p2 =
new
Person(“李四”,
22
);
lPersonSet.add(p2);
Person p3 =
new
Person(“王五”,
21
);
lPersonSet.add(p3);
//进行页面跳转
Intent intent =
new
Intent();
intent.putParcelableArrayListExtra(
"com.example.utilities.personset"
, lPersonSet);
intent.setClass(MyActivity.
this
, OtherActivity.
class
);
MyActivity.
this
.startActivity(intent);
|
而在OtherActivity中呢?我们需要这样接收数据
1
2
3
|
ArrayList<Person> lPersonSet =
new
ArrayList<Person>();
Intent intent = getIntent();
lPersonSet = intent.getParcelableArrayListExtra(
"com.example.utilities.personset"
);
|
这样就搞定一切了,其他的形式大家可以自由发挥了,重点还是在如何实现Parcelable接口序列化类上。