Python单例模式研究

时间:2022-09-16 14:33:57

方法一

  1. import threading
  2. class Singleton(object):
  3. __instance = None
  4. __lock = threading.Lock()   # used to synchronize code
  5. def __init__(self):
  6. "disable the __init__ method"
  7. @staticmethod
  8. def getInstance():
  9. if not Singleton.__instance:
  10. Singleton.__lock.acquire()
  11. if not Singleton.__instance:
  12. Singleton.__instance = object.__new__(Singleton)
  13. object.__init__(Singleton.__instance)
  14. Singleton.__lock.release()
  15. return Singleton.__instance

1.禁用__init__方法,不能直接创建对象。

2.__instance,单例对象私有化。

3.@staticmethod,静态方法,通过类名直接调用。

4.__lock,代码锁。

5.继承object类,通过调用object的__new__方法创建单例对象,然后调用object的__init__方法完整初始化。

6.双重检查加锁,既可实现线程安全,又使性能不受很大影响。

方法二:使用decorator

  1. #encoding=utf-8
  2. def singleton(cls):
  3. instances = {}
  4. def getInstance():
  5. if cls not in instances:
  6. instances[cls] = cls()
  7. return instances[cls]
  8. return getInstance
  9. @singleton
  10. class SingletonClass:
  11. pass
  12. if __name__ == '__main__':
  13. s = SingletonClass()
  14. s2 = SingletonClass()
  15. print s
  16. print s2

也应该加上线程安全

附:性能没有方法一高

  1. import threading
  2. class Sing(object):
  3. def __init__():
  4. "disable the __init__ method"
  5. __inst = None # make it so-called private
  6. __lock = threading.Lock() # used to synchronize code
  7. @staticmethod
  8. def getInst():
  9. Sing.__lock.acquire()
  10. if not Sing.__inst:
  11. Sing.__inst = object.__new__(Sing)
  12. object.__init__(Sing.__inst)
  13. Sing.__lock.release()
  14. return Sing.__inst