Python单例模式
- 1、使用模块(推荐)
- 2、使用装饰器
- 3、使用new()方法
单例模式是最常见的一种设计模式,该模式确保系统中一个类仅有一个实例
常用的三种实现方式如下:
1、使用模块(推荐)
模块是天然单例的,因为模块只会被加载一次,加载后,其他脚本若导入使用时,会从sys.modules
中找到已加载好的模块,多线程下也是如此
编写Singleton.py
脚本:
class MySingleton():def __init__(self, name, age):self.name = nameself.age = age
其他脚本导入使用:
from Singleton import MySingletonsingle1 = MySingleton('Tom', 18)
single2 = MySingleton('Bob', 20)print(single1 is single2) # True
2、使用装饰器
# 编写一个单例模式的装饰器,来装饰哪些需要支持单例的类
from threading import RLockdef Singleton(cls):single_lock = RLock()instance = {}def singleton_wrapper(*args, **kwargs):with single_lock:if cls not in instance:instance[cls] = cls(*args, **kwargs)return instance[cls]return singleton_wrapper@Singleton
class MySingleton(object):def __init__(self, name, age):self.name = nameself.age = age# 该方式线程不安全,需要加锁校验single1 = MySingleton('Tom', 18)
single2 = MySingleton('Bob', 20)print(single1 is single2) # True
3、使用new()方法
Python的__new__()
方法是用来创建实例的,可以在其创建实例的时候进行控制
class MySingleton(object):single_lock = RLock()def __init__(self, name, age):self.name = nameself.age = agedef __new__(cls, *args, **kwargs):with MySingleton.single_lock:if not hasattr(MySingleton, '_instance'):MySingleton._instance = object.__new__(cls)return MySingleton._instancesingle1 = MySingleton('Tom', 18)
single2 = MySingleton('Bob', 20)print(single1 is single2) # True