with 語(yǔ)句是從 Python 2.5 開(kāi)始引入的一種與異常處理相關(guān)的功能(2.5 版本中要通過(guò) from __future__ import with_statement 導(dǎo)入后才可以使用),從 2.6 版本開(kāi)始缺省可用(參考 What's new in Python 2.6? 中 with 語(yǔ)句相關(guān)部分介紹)。with 語(yǔ)句適用于對(duì)資源進(jìn)行訪問(wèn)的場(chǎng)合,確保不管使用過(guò)程中是否發(fā)生異常都會(huì)執(zhí)行必要的“清理”操作,釋放資源,比如文件使用后自動(dòng)關(guān)閉、線程中鎖的自動(dòng)獲取和釋放等。
創(chuàng)新互聯(lián)服務(wù)項(xiàng)目包括東興網(wǎng)站建設(shè)、東興網(wǎng)站制作、東興網(wǎng)頁(yè)制作以及東興網(wǎng)絡(luò)營(yíng)銷(xiāo)策劃等。多年來(lái),我們專(zhuān)注于互聯(lián)網(wǎng)行業(yè),利用自身積累的技術(shù)優(yōu)勢(shì)、行業(yè)經(jīng)驗(yàn)、深度合作伙伴關(guān)系等,向廣大中小型企業(yè)、政府機(jī)構(gòu)等提供互聯(lián)網(wǎng)行業(yè)的解決方案,東興網(wǎng)站推廣取得了明顯的社會(huì)效益與經(jīng)濟(jì)效益。目前,我們服務(wù)的客戶(hù)以成都為中心已經(jīng)輻射到東興省份的部分城市,未來(lái)相信會(huì)繼續(xù)擴(kuò)大服務(wù)區(qū)域并繼續(xù)獲得客戶(hù)的支持與信任!術(shù)語(yǔ)
要使用 with 語(yǔ)句,首先要明白上下文管理器這一概念。有了上下文管理器,with 語(yǔ)句才能工作。
在python中讀寫(xiě)操作資源,最后需要釋放資源??梢允褂胻ry…finally結(jié)構(gòu)實(shí)現(xiàn)資源的正確釋放,python提供了一個(gè)with語(yǔ)句能更簡(jiǎn)便的實(shí)現(xiàn)釋放資源。
1. python像文件的操作open等已經(jīng)可以直接使用with語(yǔ)句
2. 可以自定義一個(gè)支持with語(yǔ)句對(duì)象
3. 使用contextlib也可以使用with語(yǔ)句對(duì)象
4. 針對(duì)需要close操作的對(duì)象with的使用
示例代碼中有4種使用標(biāo)注
# 自定義支持with語(yǔ)句的對(duì)象 class DummyRes: def __init__(self, tag): self.tag = tag def __enter__(self): print("Enter >>> {}".format(self.tag)) return self def __exit__(self, exc_type, exc_value, exc_tb): print("Exit <<< {}".format(self.tag)) if exc_tb is None: print("Exit without Exception {}".format(self.tag)) return False else: print("Exit with Exception {}".format(self.tag)) return True # 支持closing 上下文with語(yǔ)句對(duì)象 class Closing: def __init__(self, thing): self.thing = thing def __enter__(self): return self def __exit__(self, exc_type, exc_value, exc_tb): self.thing.close() class ClosingDemo: def __init__(self): self.acquire() def acquire(self): print("Acquire RES") def close(self): print("Close RES") from contextlib import contextmanager class ContextDemo: def __init__(self): print("Context Demo init") raise Exception print("Context Demo init") def print(self): print("Context Demo print 1") #raise Exception print("Context Demo print 2") def close(self): print("Context Demo close") def context_demo(): print("context demo in") raise Exception print("context demo out") @contextmanager def demo(): print("Allocate Resoures") try: yield context_demo finally: print("raise exception") #yield "*** contextmanager demo ***" print("Free Resoures") if __name__ == "__main__": # 1. 使用with語(yǔ)句 (自動(dòng)關(guān)閉文件) with open("test.txt", "w") as f: f.write("write test") # 2. 自動(dòng)定義with語(yǔ)句 with DummyRes("test") as res: print("With body 1") raise Exception print("With body 2") # 3. 利用contextlib定義with語(yǔ)句 with demo(): print("exc demo") # 4. closing 上下文 (適合有close操作的情況) with Closing(ClosingDemo()): print("Use Resoures")