Python’s with
statement can be a very elegant alternative to long
try/except/finally clauses. It offers a standard protocol that classes
can implement to properly clean up state.
The best example for it’s value is file reading. A good implementation would have to look like this traditionally:
f = open('/tmp/myfile', 'r')
try:
content = f.read()
finally:
f.close()
The with
statement shortens this to the following code:
with open('/tmp/myfile', 'r') as f:
content = f.read()
Behind the scenes it wraps the finally
statement around this and makes
sure that the file gets closed upon leaving the with
block.
Your classes can implement the with
statement with a simple protocol.
The following example is silly, but demonstrates the point.
class Restorable(object):
def __enter__(self):
self.__dict_backup = copy.deepcopy(self.__dict__)
def __exit__(self, type, value, tb):
if tb is not None:
self.__dict__ = self.__dict_backup
return True
Restorable is a class that will backup the state when it’s called with
the with
statement. Upon leaving the with block with an exception, the
previous state is restored and the exception ignored. The __exit__
method gets information about any exception that occurred inside the
with
block and can thus react differently to successful and failed
execution.
There is more detail in the Python 2.6 changelog.
The full code of Restorable including usage examples of this classes is available as a syntax-colored paste on Lodge It.
This post is part of the Python on the toilet series.