惡漢單例模式:
/**
創(chuàng)新互聯(lián)公司從2013年創(chuàng)立,先為樺甸等服務(wù)建站,樺甸等地企業(yè),進(jìn)行企業(yè)商務(wù)咨詢服務(wù)。為樺甸企業(yè)網(wǎng)站制作PC+手機(jī)+微官網(wǎng)三網(wǎng)同步一站式服務(wù)解決您的所有建站問(wèn)題。
惡漢單例模式,用空間換時(shí)間的思想進(jìn)行對(duì)象的初始化,在多線程的情況下,故不存在線程安全問(wèn)題。
*/
public class WickedManSingleTon {
private static WickedManSingleTon instance=new WickedManSingleTon();
private WickedManSingleTon() {
}
public static WickedManSingleTon getIntance() {
return instance;
}
}
懶漢模式:
/**
懶漢單例模式,用時(shí)間換空間的概念,實(shí)例化單例對(duì)象,在多線程的情況下,存在線程安全的問(wèn)題。
*/
public class LasyManSingleTon {
private static LasyManSingleTon instance=null;
private LasyManSingleTon() {
}
public static LasyManSingleTon getInstance() {
if(instance==null) {
instance=new LasyManSingleTon();
}
return instance;
}
}
/**
已經(jīng)非空了,會(huì)被直接拿出來(lái)用,這樣的話,就會(huì)出現(xiàn)異常。這個(gè)就是著名的DCL失效問(wèn)題。
*/
public class DCLInstance {
// 手寫雙檢索
private static DCLInstance instance = null;//優(yōu)化采用volatile
private DCLInstance() {
}
public static DCLInstance getInstance() {
if (instance == null) {
// 同步操作
synchronized (DCLInstance.class) {
if (instance == null) {
// 多線程環(huán)境下可能會(huì)出現(xiàn)問(wèn)題的地方
instance = new DCLInstance();
}
}
}
return instance;
}
}
/**
*/
public class InerClassMakeIntance {
private static InerClassMakeIntance instance =null;
private InerClassMakeIntance() {
}
public static InerClassMakeIntance getInstance() {
return InerInstance.t1;
}
private static class InerInstance {
private static InerClassMakeIntance t1 = new InerClassMakeIntance();
}
}