Functions and Modules
In Python, functions are reusable blocks of code that perform a specific task. They help
organize code into manageable sections, making it easier to read, maintain, and debug.
Defining a function in Python is straightforward and is done using the def keyword,
followed by the function name and parentheses that may include parameters. Here’s a
basic example:
def greet(name):
print(f"Hello, {name}!")
In this example, the greet function takes one parameter, name, and prints a greeting. To
call the function, you simply use its name followed by parentheses, passing the required
arguments:
greet("Alice") # Output: Hello, Alice!
Functions can also return values using the return statement, allowing you to capture the
output for further use. For instance:
def add(a, b):
return a + b
result = add(5, 3)
print(result) # Output: 8
This function add takes two parameters and returns their sum.
Modules
Modules in Python are files containing Python code that can define functions, classes,
and variables. They allow for the logical organization of Python code, making it more
manageable and reusable. You can create your own module by saving your functions in
a .py file. For example, if you have a file named math_operations.py with the following
function:
def multiply(x, y):
return x * y
You can use this module in another Python script by importing it:
import math_operations
result = math_operations.multiply(4, 5)
print(result) # Output: 20
Python also comes with numerous built-in modules, such as math, which includes
mathematical functions like sqrt and constants like pi. To use a built-in module, simply
import it as shown:
import math
print(math.sqrt(16)) # Output: 4.0
Understanding functions and modules is essential for writing efficient and organized
Python code, allowing developers to build complex applications with ease.