Open In App

Python Docstrings

Last Updated : 07 Aug, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

When it comes to writing clean, well-documented code, Python developers have a secret weapon at their disposal – docstrings. Docstrings, short for documentation strings, are vital in conveying the purpose and functionality of Python functions, modules, and classes.

What are the docstrings in Python?

Python documentation strings (or docstrings) provide a convenient way of associating documentation with Python modules, functions, classes, and methods. It’s specified in source code that is used, like a comment, to document a specific segment of code. Unlike conventional source code comments, the docstring should describe what the function does, not how.

  • Declaring Docstrings: The docstrings are declared using ”’triple single quotes”’ or “”” triple double quotes “”” just below the class, method, or function declaration. All functions should have a docstring.
  • Accessing Docstrings: The docstrings can be accessed using the __doc__ method of the object or using the help function. The below examples demonstrate how to declare and access a docstring.

What should a docstring look like?

  • The doc string line should begin with a capital letter and end with a period.
  • The first line should be a short description.
  • If there are more lines in the documentation string, the second line should be blank, visually separating the summary from the rest of the description.
  • The following lines should be one or more paragraphs describing the object’s calling conventions, side effects, etc.

Docstrings in Python

Below are the topics that we will cover in this article:

  • Triple-Quoted Strings
  • Google Style Docstrings
  • Numpydoc Style Docstrings
  • One-line Docstrings
  • Multi-line Docstrings
  • Indentation in Docstrings
  • Docstrings in Classes
  • Difference between Python comments and docstrings

Triple-Quoted Strings

This is the most common docstring format in Python. It involves using triple quotes (either single or double) to enclose the documentation text. Triple-quoted strings can span multiple lines and are often placed immediately below the function, class, or module definition

Example 1: Using triple single quotes

Python3




def my_function():
    '''Demonstrates triple double quotes
    docstrings and does nothing really.'''
  
    return None
 
print("Using __doc__:")
print(my_function.__doc__)
 
print("Using help:")
help(my_function)


Output:

Using __doc__:
Demonstrates triple double quotes
    docstrings and does nothing really.
Using help:
Help on function my_function in module __main__:
my_function()
    Demonstrates triple double quotes
    docstrings and does nothing really.

Example 2: Using triple-double quotes

Python3




def my_function():
    ' ' 'Demonstrates triple double quotes docstrings and does nothing really' ' '
  
    return None
 
print("Using __doc__:")
print(my_function.__doc__)
 
print("Using help:")
help(my_function)


Output:

Using __doc__:
Demonstrates triple double quotes docstrings and does nothing really.
Using help:
Help on function my_function in module __main__:
my_function()
    Demonstrates triple double quotes
    docstrings and does nothing really.

Google Style Docstrings

Google style docstrings follow a specific format and are inspired by Google’s documentation style guide. They provide a structured way to document Python code, including parameters, return values, and descriptions.

Python3




def multiply_numbers(a, b):
    """
    Multiplies two numbers and returns the result.
 
    Args:
        a (int): The first number.
        b (int): The second number.
 
    Returns:
        int: The product of a and b.
    """
    return a * b
print(multiply_numbers(3,5))


Output

15

Numpydoc Style Docstrings

Numpydoc-style docstrings are widely used in the scientific and data analysis community, particularly for documenting functions and classes related to numerical computations and data manipulation. It is an extension of Google-style docstrings, with some additional conventions for documenting parameters and return values.

Python3




def divide_numbers(a, b):
    """
    Divide two numbers.
 
    Parameters
    ----------
    a : float
        The dividend.
    b : float
        The divisor.
 
    Returns
    -------
    float
        The quotient of the division.
    """
    if b == 0:
        raise ValueError("Division by zero is not allowed.")
    return a / b
print(divide_numbers(3,6))


Output

0.5

One-line Docstrings

As the name suggests, one-line docstrings fit in one line. They are used in obvious cases. The closing quotes are on the same line as the opening quotes. This looks better for one-liners. For example:

Python3




def power(a, b):
    ' ' 'Returns arg1 raised to power arg2.' ' '
  
    return a**b
 
print(power.__doc__)


Output:

Returns arg1 raised to power arg2.

Multi-line Docstrings

Multi-line docstrings consist of a summary line just like a one-line docstring, followed by a blank line, followed by a more elaborate description. The summary line may be on the same line as the opening quotes or on the next line. The example below shows a multi-line docstring.

Python3




