Python in Plain English

New Python content every day. Follow to join our 3.5M+ monthly readers.

Follow publication

Member-only story

Attribute Management using @property in Python: A Basic Guide With Examples

Oleh Davymuka
Python in Plain English
6 min readJul 5, 2023

To manage class attributes more effectively in Python, developers can use properties. These properties encapsulate the attributes and control their access and modification. Instead of using methods like get_x() and set_x(), developers can use the @property decorator as a more natural and concise way to manage attributes.

Getter Methods with @property

The primary purpose of the @property decorator is to simplify the creation of getter methods for class attributes. By using the @property decorator, we can define a read-only attribute that can be accessed without being explicitly invoked. Here's an example:

class Circle:
def __init__(self, radius):
self.radius = radius\

@property
def diameter(self):
return 2 * self.radius

circle = Circle(5)
print(circle.diameter) # Output: 10

The diameter method in this example is decorated with @property. This decoration allows us to access it as an attribute (circle.diameter), instead of a method (circle.diameter()). This improves the readability of the code and simplifies the usage of attributes.

Setter Methods with @property

Furthermore, we can create customized setter methods for class attributes using the @property decorator. This allows us to define rules or validations when setting attribute values. Here's an example:

class Rectangle:
def __init__(self, width, height):
self._width = width
self._height = height

@property
def width(self):
return self._width

@width.setter
def width(self, value):
if value > 0:
self._width = value
else:
raise ValueError("Width must be greater than 0.")

rectangle = Rectangle(5, 10)
print(rectangle.width) # Output: 5

rectangle.width = 8
print(rectangle.width) # Output: 8

rectangle.width = -3 # Raises ValueError: Width must be greater than 0.

Published in Python in Plain English

New Python content every day. Follow to join our 3.5M+ monthly readers.

Write a response