确保一个类只有一个实例,并且提供一个全局的访问点
1package com.singlePattern.obj;
2
3/**
4 * @program: designPattern
5 * @description: 单例对象
6 * @author: Mr.Yang
7 * @create: 2018-11-24 21:00
8 **/
9public class Singleton {
10 private static Singleton singleton;
11
12 private Singleton(){}
13
14 public static synchronized Singleton getInstance(){
15 if(singleton==null){
16 singleton=new Singleton();
17 }
18 return singleton;
19 }
20}
其实这样写是可以的,但是会影响效率。当一个实例创建之后,再次进行这个方法的调用,会进行加锁,然后返回这个实例
1package com.singlePattern.obj;
2
3/**
4 * @program: designPattern
5 * @description: 单例对象
6 * @author: Mr.Yang
7 * @create: 2018-11-24 21:00
8 **/
9public class Singleton {
10 private static Singleton singleton = new Singleton();
11
12 private Singleton(){}
13
14 public static Singleton getInstance(){
15 return singleton;
16 }
17}
优化处理-2
1package com.singlePattern.obj;
2
3/**
4 * @program: designPattern
5 * @description: 单例对象
6 * @author: Mr.Yang
7 * @create: 2018-11-24 21:00
8 **/
9public class Singleton {
10 /* private static Singleton singleton = new Singleton();
11
12 private Singleton(){}
13
14 public static Singleton getInstance(){
15 return singleton;
16 }*/
17
18 //volatile关键词保证,当singleton变量被初始化成对象实例时,多个线程正确的处理该变量
19 private volatile static Singleton singleton;
20
21 private Singleton(){}
22
23 /**
24 * 这种方式保证只有第一次创建实例的时候,才能彻底走完这个方法
25 * 双重检查加锁在1.4或者更早的jdva版本中,jvm对于volatile关键字的实现会导致双重检查加锁
26 * 的实现。建议这个版本中的不要使用这个设计模式。
27 * @return
28 */
29 public static Singleton getInstance(){
30 if(singleton==null){
31 synchronized (Singleton.class){
32 if(singleton==null){
33 singleton=new Singleton();
34 }
35 }
36 }
37 }
38}
单例模式是比较容易理解的,写法相比其他模式来说,也比较简单。