Python is a versatile language that allows us to organize our code into modules and packages. This not only makes our code cleaner but also promotes reusability. In this guide, we’ll break down what modules and packages are, and how to use them effectively.
A module is simply a file containing Python code. This can include functions, classes, and variables. The filename of a module is the name of the file with the suffix .py
added.
For example, if you have a file named math_operations.py
, then math_operations
is a module.
math_operations.py
.Add the following code:
def add(a, b):
return a + b
def subtract(a, b):
return a - b
Save the file.
Now you have a module math_operations
that provides two functions: add
and subtract
.
To use the module you created, you’ll need to import it into another Python script.
main.py
.from math_operations import add, subtract
result_add = add(5, 3)
result_subtract = subtract(5, 3)
print(f'Addition: {result_add}') # Output: Addition: 8
print(f'Subtraction: {result_subtract}') # Output: Subtraction: 2
A package is a way of organizing related Python modules into a single folder hierarchy. A package must contain a special file called __init__.py
, which can be empty or can contain initialization code for the package.
math_package
.__init__.py
(this can be empty).math_operations.py
file into the math_package
folder.Now, your project structure looks like this:
project_directory/
│
├── main.py
└── math_package/
├── __init__.py
└── math_operations.py
To use a module from a package, you can import it like this:
main.py
, import the module using its package name:from math_package.math_operations import add, subtract
result_add = add(10, 5)
result_subtract = subtract(10, 5)
print(f'Addition: {result_add}') # Output: Addition: 15
print(f'Subtraction: {result_subtract}') # Output: Subtraction: 5
Congratulations! You now have a basic understanding of how to create and use modules and packages in Python. This knowledge will help you keep your code organized and reusable, making your programming experience smoother. Keep practicing, and happy coding!