美文网首页
python中的单例模式

python中的单例模式

作者: Pig_wu饲养员 | 来源:发表于2018-02-10 21:43 被阅读0次

python中的单例模式的四种实现

First、 使用类中的__new__方法实现,这里需要提一下,__new__是python在创建实例时调用的方法, __init__是python在初始化实例时调用的方法,代码如下:

# -*- coding:utf-8 -*-

class Singleton(object):
    _instance = None
    
    def __new__(cls, *args, **kwargs):
        if not cls._instance:
            cls._instance = super(Singleton, self).__new__(cls, *args, **kwargs)
        
        return cls._instance

Second、 使用元类方法实现,这里使用的是__init__方法,配合__call__方法实现。需要提一下,使用__new__方法也同样可以实现,但是这种方式不是很优雅,关于元类可以参考这篇文章https://www.cnblogs.com/tkqasn/p/6524879.html

# -*- coding:utf-8 -*-


class Singleton(type):
    
    def __init__(cls, name, bases, dict):
        super(Singleton, cls).__init__(name, bases, dict)
        cls._instance = None
        
    def __call__(cls, *args, **kwargs):
        if not cls._instance:
            cls._instance = super(Singleton, cls).__call__(*args, **kwargs)
            
        return cls._instance

class TestSingleton(object):
    __metaclass__ = Singleton

Third 使用类装饰器实现

# -*- coding:utf-8 -*-


def singleton(cls):
    instance = None
    
    def wrapper(*args, **kwargs):
        if not instance:
            instance = cls(*args, **kwargs)
        
        return instance
    return wrapper
  
@singleton
class Singleton(object):
    pass

Fourth 使用import实现

python自在的import的机制就是一个单例模式,每个模块只导入一次

相关文章

  • python中OOP的单例

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

  • 单例

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

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

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

  • Python设计模式 之 Borg模式

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

  • python 单例

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

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

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

  • python单例模式

    Python单例模式 单例模式 单例模式是一种常用的软件设计模式。在它的核心结构中只包含一个被称为单例类的特殊类。...

  • python之理解单例模式

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

  • python 的单例模式

    python设计模式中的 单例模式:单例模式可以通过__new__ 方法实现,而__new__ 方法一般用于继承不...

  • python单例和装饰器

    Python相关分享 单例 单例的定义: 单例模式,是一种常用的软件设计模式。在它的核心结构中只包含一个被称为单例...

网友评论

      本文标题:python中的单例模式

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