Python单例模式
时间: 2023-01-30 12:07:09 浏览: 130
单例模式是设计模式中的一种,它保证一个类只有一个实例,并提供一个全局访问点来访问该实例。
在 Python 中实现单例模式有多种方法。
一种方法是使用模块,因为模块在程序中只会被导入一次,所以可以将类的一个实例定义为模块级别的变量,然后在程序的其他地方导入并使用该模块:
```python
# 定义单例类
class Singleton:
def __init__(self):
self.value = 'foo'
# 创建单例的唯一实例
singleton = Singleton()
# 在其他模块中导入并使用单例
import my_module
print(my_module.singleton.value)
```
另一种方法是使用装饰器,可以创建一个装饰器来修饰类的构造函数,使得每次调用构造函数时都返回同一个实例:
```python
def singleton(cls):
instance = None
def wrapper(*args, **kwargs):
nonlocal instance
if instance is None:
instance = cls(*args, **kwargs)
return instance
return wrapper
@singleton
class MyClass:
def __init__(self, value):
self.value = value
# 创建单例的唯一实例
singleton = MyClass('foo')
# 多次调用构造函数,但都返回同一个实例
assert MyClass('bar') is singleton
assert MyClass('baz') is singleton
```
还有一种方法是使用元类,元类是在定义类时执行的代码,可以在元类中修
阅读全文