def add_numbers(a, b):
    """
    This function takes two numbers as input and returns their sum.
 
    Parameters:
    a (int): The first number.
    b (int): The second number.
 
    Returns:
    int: The sum of a and b.
    """
    return a + b
print(add_numbers(3, 5))


Output:

8

Indentation in Docstrings

The entire docstring is indented the same as the quotes in its first line. Docstring processing tools will strip a uniform amount of indentation from the second and further lines of the docstring, equal to the minimum indentation of all non-blank lines after the first line. Any indentation in the first line of the docstring (i.e., up to the first new line) is insignificant and removed. Relative indentation of later lines in the docstring is retained.

Python3




class Employee:
    """
    A class representing an employee.
 
    Attributes:
        name (str): The name of the employee.
        age (int): The age of the employee.
        department (str): The department the employee works in.
        salary (float): The salary of the employee.
    """
 
    def __init__(self, name, age, department, salary):
        """
        Initializes an Employee object.
 
        Parameters:
            name (str): The name of the employee.
            age (int): The age of the employee.
            department (str): The department the employee works in.
            salary (float): The salary of the employee.
        """
        self.name = name
        self.age = age
        self.department = department
        self.salary = salary
 
    def promote(self, raise_amount):
        """
        Promotes the employee and increases their salary.
 
        Parameters:
            raise_amount (float): The raise amount to increase the salary.
 
        Returns:
            str: A message indicating the promotion and new salary.
        """
        self.salary += raise_amount
        return f"{self.name} has been promoted! New salary: ${self.salary:.2f}"
 
    def retire(self):
        """
        Marks the employee as retired.
 
        Returns:
            str: A message indicating the retirement status.
        """
        # Some implementation for retiring an employee
        return f"{self.name} has retired. Thank you for your service!"
 
# Access the Class docstring using help()
help(Employee)


Output:

class Employee
 |  A class representing an employee.
 |  
 |  Attributes:
 |      name (str): The name of the employee.
 |      age (int): The age of the employee.
 |      department (str): The department the employee works in.
 |      salary (float): The salary of the employee.
 |  
 |  Methods defined here:
 |  
 |  __init__(self, name, age, department, salary)
 |      Initializes an Employee object.
 |      
 |      Parameters:
 |          name (str): The name of the employee.
 |          age (int): The age of the employee.
 |          department (str): The department the employee works in.
 |          salary (float): The salary of the employee.
 |  
 |  promote(self, raise_amount)
 |      Promotes the employee and increases their salary.
 |      
 |      Parameters:
 |          raise_amount (float): The raise amount to increase the salary.
 |      
 |      Returns:
 |          str: A message indicating the promotion and new salary.
 |  
 |  retire(self)
 |      Marks the employee as retired.
 |      
 |      Returns:
 |          str: A message indicating the retirement status.

Docstrings in Classes

Let us take an example to show how to write docstrings for a class and the method ‘help’ is used to access the docstring.

Python3




class ComplexNumber:
    """
    This is a class for mathematical operations on complex numbers.
 
    Attributes:
        real (int): The real part of the complex number.
        imag (int): The imaginary part of the complex number.
    """
 
    def __init__(self, real, imag):
        """
        The constructor for ComplexNumber class.
 
        Parameters:
            real (int): The real part of the complex number.
            imag (int): The imaginary part of the complex number.
        """
        self.real = real
        self.imag = imag
 
    def add(self, num):
        """
        The function to add two Complex Numbers.
 
        Parameters:
            num (ComplexNumber): The complex number to be added.
 
        Returns:
            ComplexNumber: A complex number which contains the sum.
        """
        re = self.real + num.real
        im = self.imag + num.imag
 
        return ComplexNumber(re, im)
 
# Access the Class docstring using help()
help(ComplexNumber)
 
# Access the method docstring using help()
help(ComplexNumber.add)


Output:

Help on class ComplexNumber in module __main__:
class ComplexNumber(builtins.objects)
 |  This is a class for mathematical operations on complex numbers.
 |  
 |  Attributes:
 |          real (int): The real part of complex number.
 |          imag (int): The imaginary part of complex number.
 |  
 |  Methods defined here:
 |  
 |  __init__(self, real, imag)
 |      The constructor for ComplexNumber class.
 |      
 |      Parameters:
 |      real (int): The real part of complex number.
 |      imag (int): The imaginary part of complex number.
 |  
 |  add(self, num)
 |      The function to add two Complex Numbers.
 |      
 |      Parameters:
 |              num (ComplexNumber): The complex number to be added.
 |      
 |      Returns:
 |              ComplexNumber: A complex number which contains the sum.
