单例模式学习笔记

涉及到设计模式的一点粗浅的学习笔记

单例模式的思想:保证内存中只有一个对象

1、饿汉式:

public class Student {
	// 构造私有
	private Student() {
	}


	// 自己造一个
	// 静态方法只能访问静态成员变量,加静态
	// 为了不让外界直接访问修改这个值,加private
	private static Student s = new Student();


	// 提供公共的访问方式
	// 为了保证外界能够直接使用该方法,加静态
	public static Student getStudent() {
		return s;
	}
}
private static Student s = new Student();

这句,一进来就造对象,就像刚回到家,看到桌子上有一堆吃的,立马就吃了,像一个“饿汉”,故称为“饿汉式”



2、懒汉式

public class Teacher {
	private Teacher() {
	}

	private static Teacher t = null;

	public synchronized static Teacher getTeacher() {
		// t1,t2,t3
		if (t == null) {
			//t1,t2,t3
			t = new Teacher();
		}
		return t;
	}
}

懒汉式:用的时候,才去创建对象,故称为“懒汉式”


开发用饿汉式:(是一种不会出问题的单例模式,因为

public static Student getStudent() {
		return s;
	}
这句为原子性操作,非多条语句操作,故不会存在多线程安全问题)

面试时写代码体现优先写懒汉式:(可能出问题的单例模式)


那么懒汉式会出什么问题呢?

A延迟加载  

B线程安全问题,因为在如果多线程环境中,代码中的t对象为共享数据,且存在多条语句对共享数据进行操作,便有可能出现线程安全问题。所以要加入关键字synchronized


jdk中的Runtime类便是单例模式饿汉式的例子

class Runtime {
  		private Runtime() {}
 		private static Runtime currentRuntime = new Runtime();
  		public static Runtime getRuntime() {
        	return currentRuntime;
    	        }
       }

你可能感兴趣的:(设计模式)