python 單例模式

2021-09-09 08:25:31 字數 2700 閱讀 8044

單例模式是一種物件建立型模式,確保某乙個類只有乙個例項,而且自行例項化並向整個系統提供這個例項,這個類稱為單例類。

**:# 例項化乙個單例

class singleton(object):

__instance = none

def __new__(cls, age, name):

# 如果類屬性__instance的值為none,

# 那麼就建立乙個物件,並且賦值為這個物件的引用,保證下次呼叫這個方法時

# 能夠知道之前已經建立過物件了,這樣就保證了只有1個物件

if not cls.__instance:

cls.__instance = object.__new__(cls)

return cls.__instance

a = singleton(20, "xiaoming")

b = singleton(22, "xiaozhang")

print(id(a))

print(id(b))

a.age = 21

print(b.age)

the result is :    36707856

36707856

21# 支援多執行緒的單例模式 ( 這種方式實現的單例模式,使用時會有限制,以後例項化必須通過 obj = singleton.instance() 如果用 obj=singleton() ,這種方式得到的不是單例  )

import time

import threading

class singleton(object):

_instance_lock = threading.lock()

def __init__(self):

time.sleep(1)

@classmethod

def instance(cls, *args, **kwargs):

if not hasattr(singleton, "_instance"):

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(2)

obj = singleton.instance()

print(obj)

<__main__.singleton object at 0x00000000032fa080><__main__.singleton object at 0x00000000032fa080>

<__main__.singleton object at 0x00000000032fa080><__main__.singleton object at 0x00000000032fa080>

<__main__.singleton object at 0x00000000032fa080><__main__.singleton object at 0x00000000032fa080><__main__.singleton object at 0x00000000032fa080><__main__.singleton object at 0x00000000032fa080>

<__main__.singleton object at 0x00000000032fa080><__main__.singleton object at 0x00000000032fa080>

<__main__.singleton object at 0x00000000032fa080>

class person(object):

instance = none    # 引用唯一的物件

is_first_run = true    # 如果為true代表第一次建立物件

def __new__(cls, *args, **kwargs):

if cls.instance == none  # 只有當instance為none時才建立新物件

cls.instance = object.__new__(cls)

return cls.instance

def __init__(self, name = 『』):    # 只有當第一次建立物件才應該初始化資料

if person.is_first_run:

self.name = name

person.is_first_run = false

def set_name(self, new_name):    # 單例模式一般用set方法修改屬性

self.name = new_name

zs = person('zhangsan')

print('zs=', zs.name)

ls = person()    # 對於不想傳參的情況,可以使用預設引數

ls.set_name('lisi')

print('ls=', ls.name)

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...