当单例模式的类实现了系列化Serializable接口,也可以通过反序列化来使它不再单例。
我们的单例类:
序列化和反序列化如下:
先将singleton1序列化到一个文件中,然后再从该文件中读取出singleton2,结果如下:
可以看到Singleton不能保证是一个单例类。但是解决方法(不能解决所有情况)为我们认为的干预序列化,使之返回我们自定义的对象,这就需要在Singleton 中添加一个readResolve方法,如下:
此时再次执行,singleton1和singleton2便是同一个对象了,如下:
有关序列化的具体详细内容,请见后续文章。
我们的单例类:
1
2
3
4
5
6
7
8
9
10
11
12
|
public
final
class
Singleton
implements
Serializable{
private
static
final
long
serialVersionUID = 1735776740157142434L;
private
static
final
Singleton instance=
new
Singleton();
private
Singleton(){}
public
static
Singleton getInstance(){
return
instance;
}
}
|
序列化和反序列化如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
Singleton singleton1=Singleton.getInstance();
FileOutputStream fileOut=
new
FileOutputStream(
"D:\\singleton.txt"
);
ObjectOutputStream out=
new
ObjectOutputStream(fileOut);
out.writeObject(singleton1);
out.close();
FileInputStream fileInputStream=
new
FileInputStream(
"D:\\singleton.txt"
);
ObjectInputStream in=
new
ObjectInputStream(fileInputStream);
Singleton singleton2=(Singleton)in.readObject();
in.close();
System.out.println(singleton1);
System.out.println(singleton2);
System.out.println(singleton1==singleton2);
|
先将singleton1序列化到一个文件中,然后再从该文件中读取出singleton2,结果如下:
1
2
3
|
com.lg.design.singleton.hungry.Singleton
@173e55db
com.lg.design.singleton.hungry.Singleton
@4690d3c6
false
|
可以看到Singleton不能保证是一个单例类。但是解决方法(不能解决所有情况)为我们认为的干预序列化,使之返回我们自定义的对象,这就需要在Singleton 中添加一个readResolve方法,如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
public
final
class
Singleton
implements
Serializable{
private
static
final
long
serialVersionUID = 1735776740157142434L;
private
static
final
Singleton instance=
new
Singleton();
private
Singleton(){}
public
static
Singleton getInstance(){
return
instance;
}
private
Object readResolve(){
return
instance;
}
}
|
此时再次执行,singleton1和singleton2便是同一个对象了,如下:
1
2
3
|
com.lg.design.singleton.hungry.Singleton
@35427e6e
com.lg.design.singleton.hungry.Singleton
@35427e6e
true
|
有关序列化的具体详细内容,请见后续文章。