单利模式有两种
1、饿汉模式(线程安全的)
- package net.chopsuey.singleton;
-
- public final class EagerSingleton
- {
- private static EagerSingleton singObj = new EagerSingleton();
-
- private EagerSingleton()
- {
- }
-
- public static EagerSingleton getSingleInstance()
- {
- return singObj;
- }
- }
复制代码
2、懒汉模式(线程不安全)
- package net.chopsuey.singleton;
-
- public final class LazySingleton
- {
- private static LazySingleton singObj = null;
-
- private LazySingleton()
- {
- }
-
- public static LazySingleton getSingleInstance()
- {
- if (singObj == null)
- {
- singObj = new LazySingleton();
- }
- return singObj;
- }
复制代码
修改一下是可以实现线程安全的
- package net.chopsuey.singleton;
-
- public class Singleton
- {
- private static class SingletonHolder
- {
- static Singleton instance = new Singleton();
- }
-
- public static Singleton getInstance()
- {
- return SingletonHolder.instance;
- }
- }
复制代码
一个静态内部类内的一个静态成员就可以保证它只在类被加载时只初始化一次。
因此不管有多少个线程来调用它,都只能得到同个实例(类被加载时初始化的那个)。
在使用单利模式的时候应该注意多线程情况下是否会出错。 |
|