KEMBAR78
Context Manager | PDF | Scope (Computer Science) | Computer Programming
0% found this document useful (0 votes)
96 views39 pages

Context Manager

The document discusses Python contexts and context managers. It defines a context as the state surrounding a section of code that provides the setting for it to be understood. In Python, contexts include the global scope of a module and the state an object provides when executing code. Context managers allow code blocks to automatically enter and exit a context, cleaning up resources. They are useful for any operation that needs setup and teardown, like opening/closing a file or starting/stopping a process. Classes implement the context management protocol by providing __enter__ and __exit__ methods to control entry/exit actions.

Uploaded by

ulhaq18
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
96 views39 pages

Context Manager

The document discusses Python contexts and context managers. It defines a context as the state surrounding a section of code that provides the setting for it to be understood. In Python, contexts include the global scope of a module and the state an object provides when executing code. Context managers allow code blocks to automatically enter and exit a context, cleaning up resources. They are useful for any operation that needs setup and teardown, like opening/closing a file or starting/stopping a process. Classes implement the context management protocol by providing __enter__ and __exit__ methods to control entry/exit actions.

Uploaded by

ulhaq18
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 39

What is a context?

Oxford dictionary: The circumstances that form the setting for an event, statement, or
idea, and in terms of which it can be fully understood.

In Python: the state surrounding a section of code

# module.py
global scope
f = open('test.txt', 'r')
f → a file object
print(f.readlines())

f.close()

when print(f.readlines()) runs, it has a context in which it runs

→ global scope
Managing the context of a block of code

Consider the open file example: # module.py

f = open('test.txt', 'r')
perform_work(f)
f.close()

There could be an exception before we close the file → file remains open!

Need to better "manage" the context that perform_work(f) needs

f = open('test.txt', 'r')

try:
perform_work(f)
finally:
f.close()

this works → writing try/finally every time can get cumbersome


→ too easy to forget to close the file
Context Managers

→ create a context (a minimal amount of state needed for a block of code)

→ execute some code that uses variables from the context

→ automatically clean up the context when we are done with it

→ enter context → open file

→ work within context → read the file

→ exit context → close the file


Example

with open('test.txt', 'r') as f: create the context → open file

print(f.readlines()) work inside the context

exit the context → close file

Context managers manage data in our scope → on entry


→ on exit

Very useful for anything that needs to provide Enter / Exit Start / Stop Set / Reset

→ open / close file


→ start db transaction / commit or abort transaction
→ set decimal precision to 3 / reset back to original precision
try…finally…

The finally section of a try always executes

try:

except: always executes

even if an exception occurs in except block
finally:

Works even if inside a function and a return is in the try or except blocks

Very useful for writing code that should execute no matter what happens

But this can get cumbersome!

There has to be a better way!


Pattern

create some object

do some work with that object

clean up the object after we're done using it

We want to make this easy

→ automatic cleanup after we are done using the object


Context Managers PEP 343 object returned from context (optional)

with context as obj_name:

# with block (can use obj_name)

# after the with block, context is cleaned up automatically

Example

with open(file_name) as f: enter the context (optional) an object is returned


# file is now open
exit the context
# file is now closed
The context management protocol

Classes implement the context management protocol by implementing two methods:

__enter__ setup, and optionally return some object

__exit__ tear down / cleanup

over simplified
with CtxManager() as obj: mgr = CtxManager()
exception handling
# do something
# done with context obj = mgr.__enter__()
try:
# do something
finally:
# done with context
mgr.__exit__()
Use Cases

Very common usage is for opening a file (creating resource) and closing the file (releasing resource)

Context managers can be used for much more than creating and releasing resources

Common Patterns

• Open – Close
• Lock – Release
• Change – Reset
• Start – Stop
• Enter – Exit

Examples
• file context managers
• Decimal contexts
How Context Protocol Works class MyClass:
def __init__(self):
works in conjunction with a with statement # init class

my_obj = MyClass() def __enter__(self):


return obj
works as a regular class
__enter__, __exit__ were not called def __exit__(self, + …):
# clean up obj

with MyClass() as obj:

→ creates an instance of MyClass → no associated symbol, but an instance exists


→ calls my_instance.__enter__() → my_instance
→ return value from __enter__ is assigned to obj
(not the instance of MyClass that was created)

after the with block, or if an exception occurs inside the with block:

→ my_instance.__exit__ is called
Scope of with block

The with block is not like a function or a comprehension

The scope of anything in the with block (including the object returned from __enter__)

is in the same scope as the with statement itself

f is a symbol in global scope


# module.py

with open(fname) as f:
row = next(f)

row is also in the global scope

print(f)
f is closed, but the symbol exists
print(row)
row is available and has a value
The __enter__ Method

def __enter__(self):

This method should perform whatever setup it needs to

It can optionally return an object → as returned_obj

That's all there is to this method


The __exit__ Method

More complicated…

Remember the finally in a try statement? → always runs even if an exception occurs

__exit__ is similar → runs even if an exception occurs in with block

But should it handle things differently if an exception occurred?

→ maybe → so it needs to know about any exceptions that occurred

→ it also needs to tell Python whether to silence the exception, or let it propagate
The __exit__ Method

with MyContext() as obj:


raise ValueError

print ('done')

Scenario 1

__exit__ receives error, performs some clean up and silences error

print statement runs

no exception is seen

Scenario 2

__exit__ receives error, performs some clean up and let's error propagate

print statement does not run

the ValueException is seen


