
161 views
Attributes Meaning in Python
The Python term “attributes” typically refers to properties or characteristics associated with objects. These attributes can be thought of as variables that are bound to an object and describe its state or features. Attributes can be of two types:
- Instance Attributes:
- Instance attributes are associated with a specific instance of a class.
- They are defined within the methods of a class and are accessed using the
self
keyword. - Each instance of the class can have different values for its instance attributes. Example:
Python
class Person:
def __init__(self, name, age):
self.name = name # 'name' is an instance attribute
self.age = age # 'age' is an instance attribute
person1 = Person("Alice", 30)
person2 = Person("Bob", 25)
print(person1.name) # Accessing the 'name' attribute of person1
print(person2.age) # Accessing the 'age' attribute of person2
- Class Attributes:
- Class attributes are shared among all instances of a class.
- They are defined outside of any method in the class and are associated with the class itself.
- Class attributes have the same value for all instances of the class. Example:
Python
class Dog:
species = "Canis familiaris" # 'species' is a class attribute
def __init__(self, name, breed):
self.name = name # 'name' is an instance attribute
self.breed = breed # 'breed' is an instance attribute
dog1 = Dog("Buddy", "Golden Retriever")
dog2 = Dog("Charlie", "Poodle")
print(dog1.species) # Accessing the 'species' class attribute
print(dog2.species) # Accessing the 'species' class attribute
The examples above, name
and age
in the Person
class and name
and breed
in the Dog
class are instance attributes, while species
in the Dog
class is a class attribute.
Attributes play a crucial role in object-oriented programming (OOP) as they allow you to store and retrieve information about objects and define the characteristics and behaviors of classes. You can access attributes using dot notation (object.attribute
) to read or modify their values.