📦Modules & Packages
Modules refer to a file containing Python statements and definitions.
A file containing Python code, for example: example.py , is called a module, and its module name would be example .
We use modules to break down large programs into small manageable and organized files. Furthermore, modules provide reusability of code.
We can define our most used functions in a module and import it, instead of copying their definitions into different programs.
Let us create a module. Type the following and save it as example.py .
# Python Module example
def add(a, b):
     """This program adds two
    numbers and return the result"""
     result = a + b
     return resultHere, we have defined a function add() inside a module named example . The function takes in two numbers and returns their sum.
 How to import modules in Python? 
We can import the definitions inside a module to another module or the interactive interpreter in Python.
We use the import keyword to do this. To import our previously defined module example , we type the following in the Python prompt.
>>> import exampleThis does not import the names of the functions defined in example directly in the current symbol table. It only imports the module name example there.
Using the module name we can access the function using the dot . operator. For example:
>>>example.add(4,5.5)
9.5Python has tons of standard modules. You can check out the full list of Python standard modules and their use cases here.. These files are in the Lib directory inside the location where you installed Python.
Standard modules can be imported the same way as we import our user-defined modules.
There are various ways to import modules. They are listed below.
Python import statement
We can import a module using the import statement and access the definitions inside it using the dot operator as described above. Here is an example.
# import statement example
# to import standard module math
import math
print("The value of pi is", math.pi)Import with renaming
We can import a module by renaming it as follows:
# import module by renaming it
import math as m
print("The value of pi is", m.pi)We have renamed the math module as m . This can save us typing time in some cases.
Note that the name math is not recognized in our scope. Hence, math.pi is invalid, and m.pi is the correct implementation.
Python from...import statement 
We can import specific names from a module without importing the module as a whole. Here is an example.
# import only pi from math module
from math import pi
print("The value of pi is", pi)Here, we imported only the pi attribute from the math module.
In such cases, we don't use the dot operator. We can also import multiple attributes as follows:
>>> from math import pi, e
>>> pi
3.141592653589793
>>> e
2.718281828459045Import all names 
We can import all names(definitions) from a module using the following construct:
# import all names from the standard module math
from math import *
print("The value of pi is", pi)Here, we have imported all the definitions from the math module. This includes all names visible in our scope except those beginning with an underscore(private definitions).
Importing everything with the asterisk (*) symbol is not a good programming practice. This can lead to duplicate definitions for an identifier. It also hampers the readability of our code.
Python Built-in Modules
The Python interactive shell has a number of built-in functions. They are loaded automatically as a shell starts and are always available, such as print() and input() for I/O, number conversion functions int(), float(), complex(), data type conversions list(), tuple(), set(), etc.
In addition to built-in functions, a large number of pre-defined functions are also available as a part of libraries bundled with Python distributions. These functions are defined in modules are called built-in modules.
Built-in modules are written in C and integrated with the Python shell. Each built-in module contains resources for certain system-specific functionalities such as OS management, disk IO, etc. The standard library also contains many Python scripts (with the .py extension) containing useful utilities.
To display a list of all available modules, use the following command in the Python console:
>>> help('modules') Python Module Search Path 
While importing a module, Python looks at several places. Interpreter first looks for a built-in module. Then(if built-in module not found), Python looks into a list of directories defined in sys.path . The search is in this order.
- The current directory. 
- PYTHONPATH (an environment variable with a list of directories). 
- The installation-dependent default directory. 
>>> import sys
>>> sys.path
['',
'C:\\Python33\\Lib\\idlelib',
'C:\\Windows\\system32\\python33.zip',
'C:\\Python33\\DLLs', 
'C:\\Python33\\lib',
'C:\\Python33',
'C:\\Python33\\lib\\site-packages']We can add and modify this list to add our own path.
Getting Help on Modules
Use the help() function to know the methods and properties of a module. For example, call the help("math") to know about the math module. If you already imported a module, then provide its name, e.g. help(math).
>>> import math
>>> help(math)
#Output:
Help on module math:
NAME
    math
