单例设计模式分为两种:懒汉式和饿汉式
单例设计模式构成:
1、私有的静态的成员变量类本身的对象
2、私有的构造方法
3、公有的静态的获得该类创建出来的对象
[java] view plaincopy
01.// 懒汉式
02.class Singleton {
03. private static Singleton singleton = null;
04.
05. private Singleton() {
06. }
07.
08. public static Singleton getInstance() {
09. if (singleton == null) {
10. singleton = new Singleton();
11. }
12. return singleton;
13. }
14.}
15.
16.// 饿汉式
17.class Singleton2 {
18. private static Singleton2 singleton = new Singleton2();
19.
20. private Singleton2() {
21. }
22.
23. public static Singleton2 getInstance() {
24. return singleton;
25. }
26.}
而多线程在单例设计模式中的应用:
[java] view plaincopy
01.// 懒汉式
02.class Singleton {
03. private static Singleton singleton = null;
04.
05. private Singleton() {
06. }
07.
08. public static synchronized Singleton getInstance() {
09. if (singleton == null) {
10. singleton = new Singleton();
11. }
12. return singleton;
13. }
14.}
15.
16.// 饿汉式
17.class Singleton2 {
18. private static Singleton2 singleton = new Singleton2();
19.
20. private Singleton2() {
21. }
22.
23. public static synchronized Singleton2 getInstance() {
24. return singleton;
25. }
26.}
单例设计模式的应用:
1、网站的计数器,一般也是采用单例模式实现,否则难以同步。
2、程序的日志文件,一般都采用单例模式实现,这是由于共享的日志文件一直处于打开状态,因为只能有一个实例去操作,否则内容不好追加。
3、web应用的配置文件的读取,一般也应用单例模式,这个是由于配置文件是共享的资源。
4、数据库连接池的设计一般也是采用单例模式,因为数据库连接是一种数据库资源。数据库软件系统中使用数据库连接池,主要是节省打开或者关闭数据库连接所引起的效率损耗,这种效率上的损耗还是非常昂贵的,因为何用单例模式来维护,就可以大大降低这种损耗。
5、多线程的线程池的设计一般也是采用单例模式,这是由于线程池要方便对池中的线程进行控制。
|
|