Python Static Method Explained [Basics to Advanced]


Written by - Bashir Alam
Reviewed by - Deepak Prasad

In the realm of object-oriented programming (OOP) in Python, methods play a crucial role in defining the behavior of classes and their objects. However, not all methods need to interact with instance or class-specific data. This is where static methods come into the picture.

 

Getting started with Static Method in Python

A static method is a method that belongs to a class rather than any specific object instance. It means the method can be called on the class itself, rather than on instances of the class. The most important feature of a static method is that it can't modify the class state or the state of its instances because it doesn't accept a self (instance) or cls (class) argument. Static methods are defined using the @staticmethod decorator in Python.

class MyClass:
    def normal_method(self, arg1, arg2):
        print("This is a normal instance method.")
        
    @staticmethod
    def static_method(arg1, arg2):
        print("This is a static method.")

 

Basic syntax using the @staticmethod Decorator

In Python, static methods are declared using the @staticmethod decorator. This tells Python that the method should not receive any special first argument like self (which represents the instance) or cls (which represents the class).

To define a static method, you place the @staticmethod decorator above the method definition:

@staticmethod
def static_method_name(arguments):
    # your code here

Here's a simple example to illustrate a static method within a Python class:

class Calculator:
    
    @staticmethod
    def add(a, b):
        return a + b
    
    @staticmethod
    def multiply(a, b):
        return a * b
    
# Using static methods
result1 = Calculator.add(5, 3)  # Output: 8
result2 = Calculator.multiply(4, 3)  # Output: 12

print("Addition:", result1)
print("Multiplication:", result2)

In this example, both add and multiply methods are defined as static methods using the @staticmethod decorator. You can call these methods directly on the class, without creating an instance of the class.

 

Characteristics of Static Methods

Static methods in Python have unique characteristics that distinguish them from other types of methods. Understanding these traits will help you use static methods more effectively.

No Self Argument

Unlike instance methods, which take a self parameter to access and modify object attributes, static methods don't have a self parameter. This means they can't access or modify instance-specific data.

# Instance method
def instance_method(self, arg1, arg2):
    # code here

# Static method
@staticmethod
def static_method(arg1, arg2):
    # code here

No Class Argument

Static methods also differ from class methods, which take a cls parameter to access and modify class-level attributes. A static method doesn't know anything about the class or instance it was called on.

# Class method
@classmethod
def class_method(cls, arg1, arg2):
    # code here

# Static method
@staticmethod
def static_method(arg1, arg2):
    # code here

Accessibility

Static methods are accessible both on the class and on instances. This means you can call a static method on a class and on any instance of that class, but it will behave the same way in either case because it doesn't depend on any class or instance attributes.

class MyClass:
    
    @staticmethod
    def my_static_method(arg1):
        print(f"Argument received is {arg1}")

# Accessing static method via class
MyClass.my_static_method("via class")  # Output: "Argument received is via class"

# Accessing static method via instance
obj = MyClass()
obj.my_static_method("via instance")  # Output: "Argument received is via instance"

 

When to Use Static Methods

Static methods are useful for specific use-cases within the context of a class. Let's go through some scenarios where static methods make sense to use.

Utility Functions

If a method performs a function that doesn't depend on the state of the instance or class itself, then it's a good candidate for a static method. Utility functions are good examples; these functions perform a specific task that is self-contained and doesn't need to modify or access any class or instance-specific data.

class MathOperations:
  
    @staticmethod
    def add(a, b):
        return a + b
    
    @staticmethod
    def multiply(a, b):
        return a * b

# Usage
result = MathOperations.add(5, 10)  # Output will be 15
print(result)

Here, the add and multiply methods perform operations that don't depend on any class or instance attributes. They're purely functional and self-contained.

Factory Methods

Static methods can serve as factory methods, which instantiate objects in a customized way. Since they don't depend on any class-specific data, factory methods can be considered static.

class Dog:

    _total_dogs = 0
    
    def __init__(self, name, breed):
        self.name = name
        self.breed = breed
        Dog._total_dogs += 1

    @staticmethod
    def from_str(data_str):
        name, breed = data_str.split(',')
        return Dog(name.strip(), breed.strip())
        
# Usage
dog1 = Dog.from_str("Buddy, Golden Retriever")
print(dog1.name)  # Output: "Buddy"
print(dog1.breed)  # Output: "Golden Retriever"

Here, the from_str static method acts as a factory method. It provides an alternative way to create a Dog object from a comma-separated string.

 

Static Method vs Class Method

Static methods and class methods are similar in that they both operate on a class rather than an instance. However, there are key differences that determine when each should be used. Let's look at those differences and illustrate them with examples.

