#裝飾器方法單例模式
def singleton(cls):
_instance={}
def sinleton(*args,**kwargs):
if cls not in _instance:
_instance[cls]=cls(*args,**kwargs)
print(_instance[cls])
return _instance[cls]
return sinleton
@singleton
class s(object):
x=1def __init__(self,x):
self.x=x
a=s(2)
#類方法
import time
import threading
class singleton(object):
_instance_lock = threading.lock()
def __init__(self):
time.sleep(1)
@classmethod
def instance(cls, *args, **kwargs):
with singleton._instance_lock:
if not hasattr(singleton, "_instance"):
singleton._instance = singleton(*args, **kwargs)
return singleton._instance
def task(arg):
obj = singleton.instance()
print(obj)
for i in range(10):
t = threading.thread(target=task,args=[i,])
t.start()
time.sleep(20)
obj = singleton.instance()
print(obj)
#
__new__是真正建立例項物件的方法,所以重寫基類的__new__方法,以此來保證建立物件的時候只生成乙個例項class singleton(object):
def __new__(cls, *args, **kwargs):
if not hasattr(cls,'_the_instance'):
cls._the_instance=object.__new__(cls,*args, **kwargs)
return cls._the_instance
class a(singleton):
print 'init before'
def __init__(self):
print 'i am __init__'
def f(self):
print 'i am f'
a=a()
b=a()
a.f()
print 'done'
python單例模式繼承 python單例模式
我們可以使用 new 這個特殊方法。該方法可以建立乙個其所在類的子類的物件。更可喜的是,我們的內建 object 基類實現了 new 方法,所以我們只需讓 sing 類繼承 object 類,就可以利用 object 的 new 方法來建立 sing 物件了。classsing object def...
單例模式 python
單例模式 保證乙個類僅有乙個例項,並提供乙個訪問它的全域性訪問點。實現 某個類只有乙個例項 途徑 1 讓乙個全域性變數使得乙個物件被訪問,但是它不能防止外部例項化多個物件。2 讓類自身負責儲存它的唯一例項。這個類可以保證沒有其他例項可以被建立。即單例模式。多執行緒時的單例模式 加鎖 雙重鎖定。餓漢式...
python單例模式
new 在 init 之前被呼叫,用於生成例項物件。利用這個方法和類的屬性的特點可以實現設計模式的單例模式。單例模式是指建立唯一物件,單例模式設計的類只能例項 例項化1個物件。class singleton object instance none def init self pass def ne...