方法一:使用装饰器
装饰器维护一个字典对象instances,缓存了所有单例类,只要单例不存在则创建,已经存在直接返回该实例对象。
1
2
3
4
5
6
7
8
9
10
11
12
13
|
def singleton( cls ): instances = {} def wrapper( * args, * * kwargs): if cls not in instances: instances[ cls ] = cls ( * args, * * kwargs) return instances[ cls ] return wrapper @singleton class Foo( object ): pass foo1 = Foo() foo2 = Foo() print foo1 is foo2 |
方法二:使用基类
__new__是真正创建实例对象的方法,所以重写基类的__new__方法,以此来保证创建对象的时候只生成一个实例
1
2
3
4
5
6
7
8
9
10
|
class Singleton( object ): def __new__( cls , * args, * * kwargs): if not hasattr ( cls , '_instance' ): cls ._instance = super (Singleton, cls ).__new__( cls , * args, * * kwargs) return cls ._instance class Foo(Singleton): pass foo1 = Foo() foo2 = Foo() print foo1 is foo2 # True |
方法三:使用元类
元类(参考:深刻理解Python中的元类)是用于创建类对象的类,类对象创建实例对象时一定会调用__call__方法,因此在调用__call__时候保证始终只创建一个实例即可,type是python中的一个元类。
1
2
3
4
5
6
7
8
9
10
|
class Singleton( type ): def __call__( cls , * args, * * kwargs): if not hasattr ( cls , '_instance' ): cls ._instance = super (Singleton, cls ).__call__( * args, * * kwargs) return cls ._instance class Foo( object ): __metaclass__ = Singleton foo1 = Foo() foo2 = Foo() print foo1 is foo2 # True |
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://foofish.net/python_singleton.html