Key Differences

  • Access to Class State: Class methods can access and modify class-level attributes, while static methods cannot.
  • Method Signature: Static methods do not take any special first parameter (self or cls), while class methods take a class (cls) as their first parameter.
  • Inheritance: Class methods are inheritable and can be overridden by subclasses, which allows them to participate in polymorphism. Static methods, however, are not involved in the inheritance chain and don't rely on class-specific attributes.
  • Purpose: Static methods are typically used for utility functions that are related to a class but don't need to access or modify class or instance attributes. Class methods, however, often interact with class attributes or are meant to be overridden by subclasses.

Static Method

class Calculator:
  
    @staticmethod
    def add(a, b):
        return a + b

# Usage
result = Calculator.add(5, 10)  # Output will be 15
print(result)

Here, add is a static method because it doesn't access or modify any class or instance attributes and operates only on the parameters passed to it.

Class Method

class Dog:

    _total_dogs = 0

    def __init__(self, name):
        self.name = name
        Dog._total_dogs += 1

    @classmethod
    def total_dogs(cls):
        return cls._total_dogs

# Usage
dog1 = Dog("Buddy")
dog2 = Dog("Molly")

print(Dog.total_dogs())  # Output will be 2

Here, total_dogs is a class method that accesses a class attribute _total_dogs. It operates on the class rather than an instance of the class, and it has access to the class's attributes and methods.

 

Static Method vs Instance Method

Static methods and instance methods are two types of methods you can define in a Python class, each with its specific use-cases and characteristics. Below are their key differences and illustrative examples.

Key Differences

  • Access to Instance State: Instance methods can access and modify instance attributes using the self parameter. Static methods don't have access to these attributes because they don't take a self parameter.
  • Method Signature: Static methods don't take any special first parameter (self or cls), whereas instance methods take the instance (self) as their first parameter.
  • Purpose: Static methods are typically used for utility functions related to a class but not dependent on the state of the instance. In contrast, instance methods often do depend on the state of individual objects and may change that state.
  • Invocation: Static methods are called using the class name, not the instance. On the other hand, instance methods are called on instances of the class.

Static Method

class MathOperations:
    
    @staticmethod
    def add(a, b):
        return a + b

# Usage
result = MathOperations.add(5, 10)  # Output will be 15
print(result)

In this example, the add method is a static method, as it performs a calculation without needing to access or modify any instance-specific data.

Instance Method

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

    def area(self):
        return 3.14159 * self.radius ** 2

# Usage
circle = Circle(5)
result = circle.area()  # Output will be 78.53975
print(result)

Here, area is an instance method. It accesses an instance attribute (self.radius) to perform its calculation

 

Common Use-Cases

Static methods can serve various purposes within your Python classes. Below are some common use-cases, along with examples for better understanding.

Data Validation

Sometimes you need a method to validate data before creating an instance of a class. This is a perfect use-case for a static method because it operates independently of class attributes or instance state.

class User:

    @staticmethod
    def is_valid_username(username):
        return len(username) > 5

# Usage
if User.is_valid_username("John"):
    print("Username is too short.")
else:
    print("Username is valid.")

In this example, the is_valid_username static method helps validate the length of a username without needing to instantiate a User object.

Utility Functions in Classes

Static methods are great for housing utility functions relevant to a class. These are functions that perform some action beneficial to the class but don't interact with class or instance attributes.

import json

class JSONHelper:

    @staticmethod
    def pretty_print(json_obj):
        return json.dumps(json_obj, indent=4, sort_keys=True)

# Usage
json_data = {"name": "John", "age": 30, "city": "New York"}
pretty_data = JSONHelper.pretty_print(json_data)
print(pretty_data)

Here, the pretty_print static method provides a way to pretty-print JSON data. Again, this method doesn't need to know anything about any JSONHelper instances, so making it a static method makes sense.

 

Examples and Best Practices

Understanding when and how to use static methods effectively can make your code more readable and maintainable. Below are some examples and best practices that can guide you on when to use static methods and when not to.

 

Examples Demonstrating When to Use

Constants Management

Static methods can be used to manage constants in a more readable way.

class Circle:
    PI = 3.14159

    @staticmethod
    def area(radius):
        return Circle.PI * radius * radius

# Usage
print("Area of circle:", Circle.area(5))

In this example, the static method area uses the constant PI, which is an attribute of the class but not specific to any instance.

Working with External Resources

If your class needs to interact with an external resource (like a file), a static method can encapsulate this operation.