Help on method add in module __main__:
add(self, num) unbound __main__.ComplexNumber method
    The function to add two Complex Numbers.
    
    Parameters:
            num (ComplexNumber): The complex number to be added.
    
    Returns:
            ComplexNumber: A complex number which contains the sum.

Difference between Python comments, String, and Docstrings

String: In Python, a string is a sequence of characters enclosed within single quotes (‘ ‘) or double quotes (” “). Strings are used to represent text data and can contain letters, numbers, symbols, and whitespace. They are one of the fundamental data types in Python and can be manipulated using various string methods.

You all must have got an idea about Python docstrings but have you ever wondered what is the difference between Python comments and docstrings? Let’s have a look at them.

They are useful information that the developers provide to make the reader understand the source code. It explains the logic or a part of it used in the code. It is written using

#

symbols.

Example:

Python3




# Python program to demonstrate comments
print("GFG")
 
name = "Abhishek Shakya" #demostrate String


Output:

GFG

Whereas Python Docstrings as mentioned above provides a convenient way of associating documentation with Python modules, functions, classes, and methods.



Similar Reads

Important differences between Python 2.x and Python 3.x with examples
In this article, we will see some important differences between Python 2.x and Python 3.x with the help of some examples. Differences between Python 2.x and Python 3.x Here, we will see the differences in the following libraries and modules: Division operatorprint functionUnicodexrangeError Handling_future_ modulePython Division operatorIf we are p
5 min read
Python program to build flashcard using class in Python
In this article, we will see how to build a flashcard using class in python. A flashcard is a card having information on both sides, which can be used as an aid in memoization. Flashcards usually have a question on one side and an answer on the other. Particularly in this article, we are going to create flashcards that will be having a word and its
2 min read
Python | Merge Python key values to list
Sometimes, while working with Python, we might have a problem in which we need to get the values of dictionary from several dictionaries to be encapsulated into one dictionary. This type of problem can be common in domains in which we work with relational data like in web developments. Let's discuss certain ways in which this problem can be solved.
4 min read
Reading Python File-Like Objects from C | Python
Writing C extension code that consumes data from any Python file-like object (e.g., normal files, StringIO objects, etc.). read() method has to be repeatedly invoke to consume data on a file-like object and take steps to properly decode the resulting data. Given below is a C extension function that merely consumes all of the data on a file-like obj
3 min read
Python | Add Logging to a Python Script
In this article, we will learn how to have scripts and simple programs to write diagnostic information to log files. Code #1 : Using the logging module to add logging to a simple program import logging def main(): # Configure the logging system logging.basicConfig(filename ='app.log', level = logging.ERROR) # Variables (to make the calls that follo
2 min read
Python | Add Logging to Python Libraries
In this article, we will learn how to add a logging capability to a library, but don’t want it to interfere with programs that don’t use logging. For libraries that want to perform logging, create a dedicated logger object, and initially configure it as shown in the code below - Code #1 : C/C++ Code # abc.py import logging log = logging.getLogger(_
2 min read
JavaScript vs Python : Can Python Overtop JavaScript by 2020?
This is the Clash of the Titans!! And no...I am not talking about the Hollywood movie (don’t bother watching it...it's horrible!). I am talking about JavaScript and Python, two of the most popular programming languages in existence today. JavaScript is currently the most commonly used programming language (and has been for quite some time!) but now
5 min read
Python | Visualizing O(n) using Python
Introduction Algorithm complexity can be a difficult concept to grasp, even presented with compelling mathematical arguments. This article presents a tiny Python program that shows the relative complexity of several typical functions. It can be easily adapted to other functions. Complexity. Why it matters? Computational complexity is a venerable su
3 min read
Python | Index of Non-Zero elements in Python list
Sometimes, while working with python list, we can have a problem in which we need to find positions of all the integers other than 0. This can have application in day-day programming or competitive programming. Let's discuss a shorthand by which we can perform this particular task. Method : Using enumerate() + list comprehension This method can be
6 min read
Python | Convert list to Python array
Sometimes while working in Python we can have a problem in which we need to restrict the data elements to just one type. A list can be heterogeneous, can have data of multiple data types and it is sometimes undesirable. There is a need to convert this to a data structure that restricts the type of data. Convert List to Array PythonBelow are the met
3 min read
Article Tags :
Practice Tags :
three90RightbarBannerImg