Skip to content

Context manager #

Find similar titles

1회 업데이트 됨.

Edit
  • 최초 작성자
    Sardor
  • 최근 업데이트
    Sardor

Structured data

Category
Etc
Algorithm
Programming

Overview #

Python context managers are special constructs that represent blocks of code that are enclosed in the with statement. The with statement creates a block using the context manager protocol.

Usage example #

The simplest function that uses this protocol is the open() function. Every time we open a file, we need to close it, which would flush the output to disk (in fact, Python calls the close () method automatically, but its explicit use is a good way).

For example:

fp = open("./file.txt", "w")
fp.write("Hello, World")
fp.close()

That each time you do not call the close() method, we can use the context manager of the open() function, which will automatically close the file after exiting the block:

with open("./file.txt", "w") as fp:
fp.write("Hello, World")

We do not need to call the close method each time, which would flush the data into a file. The context manager is used to perform any actions before entering the block and after exiting it. But the functionality of context managers does not end there. In many programming languages, destructors are used for such tasks. But in Python if an object is used somewhere else then there is no guarantee that the destructor will be called, since the __del__ method is called only if all references to the object have been exhausted:

In [4]: class Hello:
   ...:     def __del__(self):
   ...:         print 'destructor'
   ...:

In [5]: f = Hello()

In [6]: c = Hello()

In [7]: e = Hello()

In [8]: del e
destructor

In [9]: del c
destructor

In [10]: c = f

In [11]: e = f

In [12]: del f  # Destructor is not called

We will solve this problem through context managers:

In [1]: class Hello:
   ...:     def __del__(self):
   ...:         print u'destructor'
   ...:     def __enter__(self):
   ...:         print u'enterng to block'
   ...:     def __exit__(self, exp_type, exp_value, traceback):
   ...:         print u'exiting from block'
   ...:

In [2]: f = Hello()

In [3]: c = f

In [4]: e = f

In [5]: d = f

In [6]: del d

In [7]: del e

In [8]: del c

In [9]: del f # <- destructor was called when all references to the object was deleted
desctructor

Now let's call the context manager:

In [10]: with Hello():
   ....:     print u'my code'
   ....:
entering to block
my code
exiting from block
destructor

We saw that there was a guaranteed exit from the block after the execution of our code.

References #

  1. https://docs.python.org/3/library/contextlib.html
  2. https://www.pythonsheets.com/notes/python-basic.html#using-contextmanager
0.0.1_20240318_1_v95