什么是单例模式?
1. 构造方法私有化
2. 静态属性指向实例
3. public static的 getInstance方法,返回第二步的静态属性
饿汉式是立即加载的方式,无论是否会用到这个对象,都会加载。
- package charactor;
-
- public class GiantDragon {
-
- //私有化构造方法使得该类无法在外部通过new 进行实例化
- private GiantDragon(){
-
- }
-
- //准备一个类属性,指向一个实例化对象。 因为是类属性,所以只有一个
-
- private static GiantDragon instance = new GiantDragon();
-
- //public static 方法,提供给调用者获取12行定义的对象
- public static GiantDragon getInstance(){
- return instance;
- }
-
- }
-
- package charactor;
-
- public class TestGiantDragon {
-
- public static void main(String[] args) {
- //通过new实例化会报错
- // GiantDragon g = new GiantDragon();
-
- //只能通过getInstance得到对象
-
- GiantDragon g1 = GiantDragon.getInstance();
- GiantDragon g2 = GiantDragon.getInstance();
- GiantDragon g3 = GiantDragon.getInstance();
-
- //都是同一个对象
- System.out.println(g1==g2);
- System.out.println(g1==g3);
- }
- }
-
懒汉式单例模式与饿汉式单例模式不同,只有在调用getInstance的时候,才会创建实例
- package charactor;
-
- public class GiantDragon {
-
- //私有化构造方法使得该类无法在外部通过new 进行实例化
- private GiantDragon(){
- }
-
- //准备一个类属性,用于指向一个实例化对象,但是暂时指向null
- private static GiantDragon instance;
-
- //public static 方法,返回实例对象
- public static GiantDragon getInstance(){
- //第一次访问的时候,发现instance没有指向任何对象,这时实例化一个对象
- if(instance == null){
- instance = new GiantDragon();
- }
- //返回 instance指向的对象
- return instance;
- }
-
- }
-