What are the implications of registering an instance method with atexit in Python?

Question:

Assume I’ve got some really big Python class that might consume a fair amount of memory. The class has some method that is responsible for cleaning up some things when the interpreter exits, and it gets registered with the atexit module:

import atexit
import os

class ReallyBigClass(object):
    def __init__(self, cache_file):
        self.cache_file = open(cache_file)
        self.data = <some large chunk of data>
        atexit.register(self.cleanup)

    <insert other methods for manipulating self.data>

    def cleanup(self):
        os.remove(self.cache_file)

Various instances of this class might come and go throughout the life of the program. My questions are:

Is registering the instance method with atexit safe if I, say, del all my other references to the instance? In other words, does atexit.register() increment the reference counter in the same way as traditional binding would? If so, does the entire class instance now have to hang around in memory and wait until exit because one of its methods has been registered with atexit, or can portions of the instance be garbage collected? What would be the preferred way to structure such a cleanup at exit for transient class instances like this so that garbage collection can happen effectively?

Asked By: Jed

||

Answers:

My imagination for atexit implementation is like below:

try:
    # Your whole program
finally:
    if sys.exitfunc:
        sys.exitfunc()

and module atexit just setup sys.exitfunc to own callback. So you don’t need to worry about any disappeared objects due to any cleanup caused by interpreter shutdown.

NOTE 1: it’s not specified what will happen if sys.exitfunc will call sys.exit(EXIT_CODE) but in my case ‘EXIT_CODE’ is returned

NOTE 2: atexit executes all registered functions sequentially and catch all exceptions, so it also hide sys.exit execution (as it just raise SystemExit exception)

Answered By: ddzialak

Registering an instance method with atexit makes the whole class instance persist until the interpreter exits. The solution is to decouple any functions that are registered with atexit from the class. Then the instances can be successfully garbage collected. For example,

import atexit
import os
import gc
import random

class BigClass1(object):
    """atexit function tied to instance method"""
    def __init__(self, cache_filename):
        self.cache_filename = cache_filename
        self.cache_file = open(cache_filename, 'wb')
        self.data = [random.random() for i in range(10000000)]
        atexit.register(self.cleanup)

    def cleanup(self):
        self.cache_file.close()
        os.remove(self.cache_filename)

class BigClass2(object):
    def __init__(self, cache_filename):
        """atexit function decoupled from instance"""
        self.cache_filename = cache_filename
        cache_file = open(cache_filename, 'wb')
        self.cache_file = cache_file
        self.data = [random.random() for i in range(10000000)]
        
        def cleanup():
            cache_file.close()
            os.remove(cache_filename)

        atexit.register(cleanup)

if __name__ == "__main__":
    import pdb; pdb.set_trace()

    big_data1 = BigClass1('cache_file1')
    del big_data1
    # When you reach this point, check process memory
    # before running the garbage collection below.
    gc.collect()
    # Now check process memory again. Memory usage will
    # be same as before the garbage collection call, indicating
    # that something still holds a reference to the class that
    # big_data1 used to reference.

    big_data2 = BigClass2('cache_file2')
    del big_data2
    # When you reach this point, check process memory
    # before running the garbage collection below.
    gc.collect()
    # Now check process memory again. Memory usage will
    # have dropped, indicating that the class instance that
    # big_data2 used to reference has been
    # successfully garbage collected.

Stepping through this line by line and monitoring the process memory shows that memory consumed by big_data1 is held until the interpreter exits while big_data2 is successfully garbage collected after del. Running each test case alone (comment out the other test case) provides the same results.

Answered By: Jed
Categories: questions Tags: ,
Answers are sorted by their score. The answer accepted by the question owner as the best is marked with
at the top-right corner.