
What are Magic Methods?
March 21, 2025About 2 min
What are Magic Methods? 관련
How Python Magic Methods Work: A Practical Guide
Have you ever wondered how Python makes objects work with operators like + or -? Or how it knows how to display objects when you print them? The answer lies in Python's magic methods, also known as dunder (double under) methods. Magic methods are spe...
How Python Magic Methods Work: A Practical Guide
Have you ever wondered how Python makes objects work with operators like + or -? Or how it knows how to display objects when you print them? The answer lies in Python's magic methods, also known as dunder (double under) methods. Magic methods are spe...
Magic methods in Python are special methods that start and end with double underscores (__
). When you use certain operations or functions on your objects, Python automatically calls these methods.
For example, when you use the +
operator on two objects, Python looks for the __add__
method in the left operand. If it finds it, it calls that method with the right operand as an argument.
Here's a simple example that shows how this works:
class Point:
def __init__(self, x, y):
self.x = x
self.y = y
def __add__(self, other):
return Point(self.x + other.x, self.y + other.y)
p1 = Point(1, 2)
p2 = Point(3, 4)
p3 = p1 + p2 # This calls p1.__add__(p2)
print(p3.x, p3.y) # Output: 4 6
Let's break down what's happening here:
- We create a
Point
class that represents a point in 2D space - The
__init__
method initializes the x and y coordinates - The
__add__
method defines what happens when we add two points - When we write
p1 + p2
, Python automatically callsp1.__add__(p2)
- The result is a new
Point
with coordinates (4, 6)
This is just the beginning. Python has many magic methods that let you customize how your objects behave in different situations. Let's explore some of the most useful ones.