class FileWriter:

    @staticmethod
    def write_to_file(text):
        with open('some_file.txt', 'w') as f:
            f.write(text)

# Usage
FileWriter.write_to_file('Hello, world!')

 

Examples Demonstrating When Not to Use

If You Need Access to Class State

If a method needs to access or modify the class state or instance state, it shouldn't be made static.

class MyClass:
    class_variable = 0

    def __init__(self, value):
        self.instance_variable = value

    # This should NOT be a static method because it accesses class state
    def not_recommended_as_static(self):
        print(self.class_variable, self.instance_variable)

 

Frequently Asked Questions

Can Static Methods Access Instance Attributes?

One of the most common misconceptions is that static methods can access instance attributes. In reality, they can't, as they don't take a self parameter. They work independently of class instances.

Are Static Methods Faster?

Another question that often comes up is whether static methods are faster than instance or class methods. While they may be marginally faster because they don't require instance or class binding, the difference is often negligible for most use-cases.

Can Static Methods be Overridden?

It's a common misconception that static methods can be easily overridden like instance methods. Static methods belong to the class and are not designed to be overridden in subclasses. They do not participate in polymorphism.

Can I Use @staticmethod and @classmethod Together?

You cannot use @staticmethod and @classmethod together. They serve different purposes and are meant to be used independently.

Do Static Methods Follow Inheritance?

While static methods are defined within a class and can be called on an instance of a subclass, they do not strictly follow the rules of inheritance like instance methods do. They exist primarily for utility and don't have access to subclass features unless explicitly coded to do so.

Should All Utility Functions be Static Methods?

Not necessarily. If a utility function is not closely tied to a class's functionality, it may be better suited as a standalone function rather than a static method.

Can Static Methods Call Other Static Methods?

Yes, static methods can call other static methods within the same class directly using the class name, or they can call static methods from other classes as long as those methods are accessible (public).

 

Performance Considerations

When to Use Static Methods for Performance

Using static methods can provide marginal performance improvements over instance methods in specific scenarios. This is because static methods don't have the overhead of accessing instance-specific data (since they don't take a self parameter) or class-specific data (since they don't take a cls parameter). This makes them slightly faster for methods that don't require access to either form of data.

Let's see a simple example to illustrate this point.

import time

class MyClass:
    def instance_method(self):
        return "This is an instance method."
    
    @staticmethod
    def static_method():
        return "This is a static method."

# Create an instance of MyClass
obj = MyClass()

# Time the instance method
start_time = time.time()
for _ in range(1000000):
    obj.instance_method()
end_time = time.time()
instance_method_time = end_time - start_time
print(f"Time taken for instance method: {instance_method_time}")

# Time the static method
start_time = time.time()
for _ in range(1000000):
    MyClass.static_method()
end_time = time.time()
static_method_time = end_time - start_time
print(f"Time taken for static method: {static_method_time}")

# Calculate the performance improvement
improvement = ((instance_method_time - static_method_time) / instance_method_time) * 100
print(f"Performance improvement: {improvement}%")

Output:

Time taken for instance method: 0.28 seconds
Time taken for static method: 0.22 seconds
Performance improvement: 21.43%

As you can see, the static method is slightly faster. However, keep in mind that the performance difference will be negligible in most real-world applications. The primary reason for using static methods should be based on design considerations, such as whether the method requires access to instance or class attributes, rather than performance.

 

Summary

Key Takeaways

  • Static methods in Python are methods that belong to a class rather than any particular object instance.
  • They are ideal for utility functions that perform a task independent of any class or instance attributes.
  • Static methods can provide slight performance gains for methods that don't require access to instance-specific or class-specific data.
  • Using the @staticmethod decorator is the standard way to define a static method.

When to Use Static Methods

  • When the method performs a utility function that doesn't access or modify class or instance attributes.
  • When you want to write code that is easier to understand and maintain.
  • When you want to include a method in a class that doesn't depend on class or instance attributes, thereby making the method's purpose and utility clearer.

 

Additional Resources

 

Bashir Alam

He is a Computer Science graduate from the University of Central Asia, currently employed as a full-time Machine Learning Engineer at uExel. His expertise lies in OCR, text extraction, data preprocessing, and predictive models. You can reach out to him on his Linkedin or check his projects on GitHub page.

Can't find what you're searching for? Let us assist you.

Enter your query below, and we'll provide instant results tailored to your needs.

If my articles on GoLinuxCloud has helped you, kindly consider buying me a coffee as a token of appreciation.

Buy GoLinuxCloud a Coffee

For any other feedbacks or questions you can send mail to admin@golinuxcloud.com

Thank You for your support!!

Leave a Comment

X