1.单例模式:饿汉式和懒汉式
饿汉式,私有属性就创建对象,
懒汉式,私有属性为空。
2 单例设计模式
单例模式可以说是大多数开发人员在实际中使用最多的,常见的Spring默认创建的bean就是单例模式的。 单例模式有很多好处,比如可节约系统内存空间,控制资源的使用。 其中单例模式最重要的是确保对象只有一个。 简单来说,保证一个类在内存中的对象就一个。 RunTime就是典型的单例设计,我们通过对RunTime类的分析,一窥究竟。
3 RunTime单例设计源码剖析
/**
* Every Java application has a single instance of class
* <code>Runtime</code> that allows the application to interface with
* the environment in which the application is running. The current
* runtime can be obtained from the <code>getRuntime</code> method.
* <p>
* An application cannot create its own instance of this class.
*
* @author unascribed
* @see java.lang.Runtime#getRuntime()
* @since JDK1.0
*/
public class Runtime {
//2.创建静态的全局唯一的对象
private static Runtime currentRuntime = new Runtime();
//1.私有化构造方法,不让外部来调用
/** Don't let anyone else instantiate this class */
private Runtime() {}
//3.通过自定义的静态方法获取实例
public static Runtime getRuntime() {
return currentRuntime;
}
}
通过分析,底层的实现思路一共分为了3个步骤:
对本类构造方法私有化,防止外部调用构造方法创建对象
创建全局唯一的对象,也做私有化处理
通过自定义的公共方法将创建好的对象返回(类似封装属性后的getXxx() )
4 练习:单例设计模式1-饿汉式实现方式
package cn.tedu.design;
/*本类用于实现单例设计模式方案1:饿汉式*/
public class Singleton1 {
public static void main(String[] args) {
//5.在main()中,不通过对象,直接通过类名,调用静态方法
MySingle single1 = MySingle.getMySingle();
MySingle single2 = MySingle.getMySingle();
MySingle single3 = MySingle.getMySingle();
System.out.println(single1==single2);//true
System.out.println(single1);//cn.tedu.design.MySingle@6d6f6e28
System.out.println(single2);//cn.tedu.design.MySingle@6d6f6e28
System.out.println(single3);//cn.tedu.design.MySingle@6d6f6e28
}
}
//0.创建自己的单例程序
class MySingle {
//1.提供本类的构造方法,并将构造方法私有化
/*1.构造方法私有化的目的:为了防止外界随意实例化本类对象*/
private MySingle() {
}
//2.创建本类对象,并将对象私有化
//4.2由于静态资源只能调用静态资源,所以single对象也需要设置成静态
private static MySingle single = new MySingle();
//3.提供公共的访问方式,向外界返回创建好的对象
//4.1为了不通过对象,直接调用本方法,所以需要将本方法设置为静态
public static MySingle getMySingle() {
return single;
}
}
2.4 单例设计模式2-懒汉式实现方式
package cn.tedu.design;
/*本类用于实现单例设计模式方案2:懒汉式*/
public class Singleton2 {
public static void main(String[] args) {
Mysingleton2 singleton2 = Mysingleton2.getSingleton2();
Mysingleton2 singleton3 = Mysingleton2.getSingleton2();
System.out.println(singleton2==singleton3);//true
}
}
class Mysingleton2{
private Mysingleton2(){}
private static Mysingleton2 singleton2;
public static Mysingleton2 getSingleton2(){
// singleton2 = new Mysingleton2();
if(singleton2==null){
singleton2 = new Mysingleton2();
}
return singleton2;
}
}