设计模式
- 静态方法和属性的经典使用。
- 设计模式是在大量的实践中总结和理论化之后优选的代码结构、编程风格、以及解决问题的思考方式。
单例模式
单例(单个的实例):
- 所谓类的单例设计模式,就是采取一定的方法保证在整个的软件系统中,对某个类只能存在一个对象实例,并且该类只提供一个取得其对象实例的方法。
- 单例模式有两种方式:(1)饿汉式 (2)懒汉式
饿汉式
public class Demo01 {
public static void main(String[] args) {
//GirlFriend girlFriend = new GirlFriend("memb");
System.out.println(GirlFriend.n1);//在调用静态属性时,虽然没有用到实例,但是以为类被加载,它依旧会帮你创建。
GirlFriend instance = GirlFriend.getInstance();
System.out.println(instance);
}
}
class GirlFriend{
public static int n1=1;
private String name;
//饿汉式的弊端就是,它可能创建了对象,但是没有使用。
//为了能在静态方法中,返回gf对象,需要将其修饰为static
private static GirlFriend gf=new GirlFriend("小梦");//创建唯一实例
//如何保障我们只能创建一个GirlFriend 对象
//步骤[单例模式——饿汉式]
//1.将构造器私有化
//2.在类的内部直接创建对象(该对象是Static)
//3.提供一个公共的static方法,返回gf对象
private GirlFriend(String name){
System.out.println("构造器被调用");
this.name=name;
}
public static GirlFriend getInstance(){
return gf;
}
@Override
public String toString() {
return "GirlFriend{" +
"name='" + name + '\'' +
'}';
}
}
懒汉式
public class Demo02 {
public static void main(String[] args) {
System.out.println(Cat.n2);
Cat instance = Cat.getInstance();
System.out.println(instance);
Cat instance2 = Cat.getInstance();
}
}
//希望在程序运行过程中,只能创建一个Cat对象。
//使用单例模式
class Cat{
private String name;
public static int n2=2;
private static Cat cat;
//懒汉式步骤
//1.仍然构造器私有化
//2.定义一个static静态属性对象
//3.提供一个public的static方法,可以返回一个Cat对象
//4.懒汉式,只有当用户使用getInstance时,才返回cat对象,后面再次调用时,会返回上次创建的cat对象从而保证单例。
private Cat(String name){
System.out.println("构造器被调用");
this.name=name;
}
public static Cat getInstance(){
if (cat==null){//没有创建cat对象,即cat为空时创建Cat对象。
cat=new Cat("无墨");
}
return cat;
}
@Override
public String toString() {
return "Cat{" +
"name='" + name + '\'' +
'}';
}
}
饿汉式VS懒汉式
- 二者的主要区别在于创建对象的时机不同:饿汉式是在类加载时就创建了对象实例,而懒汉式是在使用时才创建。
- 饿汉式不存在线程安全问题,懒汉式存在线程安全问题。
- 饿汉式存在浪费资源的可能,因为如果使用时一个对象实例都没有使用 ,那饿汉式创建的对象就浪费了,懒汉式是使用时才会创建,就不存在这问题。
- 在javaSE标准类中,java.lang.Runtime就是单例模式。