Python class attributes within a list of instances are not recognized properly

281 Views Asked by At

I'm trying to use class objects in a list for the first time. But for some reason, the attributes of all class objects in the list are getting assigned the same value as the last object in the list. Here's my code:

# First I define the class
class Batsman:
   def __init__(self, innings, avg, sr):
       Batsman.innings = innings
       Batsman.avg = avg
       Batsman.sr = sr

# Then I create the list of class objects:
batsman = [
        Batsman(100,45,65),
        Batsman(50,40,60)
]

# Then I print the below:

print(batsman[0].innings)

Output should be 100, but it is 50 instead. Why is this? If I use 5 instances, the attributes of all 5 get reset to whatever the last object contains. Why is this?

1

There are 1 best solutions below

0
On

When using the name of the class Batsman you are refering to the class not the instance, you need to use self:

class Batsman:
   def __init__(self, innings, avg, sr):
       self.innings = innings
       self.avg = avg
       self.sr = sr

# Then I create the list of class objects:
batsman = [
        Batsman(100,45,65),
        Batsman(50,40,60)
]

# Then I print the below:

print(batsman[0].innings)

You can check some extra explanations and inforamtion about self in this other question