Static methods let you group functions inside a class that don't need to use the class or object data. They help keep related code organized.
0
0
Static methods behavior in Python
Introduction
When you want a function inside a class but it doesn't need to access or change any object or class data.
When you want to group utility functions that belong logically to a class but don't depend on instance variables.
When you want to call a method without creating an object of the class.
When you want to keep your code clean by putting helper functions inside a class.
Syntax
Python
class ClassName: @staticmethod def method_name(parameters): # code here
The @staticmethod decorator marks the method as static.
Static methods do not receive self or cls parameters.
Examples
A static method
add that adds two numbers without needing any class or instance data.Python
class MathUtils: @staticmethod def add(a, b): return a + b
A static method
log that prints a message. You can call it without creating a Logger object.Python
class Logger: @staticmethod def log(message): print(f"Log: {message}")
Sample Program
This program shows how to define and call a static method multiply inside the Calculator class. We call it directly using the class name.
Python
class Calculator: @staticmethod def multiply(x, y): return x * y # Call static method without creating an object result = Calculator.multiply(4, 5) print(f"4 times 5 is {result}")
OutputSuccess
Important Notes
Static methods cannot access or modify instance (self) or class (cls) variables.
They behave like regular functions but live inside the class namespace.
You can call static methods using the class name or an instance, but using the class name is clearer.
Summary
Static methods are functions inside classes that don't use instance or class data.
Use @staticmethod decorator to create them.
Call static methods directly on the class without creating objects.