たとえばwith open(filename) as fp:
、を使用してファイルを開く、を使用してロックを取得するwith lock:
(はのlock
インスタンスですthreading.Lock
)。のcontextmanager
デコレータを使用して、独自のコンテキストマネージャを構築することもできますcontextlib
。たとえば、現在のディレクトリを一時的に変更してから元の場所に戻る必要がある場合に、これをよく使用します。
from contextlib import contextmanager
import os
@contextmanager
def working_directory(path):
current_dir = os.getcwd()
os.chdir(path)
try:
yield
finally:
os.chdir(current_dir)
with working_directory("data/stuff"):
# do something within data/stuff
# here I am back again in the original working directory
ここでは、一時的にリダイレクトすることをもう一つの例だsys.stdin
、sys.stdout
とsys.stderr
いくつかの他のファイルハンドルにし、後でそれを復元は:
from contextlib import contextmanager
import sys
@contextmanager
def redirected(**kwds):
stream_names = ["stdin", "stdout", "stderr"]
old_streams = {}
try:
for sname in stream_names:
stream = kwds.get(sname, None)
if stream is not None and stream != getattr(sys, sname):
old_streams[sname] = getattr(sys, sname)
setattr(sys, sname, stream)
yield
finally:
for sname, stream in old_streams.iteritems():
setattr(sys, sname, stream)
with redirected(stdout=open("/tmp/log.txt", "w")):
# these print statements will go to /tmp/log.txt
print "Test entry 1"
print "Test entry 2"
# back to the normal stdout
print "Back to normal stdout again"
そして最後に、一時フォルダーを作成し、コンテキストを離れるときにそれをクリーンアップする別の例:
from tempfile import mkdtemp
from shutil import rmtree
@contextmanager
def temporary_dir(*args, **kwds):
name = mkdtemp(*args, **kwds)
try:
yield name
finally:
shutil.rmtree(name)
with temporary_dir() as dirname:
# do whatever you want
with
にPython 3のドキュメントがあります。