Java 单例模式设计 饿汉式与懒汉式的区别与作用
程序员文章站
2022-07-10 17:27:53
什么是Java单例设计模式?所谓类的单例设计模式就是在软件的设计的过程之中,保证某个类的对象只能被创建一次,构造器需要被私有化,并且获取这个对象的方法也需要被私有化。单例设计模式——饿汉式:在类被加载的时候,由于对象被Static 关键字所修饰,会随着类的加载而加载,当我们需要获取对象的时候只能通过 类名.方法 获得。饿汉式设计模式的特点:比较占用系统内存public class SingleModule {public static void main(String[] args)...
什么是Java单例设计模式?
1.所谓类的单例设计模式就是在软件的设计的过程之中,保证某个类的对象只能被创建一次,构造器需要被私有化,并且获取这个对象的方法也需要被私有化。
2.当实例化一个类的对象需要太多的系统资源时,为减小系统资源的开销,我们可以通过Static关键字使得对象永久驻留于内存。
单例设计模式——饿汉式:
- 在类被加载的时候,由于对象被Static 关键字所修饰,会随着类的加载而加载,当我们需要获取对象的时候只能通过 类名.方法 获得。
- 饿汉式设计模式的特点:比较占用系统内存
public class SingleModule {
public static void main(String[] args) {
Oder aOder=Oder.getOder();
Oder aOder2=Oder.getOder();
System.out.println(aOder==aOder2);//比较两个对象的地址值是否相等
}
}
class Oder{
private Oder() {
}
static Oder oder=new Oder();
public static Oder getOder() {
return oder;
}
}
单例设计模式——懒汉式:
- 想比于饿汉式设计模式,懒汉式在内存的占用上会优于懒汉式,在我们需要使用的时候再进行调用
public class LazyModule {
public static void main(String[] args) {
Cust cust1=Cust.getCust();
Cust cust2=Cust.getCust();
System.out.println(cust1==cust2);
}
}
class Cust{
static Cust cust=null;
private Cust() {
}
public static Cust getCust() {
if(cust==null) {//判断对象是否为null值
cust=new Cust();}
return cust;
}
}
本文地址:https://blog.csdn.net/weixin_46351306/article/details/112251153