Python中的设计模式

设计模式

单例模式

  • 使用类名()创建对象时,解释器默认调用类的__new__()方法为其分配内存,并返回对象的引用
  • 解释器获得对象的引用后,会将其传给__init__()的self参数,执行初始化动作
  • 单例:重写__new__()方法 + 只执行一次初始化动作
class Player(object):
    instance = None  # 类属性,记录单例对象的引用
    init_flag = False  # 类属性,记录是否执行过初始化动作

    def __new__(cls, *args, **kwargs):
        """懒汉单例"""
        if cls.instance is None:
            cls.instance = super().__new__(cls)
        return cls.instance

    def __init__(self):
        if Player.init_flag:  # 让初始化动作只执行一次
            return
        print("初始化")
        Player.init_flag = True


# 二者是同一个对象,且只执行了一次初始化动作
p1 = Player()
p2 = Player()

print(p1)  # 初始化
           # <__main__.Player object at 0x000001E87B3FB100>
print(p2)  # <__main__.Player object at 0x000001E87B3FB100>

上一篇:python中cls关键字


下一篇:使用NWPU VHR-10数据集训练Faster R-CNN模型