Я пытаюсь написать менеджер контекста, который использует других менеджеров контекста, поэтому клиентам не нужно знать весь рецепт, а только интерфейс, который я представляю. Я не могу сделать это с помощью @contextmanager
- код после вызова yield
не будет выполнен, если вы прерваны исключением, поэтому мне нужно использовать диспетчер на основе классов.
Вот небольшой пример script:
from contextlib import contextmanager
import pprint
d = {}
@contextmanager
def simple(arg, val):
print "enter", arg
d[arg] = val
yield
print "exit", arg
del d[arg]
class compl(object):
def __init__(self, arg, val):
self.arg=arg
self.val=val
def __enter__(self):
with simple("one",1):
with simple("two",2):
print "enter complex", self.arg
d[self.arg] = self.val
def __exit__(self,*args):
print "exit complex", self.arg
del d[self.arg]
print "before"
print d
print ""
with compl("three",3):
print d
print ""
print "after"
print d
print ""
Это выводит это:
before
{}
enter one
enter two
enter complex three
exit two
exit one
{'three': 3}
exit complex three
after
{}
Я хочу, чтобы он выводил это:
before
{}
enter one
enter two
enter complex three
{'one': 1, 'three': 3, 'two': 2}
exit complex three
exit two
exit one
after
{}
Можно ли описать контекстный менеджер на основе классов с помощью других менеджеров контекста?