Learn Garbage Collection in Python

Introduction

In this article, we will learn about the Garbage Collection in Python. In Python, memory management is handled automatically by the Python memory manager, which allocates and deallocates memory for objects as needed. A key part of this memory management is a process called garbage collection.

What is a Garbage Collection?

Garbage collection is a mechanism that automatically reclaims memory occupied by objects that are no longer in use by the program. This saves memory leaks, which can cause your program to consume more and more memory over time, leading to performance issues or even crashes. Python garbage collector works by keeping track of all the objects in your program and monitoring their reference counts. An object's reference count is the number of variables or other objects that currently refer to it. When an object's reference count drops to zero, meaning there are no remaining references to it, the garbage collector marks it for deletion and reclaims its memory space.

Example

# Create an object
obj = object()

# Reference count is now 1
print(f"Reference count: {sys.getrefcount(obj)}")  # Output: Reference count: 2

# Create another reference to the same object
obj2 = obj

# Reference count is now 2
print(f"Reference count: {sys.getrefcount(obj)}")  # Output: Reference count: 3

# Remove the first reference
del obj

# Reference count is back to 1
print(f"Reference count: {sys.getrefcount(obj2)}")  # Output: Reference count: 2

# Remove the second reference
del obj2

# Reference count is now 0, and the object will be garbage collected

In the above example, we create an object and observe its reference count using the sys.getrefcount() function. Initially, the reference count is 2 because Python also keeps a temporary reference to the object while printing its reference count. We then create another variable, obj2, that refers to the same object, incrementing the reference count to 3. When we delete obj, the reference count drops back to 2. Finally, when we delete obj2, the reference count drops to 0, and the object becomes eligible for garbage collection.

Summary

Garbage collection in Python is a powerful feature that helps manage memory efficiently by automatically reclaiming memory occupied by objects that are no longer in use. While it generally works seamlessly in the background, understanding how it works can help you write more memory-efficient code.


Similar Articles