书城计算机大话设计模式
11030400000055

第55章 6 单体对象的同步(单体模式与多线程)

大B:“在多线程模式下,惰性初始化会使多个线程同时初始化该单体,造成一个JVM中多个单例类型的实例,如果这个单例类型的成员变量在运行过程中发生变化,会造成多个单例类型实例的不一致。”

小A:“那应该怎么办?”

大B:“加个同步修饰符:public static synchronized Singleton getInstance()。这样就保证了线程的安全性。这种处理方式虽然引入了同步代码,但是因为这段同步代码只会在最开始的时候执行一次或多次,所以对整个系统的性能不会有影响。”

小A:“在更新属性的时候,会造成属性的读写不一致。那应该怎么处理?”

大B:“1、读者/写者的处理方式。设置一个读计数器,每次读取信息前,将计数器加1,读完后将计数器减1.使用notifyAll()解除在该对象上调用wait的线程阻塞状态。只有在读计数器为0时,才能更新数据,同时调用wait()方法要阻塞所有读属性的调用。2、采用‘影子实例’的办法。具体说,就是在更新属性时,直接生成另一个单例对象实例,这个新生成的单例对象实例将从数据库,文件或程序中读取最新的信息;然后将这些信息直接赋值给旧单例对象的属性。”

小A:“嘿嘿!师兄,能不能举例来看一下啊?”

大B:“好的。”

例子:

public class GlobalConfig{

private static GlobalConfig instance;

private Vector properties=null;

private boolean isUpdating=false;

private int readCount=0;

private GlobalConfig(){

//Load configuration information from DB or file

//Set values for properties

}

private static synchronized void syncInit(){

if(instance……null){

instance=new GlobalConfig();

}

}

public static GlobalConfig getInstance(){

if(instance……null){

syncInit();

}

return instance;

}

public synchronized void update(String pdata){

syncUpdateIn();

//Update properties

}

private synchronized void syncUpdateIn(){

while(readCount>0){

try{

wait();

}catch(Exception e){

}

}

}

private synchronized void syncReadIn(){

readCount ;

}

private synchronized void syncReadOut(){

readCount――;

notifyAll();

}

public Vector getProperties(){

syncReadIn();

//Process data

syncReadOut();

return properties;

}

}

public class GlobalConfig{

private static GlobalConfig instance;

private Vector properties=null;

private boolean isUpdating=false;

private int readCount=0;

private GlobalConfig(){

//Load configuration information from DB or file

//Set values for properties

}

private static synchronized void syncInit(){

if(instance……null){

instance=new GlobalConfig();

}

}

public static GlobalConfig getInstance(){

if(instance……null){

syncInit();

}

return instance;

}

public synchronized void update(String pdata){

syncUpdateIn();

//Update properties

}

private synchronized void syncUpdateIn(){

while(readCount>0){

try{

wait();

}catch(Exception e){

}

}

}

private synchronized void syncReadIn(){

readCount ;

}

private synchronized void syncReadOut(){

readCount――;

notifyAll();

}

public Vector getProperties(){

syncReadIn();

//Process data

syncReadOut();

return properties;

}

}