[关闭]
@Scrazy 2017-04-11T07:02:45.000000Z 字数 1330 阅读 961

单例模式

python 设计模式


单例模式,也叫单子模式,是一种常用的软件设计模式。在应用这个模式时,单例对象的类必须保证只有一个实例存在。许多时候整个系统只需要拥有一个的全局对象,这样有利于我们协调系统整体的行为。比如在某个服务器程序中,该服务器的配置信息存放在一个文件中,这些配置数据由一个单例对象统一读取,然后服务进程中的其他对象再通过这个单例对象获取这些配置信息。这种方式简化了在复杂环境下的配置管理。

1. 第一种方法, new 方法

  1. class Singleton(object):
  2. def __new__(cls):
  3. if not hasattr(cls, '_instance'):
  4. orig = super(Singleton,cls)
  5. cls._instance = orig.__new__(cls)
  6. return cls._instance
  7. 打开 Ipython 测试一下
  8. In [859]: class Singleton(object):
  9. ...: def __new__(cls):
  10. ...: if not hasattr(cls, '_instance'):
  11. ...: orig = super(Singleton,cls)
  12. ...: cls._instance = orig.__new__(cls)
  13. ...: return cls._instance
  14. ...:
  15. In [860]: s1 = Singleton()
  16. In [861]: s2 = Singleton()
  17. In [862]: s1
  18. Out[862]: <__main__.Singleton at 0x7f8c401650b8>
  19. In [863]: s2
  20. Out[863]: <__main__.Singleton at 0x7f8c401650b8>
  21. In [864]: s1 is s2
  22. Out[864]: True

2. 第二种,装饰器方法

  1. def singleton(cls, *args, **kwds):
  2. instance = {}
  3. def get_instance():
  4. if not cls in instance:
  5. instance[cls] = cls(*args, **kwds)
  6. return instance[cls]
  7. return get_instance
  8. 测试下:
  9. In [845]: def singleton(cls, *args, **kwds):
  10. ...: instance = {}
  11. ...: def get_instance():
  12. ...: if not cls in instance:
  13. ...: instance[cls] = cls(*args, **kwds)
  14. ...: return instance[cls]
  15. ...: return get_instance
  16. ...:
  17. In [846]: @singleton
  18. ...: class Example(object):
  19. ...: a = 1
  20. ...:
  21. In [847]: ex1 = Example()
  22. In [848]: ex2 = Example()
  23. In [849]: ex1
  24. Out[849]: <__main__.Example at 0x7f8c4015ca90>
  25. In [850]: ex2
  26. Out[850]: <__main__.Example at 0x7f8c4015ca90>
  27. In [851]: ex1.a
  28. Out[851]: 1
  29. In [852]: ex2.a
  30. Out[852]: 1

参考

单例模式

添加新批注
在作者公开此批注前,只有你和作者可见。
回复批注