Static Methods and Class Methods
  • Instance Methods: The most common method type. Able to access data and properties unique to each instance.
  • Static Methods: Cannot access anything else in the class. Totally self-contained code.
  • Class Methods: Can access limited methods in the class. Can modify class specific details.
    1. class Vehicle(object):
    2. """Document String: Define a Vehicle class"""
    3. count = 0; # static variable
    4.  
    5. def info():
    6. return Vehicle.count;
    7.  
    8. info = staticmethod(info) # static function
    9.  
    10. def __init__(self, brand, year):
    11. self._brand = brand;
    12. self._year = year;
    13. Vehicle.count += 1;
    14. def __str__(self):
    15. return self._brand+' '+str(self._year)
    16.  
    17. def __del__(self):
    18. Vehicle.count -= 1;
    19.  
    20. def main():
    21. vehicles = [Vehicle("Buick", 1998), Vehicle("Lincoln", 1999)]
    22.  
    23. print(Vehicle.info())
    24. print(vehicles[1].info())
    25.  
    26. if __name__ == '__main__':
    27. main()
    1. class Vehicle(object):
    2. """Document String: Define a Vehicle class"""
    3. count = 0;
    4.  
    5. @staticmethod
    6. def info():
    7. return Vehicle.count;
    8.  
    9. @classmethod
    10. def cla(cls):
    11. print('Call class method ...')
    12. print(Vehicle.info()) # class methods can call static methods
    13.  
    14. def __init__(self, brand, year):
    15. self._brand = brand;
    16. self._year = year;
    17. Vehicle.count += 1;
    18. def __str__(self):
    19. return self._brand+' '+str(self._year)
    20.  
    21. def __del__(self):
    22. Vehicle.count -= 1;
    23.  
    24. def main():
    25. vehicles = [Vehicle("Buick", 1998), Vehicle("Lincoln", 1999)]
    26.  
    27. print(Vehicle.info()) # call static method
    28. print(vehicles[1].info())
    29.  
    30. Vehicle.cla() # call class method
    31.  
    32. if __name__ == '__main__':
    33. main()
    Reference
  • Instance vs. Static vs. Class Methods in Python: The Important Differences