java设计模式之单例模式解析
程序员文章站
2024-02-27 16:28:03
单例模式是最简单但同时也是很重要的一种设计模式,优点有以下几个方面:
1.当内存占用特别大的类需要频繁地创建销毁时,单例模式可以节省内存和提高性能,例如mybatis里面...
单例模式是最简单但同时也是很重要的一种设计模式,优点有以下几个方面:
1.当内存占用特别大的类需要频繁地创建销毁时,单例模式可以节省内存和提高性能,例如mybatis里面的sessionfactory
2.当需要对文件做单一读写时,例如同一时间只能同时写入一个windows文本文件,则需要用单例来避免多重读写
缺点是:
1.单例模式没有接口,很难对其进行拓展。
2.不利于测试,没办法直接根据接口mock出一个对象出来测试
最后说下其实现方式主要有饿汉模式和懒汉模式。其中懒汉模式又可以细分为几种,后面再说。
饿汉模式代码:
public class singleton{ //在类加载时便实例化自身,饿汉模式 private static class singletom instance = new singleton(); private singleton(){}; public getinstance(){ return this.instance } }
懒汉模式且线程安全代码1
public class singleton{ private static class singletom instance = null; private singleton(){}; public static singleton getinstance(){ if(instance==null){ //双重检测锁定懒汉模式,如果是直接在getinsance上加锁,因为有99%的情况是线程安全的,会增加性能消耗,故才有双重检测锁定,优化锁,让锁只在1%的情况才执行 synchronized (singleton.class) { if (singleton == null) { singleton = new singleton(); } } return this.instance } }
懒汉模式且线程安全代码2
public class singleton{ //静态内部类的方式,应该是因为classloader的机制使得内部类不会在类 //装载时便实例化,所以可行 private static class singletomloader(){ private static singleton instance = new singleton(); } private singleton(){}; public static final singleton getinstance(){ return singletomloader.instance } }
总结:spring容器中的bean便使用了单例模式,由spring容器控制其bean的生命周期,而如果设置成多例模式的话,则是交由j2ee容器负责其对象的生命周期。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。