写一个Python的单例模式
时间: 2023-01-28 14:15:34 浏览: 99
单例模式
单例模式是一种常用的软件设计模式,它提供了一种确保一个类只有一个实例的方法。在 Python 中,我们可以使用模块来实现单例模式。
下面是一个示例:
```
class Singleton:
def __new__(cls):
if not hasattr(cls, 'instance'):
cls.instance = super(Singleton, cls).__new__(cls)
return cls.instance
s = Singleton()
print(s)
s1 = Singleton()
print(s1)
```
在上面的代码中,我们定义了一个 Singleton 类,并在它的 `__new__` 方法中检查是否已经创建了该类的实例。如果还没有,则使用 `super` 函数调用基类的 `__new__` 方法来创建实例,然后将其存储在 `instance` 属性中。每次调用 `Singleton` 类的时候,都会返回存储在 `instance` 属性中的实例。
运行上面的代码,你会看到输出的两个对象的地址都是一样的,说明它们是同一个实例。
阅读全文