定义
所谓的类的单例设计模式,就是采取一定的方式保证在整个软件过程中,对某一个类只能存在一个对象实例
如何实现
我们首先必须将类的构 造器的访问权限设置为private,这样,就不能用new操作符在类的外部产生 类的对象了,但在类内部仍可以产生该类的对象。因为在类的外部开始还无 法得到类的对象,只能调用该类的某个静态方法以返回类内部创建的对象, 静态方法只能访问类中的静态成员变量,所以,指向类内部产生的该类对象 的变量也必须定义成静态的。
饿汉式
复制代码
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27package com.chen; import org.omg.CORBA.PUBLIC_MEMBER; public class singleton { public static void main(String[] args) { Bank bank1 = Bank.getInstance(); } } //饿汉式 class Bank{ // 1. 私有化类的构造器,这样在类的外部救无法new一个新的该类对象,但在类的内部可以 private Bank(){ } //2.内部创建类的对象 private static Bank instance = new Bank(); //3.提供公共的方法,返回类的对象 public static Bank getInstance(){ return instance; } }
懒汉式
复制代码
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25package com.chen; public class singleton2 { public static void main(String[] args) { Order order2 = Order.getInstance(); Order order1 = Order.getInstance(); System.out.println(order1 == order2); } } class Order{ private Order(){ } private static Order instance = null; public static Order getInstance() { if (instance == null) { instance = new Order(); } return instance; } }
比较
饿汉式,占用系统资源,但解决了线程安全问题
懒汉式 有线程安全问题
懒汉式的线程安全问题
方法一
复制代码
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20package com.chen; public class SingletonBank { } class BankTest{ private BankTest(){} private static BankTest instance2 = null; public static synchronized BankTest getInstance() { if(instance2==null){ instance2 = new BankTest(); } return instance2; } }
方法二
复制代码
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20package com.chen; public class SingletonBank { } class BankTest{ private BankTest(){} private static BankTest instance2 = null; public static BankTest getInstance() { synchronized (Bank.class) { if(instance2==null){ instance2 = new BankTest(); } return instance2; } } }
方法三 效率最高的
复制代码
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24package com.chen; public class SingletonBank { } class BankTest{ private BankTest(){} private static BankTest instance2 = null; public static BankTest getInstance() { if (instance2 == null) { synchronized (Bank.class) { if (instance2 == null) { instance2 = new BankTest(); } } } return instance2; } }
最后
以上就是怡然过客最近收集整理的关于单例模式的全部内容,更多相关单例模式内容请搜索靠谱客的其他文章。
本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
发表评论 取消回复