The __exit__ Method

Needs three arguments: → the exception type that occurred (if any, None otherwise)
→ the exception value that occurred (if any, None otherwise)
→ the traceback object if an exception occurred (if any, None otherwise)

Returns True or False: → True = silence any raised exception


→ False = do not silence a raised exception

def __exit__(self, exc_type, exc_value, exc_trace):


# do clean up work here
return True # or False

---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-14-39a69b57f322> in <module>()
1 with MyContext() as obj:
----> 2 raise ValueError
Code Exercises
Pattern: Open - Close

Open File
operate on open file
Close File

Open socket
operate on socket
Close socket
Pattern: Start - Stop

Start database transaction

perform database operations

Commit or rollback transaction

Start timer

perform operations

Stop timer
Pattern: Lock - Release

acquire thread lock

perform some operations

release thread lock


Pattern: Change - Reset

change Decimal context precision

perform some operations using the new precision

reset Decimal context precision back to original value

redirect stdout to a file

perform some operations that write to stdout

reset stdout to original value


Pattern: Wacky Stuff!

with tag('p'):
print('some text', end='') <p>some text</p>

with tag('p'):
print('some', end='')
<p>some <b>bold<b> text</p>
with tag('b'):
print('bold ', end='')
print('text', end='')
Pattern: Wacky Stuff!

with ListMaker(title='Items', prefix='- ',


indent=3, stdout='myfile.txt') as lm:

lm.print('Item 1')
>> myfile.txt
with lm :
Items
lm.print('item 1a')
- Item 1
lm.print('item 1b')
- item 1a
lm.print(Item 2')
- item 1b
with lm : - Item 2
lm.print('item 2a') - item 2a

lm.print('item 2b') - item 2b


Code Exercises
Context Manager Pattern

create context manager

enter context (and, optionally, receive an object)

do some work

exit context

with open(file_name) as f:

data = file.readlines()
Mimic Pattern using a Generator

def open_file(fname, mode): ctx = open_file('file.txt', 'r')


f = open(fname, mode)
f = next(ctx) opens file, and yields it
try:
yield f next(ctx) closes file
finally:
→ StopIteration exception
f.close()

ctx = open_file('file.txt', 'r')


f = next(ctx)

try:
# do work with file
finally:
try:
next(ctx)
except StopIteration:
pass
This works in general

def gen(args):
# do set up work here

try:
yield object This is quite clunky still
finally:
# clean up object here but you should see that we can almost
create a context manager pattern using
a generator function!
ctx = gen(…)
obj = next(ctx)

try:
# do work with obj
finally:
try:
next(ctx)
except StopIteration:
pass
Creating a Context Manager from a Generator Function

def open_file(fname, mode): generator function


f = open(fname, mode)
try: generator object → gen = open_file('test.txt', 'w')
yield f f = next(gen)
finally:
f.close() # do work with f
next(f) → closes f

class GenContext:
def __init__(self, gen): gen = open_file('test.txt', 'w')
self.gen = gen
with GenContext(gen) as f:
# do work
def __enter__(self):
obj = next(self.gen)
return obj

def __exit__(self, exc_type, exc_value, exc_tb):


next(self.gen)
return False
Code Exercises
So far…

we saw how to create a context manager using a class and a generator function

def gen_function(args):

try:
yield obj single yield the return value of __enter__

finally: cleanup phase __exit__


class GenContextManager:
def __init__(gen_func):
self.gen = gen_func()

def __enter__(self):
return next(self.gen) returns what was yielded

def __exit__(self, …):


next(self.gen) runs the finally block
Usage

with GenContextManager(gen_func):

We can tweak this a bit to also allow passing in class GenContextManager:


arguments to gen_func def __init__(gen_obj):
self.gen = gen_obj

def __enter__(self):
And usage now becomes:
return next(self.gen)
gen = gen_func(args) def __exit__(self, …):
next(self.gen)
with GenContextManager(gen):

This works, but we have to create the generator object first,


and use the GenContextManager class

→ lose clarity of what the context manager is


class GenContextManager:
Using a decorator to encapsulate these steps def __init__(gen_obj):
self.gen = gen_obj
gen = gen_func(args) def __enter__(self):
return next(self.gen)
with GenContextManager(gen):
… def __exit__(self, …):
next(self.gen)

def contextmanager_dec(gen_fn):

def helper(*args, **kwargs):

gen = gen_fn(*args, **kwargs)

return GenContextManager(gen)

return helper
Usage Example def contextmanager_dec(gen_fn):
@contextmanager_dec def helper(*args, **kwargs):
def open_file(f_name):
f = open(f_name) gen = gen_fn(*args, **kwargs)
try:
yield f return GenContextManager(gen)

return helper
finally:
f.close()

→ open_file = contextmanager_dec(open_file)
→ open_file is now actually the helper closure

calling open_file(f_name)

→ calls helper(f_name) [free variable gen_fn = open_file ]


→ creates the generator object
→ returns GenContextManager instance

→ with open_file(f_name)
The contextlib Module

One of the goals when context managers were introduced to Python


PEP 343
was to ensure generator functions could be used to easily create them

Technique is basically what we came up with

→ more complex → exception handling

→ if an exception occurs in with block, needs to be propagated


back to generator function
__exit__(self, exc_type, exc_value, exc_tb)
→ enhanced generators as coroutines → later

This is implemented for us in the standard library:

contextlib.contextmanager

→ decorator which turns a generator function into a context manager


Coding
Exercises

You might also like