Python 设计模式 - 单例



此模式限制类的一个对象实例化。它是一种创建模式,只涉及一个类创建方法和指定的对象。

它提供了一个全局访问点来创建实例。

Singleton Pattern

如何实现单例类?

以下程序演示了单例类的实现,它打印多次创建的实例。

class Singleton:
   __instance = None
   @staticmethod 
   def getInstance():
      """ Static access method. """
      if Singleton.__instance == None:
         Singleton()
      return Singleton.__instance
   def __init__(self):
      """ Virtually private constructor. """
      if Singleton.__instance != None:
         raise Exception("This class is a singleton!")
      else:
         Singleton.__instance = self
s = Singleton()
print s

s = Singleton.getInstance()
print s

s = Singleton.getInstance()
print s

输出

上述程序生成以下输出 -

Implementation of Singleton

创建的实例数量相同,并且输出中列出的对象没有差异。

广告