单例设计模式的核心

2019-01-22 01:59:26来源:博客园 阅读 ()

新老客户大回馈,云服务器低至5折

单例模式,即一个类只有一个对象实例。

 

class Singleton{//没有明确定义构造方法。编译时也会默认存在一个构造方法

private static Singleton instance ;
private Singleton() {
//构造方法私有化
}
public void print() {
System.out.println("hello world");
}
public static Singleton getInstance() {
if(instance == null) {
instance = new Singleton();
}
return instance;
}
}
public class TestDemo03092 {
public static void main(String[] args) {
//s=new Singleton(); 构造方法私有化后无法实例化对象
Singleton s1 = Singleton.getInstance();
Singleton s2 = Singleton.getInstance();
Singleton s3 = Singleton.getInstance();

System.out.println(s1);
System.out.println(s2);
System.out.println(s2);//通过输出s1,s2,s3发现均是Singleton@9e89d68。表明指向同一处。


s1.print();
s2.print();

}
}
//控制一个类中的实例化对象的产生个数。所以要先锁定类的构造方法。

//若只要一个实例化对象,那么就可以在类的内部使用static方式来定义一个对象。

//这种就叫单例设计模式

//单例模式的作用确保所有对象都访问唯一实例

 


原文链接:https://www.cnblogs.com/abullet/p/10299343.html
如有疑问请与原作者联系

标签:

版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com
特别注意:本站所有转载文章言论不代表本站观点,本站所提供的摄影照片,插画,设计作品,如需使用,请与原作者联系,版权归原作者所有

上一篇:并发concurrent---3

下一篇:构造方法私有化与单例模式