美文网首页
Python单例模式

Python单例模式

作者: 小淼不卖萌 | 来源:发表于2018-09-15 02:29 被阅读0次

单例类

  • 单例类采用重载new方法,返回一个类对象
  • 实例化的类对象由new方法生成
  • new方法在 init方法调用前调用
  • 每次创建新对象时,返回相同的类对象

类的单例装饰器

  • cls表示对类的引用(函数装饰器一般用func,表示对函数的引用)
  • 将类实例存放在字典中,利用类的引用作key,保证类对象的唯一性
# 使用__new__
class Singleton(object):

    def __new__(cls):
        if not hasattr(cls, 'instance'):
            cls.instance = super(Singleton, cls).__new__(cls)
        return cls.instance


# 使用装饰器
def singleton(cls):
    instance = dict()
    def get_instance(*args, **kwargs):
        if cls not in instance:
            instance[cls] = cls(*args, **kwargs)
        return instance[cls]
    return get_instance


@singleton
class TEST(object):
    pass

if __name__ == '__main__':
    o1 = Singleton()
    o2 = Singleton()
    print id(o1), id(o2)

    m1 = TEST()
    m2 = TEST()
    print id(m1), id(m2)


to-do 加上信息的装饰器

代码对比不加类装饰器的情况

Java实现单例模式
github: https://github.com/buptxiaomiao/python_trick/blob/master/singleton.py

相关文章

  • python之理解单例模式

    python之理解单例模式 1、单例模式 单例模式(Singleton Pattern)是一种常见的软件设计模式,...

  • python中OOP的单例

    目录 单例设计模式 __new__ 方法 Python 中的单例 01. 单例设计模式 设计模式设计模式 是 前人...

  • 单例

    目标 单例设计模式 __new__ 方法 Python 中的单例 01. 单例设计模式 设计模式设计模式 是 前人...

  • 2018-06-19 Python中的单例模式的几种实现方式的及

    转载自: Python中的单例模式的几种实现方式的及优化 单例模式 单例模式(Singleton Pattern)...

  • python 单例

    仅用学习参考 目标 单例设计模式 __new__ 方法 Python 中的单例 01. 单例设计模式 设计模式设计...

  • 基础-单例模式

    单例模式总结-Python实现 面试里每次问设计模式,必问单例模式 来自《Python设计模式》(第2版) 1.理...

  • python单例模式

    python单例模式实现方式 使用模板 python模块是天然的单例模式(.pyc文件的存在) 使用__new__...

  • 一套完整Python经典面试题,实力派,做内容不做标题党!

    文末含Python学习资料 1:Python如何实现单例模式? Python有两种方式可以实现单例模式,下面两个例...

  • Python 面向对象7: 单例模式

    一、内容 1.1、单例设计模式 1.2、__new__方法 1.3、Python 中的单例 二、单例设计模式 2....

  • Python设计模式 之 Borg模式

    Borg模式 是单例模式在python中的变种。传统单例模式在python中,存在继承兄弟类之间状态隔离的问题。 ...

网友评论

      本文标题:Python单例模式

      本文链接:https://www.haomeiwen.com/subject/qizpbftx.html