Context managers
Allocate and release resources precisely when you want to.
The most common example is the with statement.
Suppose you have two related operations which you’d like to execute as a pair, with a block of code in between. Context managers allow you to do specifically that.
Example: open a file, write some data to it and close it. If an error occurs while writing the data to the file, it tries to close it:
with open('some_file', 'w') as opened_file:
opened_file.write('Hola!')Which is equivalent to:
file = open('some_file', 'w')
try:
file.write('Hola!')
finally:
file.close()A lot of boilerplate code is eliminated just by using with.
The main advantage of using a with statement is that it makes sure our file is closed without paying attention to how the nested block exits.
A common use case of context managers is locking and unlocking resources and closing opened files.
Implementing a Context Manager as a Class:
At the very least a context manager has an __enter__ and __exit__ method defined. Let’s make our own file-opening Context Manager and learn the basics.
class File(object):
def __init__(self, file_name, method):
self.file_obj = open(file_name, method)
def __enter__(self):
return self.file_obj
def __exit__(self, type, value, traceback):
self.file_obj.close()By defining __enter__ and __exit__ methods we can use our new class in a with statement!
Let’s try it:
with File('demo.txt', 'w') as opened_file:
opened_file.write('Hola!')Our __exit__ method accepts three arguments. They are required by every __exit__ method which is a part of a Context Manager class. Let’s talk about what happens under-the-hood.
The
withstatement stores the__exit__method of theFileclass.It calls the
__enter__method of theFileclass.The
__enter__method opens the file and returns it.The opened file handle is passed to
opened_file.We write to the file using
.write().The
withstatement calls the stored__exit__method.The
__exit__method closes the file.
Handling Exceptions
We did not talk about the type, value and traceback arguments of the __exit__ method. Between the 4th and 6th step, if an exception occurs, Python passes the type, value and traceback of the exception to the __exit__ method. It allows the __exit__ method to decide how to close the file and if any further steps are required. In our case we are not paying any attention to them.
What if our file object raises an exception? We might be trying to access a method on the file object which it does not supports. For instance:
with File('demo.txt', 'w') as opened_file:
opened_file.undefined_function('Hola!')Let’s list the steps which are taken by the with statement when an error is encountered:
It passes the type, value and traceback of the error to the
__exit__method.It allows the
__exit__method to handle the exception.If
__exit__returnsTruethen the exception was gracefully handled.If anything other than
Trueis returned by the__exit__method then the exception is raised by thewithstatement.
In our case the __exit__ method returns None (when no return statement is encountered then the method returns None). Therefore, the with statement raises the exception:
Traceback (most recent call last):
File "<stdin>", line 2, in <module>
AttributeError: 'file' object has no attribute 'undefined_function'Let’s try handling the exception in the __exit__ method:
class File(object):
def __init__(self, file_name, method):
self.file_obj = open(file_name, method)
def __enter__(self):
return self.file_obj
def __exit__(self, type, value, traceback):
print("Exception has been handled")
self.file_obj.close()
return True
with File('demo.txt', 'w') as opened_file:
opened_file.undefined_function()
# Output: Exception has been handledOur __exit__ method returned True, therefore no exception was raised by the with statement.
Implementing a Context Manager as a Generator
Implement Context Managers using decorators and generators. Python has a contextlib module for this very purpose. Instead of a class, we can implement a Context Manager using a generator function.
Example:
from contextlib import contextmanager
@contextmanager
def open_file(name):
f = open(name, 'w')
yield f
f.close()This way of implementing Context Managers appear to be more intuitive and easy, but requires some knowledge about generators, yield and decorators. In this example we have not caught any exceptions which might occur. It works in mostly the same way as the previous method.
Let’s dissect this method a little.
Python encounters the
yieldkeyword. Due to this it creates a generator instead of a normal function.Due to the decoration, contextmanager is called with the function name (
open_file) as it’s argument.The
contextmanagerdecorator returns the generator wrapped by theGeneratorContextManagerobject.The
GeneratorContextManageris assigned to theopen_filefunction. Therefore, when we later call theopen_filefunction, we are actually calling theGeneratorContextManagerobject.
So now that we know all this, we can use the newly generated Context Manager like this:
with open_file('some_file') as f:
f.write('hola!')Last updated