日常咱們使用單例不外乎兩種方式:安全
說實話我更傾向於第二種,可是Spring更對的的注入,而不是拿,因而我想作Singleton這個類,維護一個單例的池,用這個單例對象的時候直接來拿就能夠,這裏我用的懶漢模式。我只是想把單例的管理方式換一種思路,我但願管理單例的是一個容器工具,而不是一個大大的框架,這樣能大大減小單例使用的複雜性。框架
package com.xiaoleilu.hutool.demo; import com.xiaoleilu.hutool.Singleton; /** * 單例樣例 * @author loolly * */ public class SingletonDemo { /** * 動物接口 * @author loolly * */ public static interface Animal{ public void say(); } /** * 狗實現 * @author loolly * */ public static class Dog implements Animal{ @Override public void say() { System.out.println("汪汪"); } } /** * 貓實現 * @author loolly * */ public static class Cat implements Animal{ @Override public void say() { System.out.println("喵喵"); } } public static void main(String[] args) { Animal dog = Singleton.get(Dog.class); Animal cat = Singleton.get(Cat.class); //單例對象每次取出爲同一個對象,除非調用Singleton.destroy()或者remove方法 System.out.println(dog == Singleton.get(Dog.class)); //True System.out.println(cat == Singleton.get(Cat.class)); //True dog.say(); //汪汪 cat.say(); //喵喵 } }
你們若是有興趣能夠看下這個類,實現很是簡單,一個HashMap用於作爲單例對象池,經過newInstance()實例化對象(不支持帶參數的構造方法),不管取仍是建立對象都是線程安全的(在單例對象數量很是龐大且單例對象實例化很是耗時時可能會出現瓶頸),考慮到在get的時候使雙重檢查鎖,可是並非線程安全的,故直接加了synchronized
作爲修飾符,歡迎在此給出建議。ide