MODULE REFERENCE
    https://docs.python.org/3.10/library/math.html
    
    The following documentation is automatically generated from the Python
    source files.  It may be incomplete, incorrect or include features that
    are considered implementation detail and may vary between Python
    implementations.  When in doubt, consult the module reference at the
    location listed above.
DESCRIPTION
    This module provides access to the mathematical functions
    defined by the C standard.
FUNCTIONS
    acos(x, /)
        Return the arc cosine (measured in radians) of x.
        
        The result is between 0 and pi.
:
# You can press Enter to read through the documentation or q to quit.As shown above, you can see the method names and descriptions.
The dir() built-in function
We can use the dir() function to find out names that are defined inside a module.
For example, we have defined a function add() in the module example that we had in the beginning.
We can use dir in example module in the following way:
>>> dir(example)
[' __builtins__ ',
' cached ',
'  doc ',
'  file ',
' initializing ',
' loader ',
'  name ',
' package ',
'add']Here, we can see a sorted list of names (along with add ). All other names that begin with an underscore are default Python attributes associated with the module (not user-defined).
For example, the __ name _ _ attribute contains the name of the module.
>>> import example
>>> example.__name__ 	
'example'All the names defined in our current namespace can be found out using the dir() function without any arguments.
>>> a = 1
>>> b = "hello"
>>> import math
>>> dir()
['  __builtins__ ', '  doc ', ' name  ', 'a', 'b', 'math', 'pyscripter']Please watch the video below to consolidate all the content you have read so far 👇
Packages
We don't usually store all of our files on our computer in the same location. We use a well-organized hierarchy of directories for easier access.
Similar files are kept in the same directory, for example, we may keep all the songs in the " music " directory. Analogous to this, Python has packages for directories and modules for files.
As our application program grows larger in size with a lot of modules, we place similar modules in one package and different modules in different packages. This makes a project (program) easy to manage and conceptually clear.
Similarly, as a directory can contain subdirectories and files, a Python package can have sub-packages and modules.
A directory must contain a file named __init__.py in order for Python to consider it as a package. This file can be left empty but we generally place the initialization code for that package in this file. 
Here is an example. Suppose we are developing a game. One possible organization of packages and modules could be as shown in the figure below.

Importing module from a package 
We can import modules from packages using the dot (.) operator.
For example, if we want to import the start module in the above example, it can be done as follows:
import Game.Level.startNow, if this module contains a function named select_difficulty() , we must use the full name to reference it.
Game.Level.start.select_difficulty(2)If this construct seems lengthy, we can import the module without the package prefix as follows:
from Game.Level import startWe can now call the function simply as follows:
start.select_difficulty(2)Another way of importing just the required function (or class or variable) from a module within a package would be as follows:
from Game.Level.start import select_difficultyNow we can directly call this function.
select_difficulty(2)Although easier, this method is not recommended. Using the full namespace avoids confusion and prevents two same identifier names from colliding.
While importing packages, Python looks in the list of directories defined in sys.path , similar as for module search path.
PIP - Package Installer for Python
PIP is the Package Installer for Python. It is used to install packages from Python Package Index (PyPI) and other indexes.
PyPI (Python Package Index) is the default repository of Python packages for Python community that includes frameworks, tools and, libraries. Python developers can install and use packages in the Python application. It is open to all Python developers to consume and distribute their distributions. Developers can search or browse projects from pypi.org.
Installing packages
PyPI maintains packages as projects. Use the following pip command to install the latest version of the project.
pip install "project-name"Use the following command to install the specific version of the project:
pip install "project-name==2.4"Use the following command to install a version that's "compatible" with a certain version:
pip install "project-name~=2.4"Virtual Environments
A virtual environment is a tool that helps to keep dependencies required by different projects separate by creating isolated python virtual environments for them. This is one of the most important tools that most of the Python developers use.
Imagine a scenario where you are working on two web based python projects and one of them uses a Django 1.9 and the other uses Django 1.10 and so on. In such situations virtual environment can be really useful to maintain dependencies of both the projects.
Last updated
Was this helpful?