KEMBAR78
Unit II DecisionMaking Looping Functions | PDF | Method (Computer Programming) | Parameter (Computer Programming)
0% found this document useful (0 votes)
19 views81 pages

Unit II DecisionMaking Looping Functions

The document provides an overview of programming in Python, focusing on decision-making and looping constructs, as well as functions. It covers essential programming constructs such as sequence, selection, and iteration statements, along with examples of control flow using if-else statements and loops. Additionally, it discusses the importance of modular programming through functions, modules, and packages, highlighting their benefits and various types of function arguments.

Uploaded by

sakharkarsadia
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PPTX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
19 views81 pages

Unit II DecisionMaking Looping Functions

The document provides an overview of programming in Python, focusing on decision-making and looping constructs, as well as functions. It covers essential programming constructs such as sequence, selection, and iteration statements, along with examples of control flow using if-else statements and loops. Additionally, it discusses the importance of modular programming through functions, modules, and packages, highlighting their benefits and various types of function arguments.

Uploaded by

sakharkarsadia
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PPTX, PDF, TXT or read online on Scribd
You are on page 1/ 81

Programming in Python

(23DCE2101)

(As per NEP 2023 pattern)

Prof. S.M. Sabale


Head of Computer Engineering (Diploma)
Dr. Babasaheb Ambedkar Technological University, Lonere
Unit II

Decision Making and Looping Constructs,


Functions

Decision Making and looping constructs: Conditional


statements (if, else, elif), Looping statements (for, while),
break and continue statements, Nested loops and conditional
statements.
Functions: Defining and invoking functions, Function
parameters and return values, Variable scope, Anonymous
functions (lambda functions).
Programming Constructs and
Control Flow
• A program’s control flow is the order in which the program’s code executes.
Programming Constructs:
• Programming constructs are basic building blocks that can be used to control
computer programs. There are three main programming constructs. They
are...
• Sequence statements
• Selection statements
• Iteration or looping statements
• These three constructs are extremely important. They can help you control
the flow of your program; allowing you to specify how or when parts of your
code are executed.
Programming Constructs…
• A sequence is one of the simplest programming constructs. With a
sequence, you have a set of instructions that are executed one after
another.
• Selection statements allow us to choose between alternative actions
within a program. E.g. if, if..else
• Iteration statements are used to repeat instructions, either a specific
number of times, or until a certain condition is reached. E.g. for, while
Control Flow
• if statement: Syntax:
if condition:
statement(s) or block
Example:
i=10
if (i<15):
print(‘ i is less than 15’)
print(‘This statement is not in if’)
Output:
i is less than 15
This statement is not in if
• if-else statement: Syntax:
if condition:
statement(s) or if_block
else:
statement(s) or else_block
Example:
i=20
if (i<15):
print(‘ i is less than 15’)
else:
print(‘i is greater than 15’)
Output:
i is greater than 15
• Nested if statements:
Example:
Syntax: a=30
b=20
if condition1: c=10
if condition2: if (a>b):
if(a>c):
statement1 print(“a is greater than b and c”)
else:
else: print(“ a is less than b and c”)
else:
statement2 print(“End of nested if”)

else:
Output:
statement3 a is greater than b and c
End of nested if
• Multi-way if-elif-else (Ladder) Example:
statement: i = 20
• Syntax: if (i==10):
print(“i is 10”)
if (condition 1): elif (i==15):
print(“i is 15”)
statement(s)
elif (i==20):
elif (condition 2): print(“i is 20”)
else:
statement(s) print(“i is not present”)

… Output:
i is 20
elif(condition-n):
statement(s)
else:
statement(s)
Looping in Python – while loop
Syntax: Example:
count=0
while expression: while count<=3:
execute this block print(“count “, count)
[else: count=count+1
else:
#execute these statements print(“End of loop”)
# when loop ends]
Output:
count=0
count=1
count=2
count=3
End of loop
range() function

range() function: Returns a sequence of numbers, starting from 0 by


default, and increments by 1(by default), ends at a specified
number.
Syntax: range(begin, end, step)
where,
begin – an integer number specifying at which position to start.
Default is 0.
end – an integer number specifying at which number to end, which
is computed as end-1. This is mandatory argument to specify.
step – An integer number specifying the increment. The default is 1.
Looping in Python – for loop
Syntax:
for value in sequence:
# executes the statements until sequences are exhausted
[else:
# executes these statements when for loop is completed ]

Example: Output:
list = [10,20,30,40,50] 10
for x in list: 20
print(x) 30
else: 40
print(“End of for loop”) 50
End of for loop
Example Output

>>> list (range(1,6)) [1, 2, 3, 4, 5]

>>> list (range(5)) [0, 1, 2, 3, 4]

>>> list (range(1,5)) [1, 2, 3, 4]

>>> list (range(1,10,2)) [1, 3, 5, 7, 9]

>>> list (range(5,0,-1)) [5, 4, 3, 2, 1]

>>> list (range(10,0,-2)) [10, 8, 6, 4, 2]

>>> list (range(-4,4)) [-4, -3, -2, -1, 0, 1, 2, 3]

>>> list (range(-4,4,2)) [-4, -2, 0, 2]

>>> list (range(0,1)) [0]

>>> list (range(1,1)) [] # empty

>>> list (range(0)) [] # empty


for i in range(1,11):
print(i, ends=‘ ‘)
Output:
1 2 3 4 5 6 7 8 9 10
• The print() function has end=‘ ‘ which appends a space instead of
default newline. Hence, the numbers will appear in one row.
• Nested For loop: Example:
• Syntax: for i in range(1,5):
for j in range(1,(i+1)):
for var in sequence:
print(j, end=‘ ‘)
for var in sequence: print()
inner for statement(s)
outer for statement(s)
Output:
1
12
Last print() will be executed at the 123
end of inner for loop
12 34
Example:
• Nested while loop: i=1
• Syntax: while i < 5:
while expression: j=1
while expression: while j<(i+1):
print(j, end=‘ ‘)
inner while block
j=j+1
outer while block i=i+1
print()

Last print() will be executed at Output:


the end of inner while loop 1
12
123
1234
Loop manipulation/control
statements
• Loop control statements change execution from their normal sequence. When execution
leaves a scope, all automatic objects that were created in that scope are destroyed. Python
supports the following control statements.

• break statement:
• break statement terminates the current loop and resumes execution at the next statement.
• Syntax: break
Example: i =0 Output:
while i<10: i=1
i=i+1 i=2
if i==5: i=3
break i=4
print(“i = “,i)
continue statement
Syntax: continue
• The continue statement rejects all the remaining statements in the current iteration of the
loop and moves the control back to the top of the loop.
• Example: Output:
i=0 i=1
while(i<8) i=2
i=i+1 i=3
if i==5: i=4
continue i=6
print(“i = “,i) i=7
i=8
pass (null) statement

• It is used when a statement is required syntactically but we do not want any


command or code to execute, as programmer do not know what code to write
now. It is used as a placeholder for future code. So users can simply place a pass
where empty code is not allowed, like in loops, function definitions, class
definitions, or in if statements. So using a pass statement user avoids this error.

• Syntax: pass
• Example: Output:
for i in range(1,11): odd numbers: 1
if i%2==0: # if even? odd numbers: 3
pass odd numbers: 5
else: odd numbers: 7
print(“odd numbers: “,i) odd numbers: 9
Programs
• Program to find factorial of a given number
• Program to print multiplication table of the given number
• Program to find out whether the input number is perfect nubmer or
not.
• Program to generate students result. Accept marks of five subjects
display result according to following conditions.
Percentage division
>= 75 First class with distinction
>= and < 75 First class
>=45 and <60 Second class
>=40 and <45 Pass
<40 Fail
Programs
• Program to perform addition, subtraction, division and multiplication of
given two numbers (menu driven)
• Program to check whether a string is a palindrome or not
• Program to check whether a number is palindrome or not
• Program to return prime numbers from a list
• Program to perform addition, subtraction, division and multiplication of
given two complex numbers (menu driven)
• Program to find best of two test average marks out of three test marks
accepted from the user
• Print various patterns of * using a loop
Functions, Modules and
Packages
• Functions, modules and packages are constructs that promote code
modularization.
• Modular programming – process of breaking a large programming task into
separate, smaller, more manageable subtasks or modules.
• A function is a block of organized, reusable code that is used to perform a single,
related operation. Python has excellent support for functions.
• A module is used to logically organize the code. A python module can be defined
as a python program file which contains a python program code including the
python functions, class or variables. I.e. our python code file saved with .py
extension is the module.
• A python package is a collection of modules which have a common purpose. In
short modules are grouped together to forms packages. Packages allows us to
create a hierarchical file directory structure of modules.
Functions
• Python Functions is a block of statements that return the specific
task. The idea is to put some commonly or repeatedly done tasks
together and make a function so that instead of writing the same
code again and again for different inputs, we can do the function calls
to reuse code contained in it over and over again.
• Some Benefits of Using Functions:
Increase Code Readability
Increase Code Reusability
Python Function Declaration

The syntax to declare a function is:


• Types of Functions in Python
• Built-in library function: These are Standard functions in Python that are available to use.
• User-defined function: We can create our own functions based on our requirements.
• Creating a Function in Python
• We can define a function in Python, using the def keyword. We can add any type
of functionalities and properties to it as we require.
# A simple Python function
def fun():
print("Welcome to OCEAN“)

# A driver code to call a function


fun()
• Output
Welcome to OCEAN
Defining and calling a function with parameters
def function_name(parameter: data_type) -> return_type:
"""Docstring"""
# body of the function
return expression

def add(num1: int, num2: int) -> int:


"""Add two numbers"""
num3 = num1 + num2
return num3

# Driver code
num1, num2 = 5, 15
ans = add(num1, num2)
print(f"The addition of {num1} and {num2} results {ans}.")idl
Functions with default arguments
• A default argument is a parameter that assumes a default value if a
value is not provided in the function call for that argument.
# Python program to demonstrate
# default arguments
def myFun(x, y = 50):
print("x: ", x)
print("y: ", y)

# Driver code
myFun(10)
Output:
x: 10
y: 50
Functions with Keyword arguments
• The idea is to allow the caller to specify the argument name with values so that the
caller does not need to remember the order of parameters.

def student(firstname, lastname):


print(firstname, lastname)

# Keyword arguments
student(firstname ='Geeks', lastname ='Practice')
student(lastname ='Practice', firstname ='Geeks')
Output:
Geeks Practice
Geeks Practice
Functions with Variable Length Arguments

• We can have both normal and keyword variable numbers of arguments.


• The special syntax *args in function definitions in Python is used to pass a
variable number of arguments to a function. It is used to pass a non-keyworded,
variable-length argument list.
• The special syntax **kwargs in function definitions in Python is used to pass a
keyworded, variable-length argument list. We use the name kwargs with the
double star. The reason is that the double star allows us to pass through
keyword arguments (and any number of them).
• If you do not know how many keyword arguments that will be passed into your
function, add two asterisk: ** before the parameter name in the function
definition.
• This way the function will receive a dictionary of arguments, and can access the
items accordingly.
def myFun1(*argv):
for arg in argv:
print (arg) Output
Result of *args:
def myFun2(**kwargs): Hello
for key, value in kwargs.items(): Welcome
to
print ("% s == % s" %(key, value)) GeeksforGeeks

Result of
# Driver code
**kwargs:
print("Result of *args: ") first == Geeks
myFun1('Hello', 'Welcome', 'to', 'GeeksforGeeks') Mid == for
last == Geeks

print("\nResult of **kwargs:")
myFun2(first ='Geeks', mid ='for', last ='Geeks')
Functions: Positional Arguments
• We used the Positional argument during the function call so that the first argument (or value) is
assigned to name and the second argument (or value) is assigned to age. By changing the
position, or if you forget the order of the positions, the values can be used in the wrong places,
as shown in the Case-2 example below, where 27 is assigned to the name and Suraj is assigned
to the age.
def nameAge(name, age):
print("Hi, I am", name)
print("My age is ", age)

# You will get correct output because Output: Case-1:


# argument is given in order Hi, I am Suraj
My age is 27
print("Case-1:")
Case-2:
nameAge("Suraj", 27) Hi, I am 27
# You will get incorrect output because My age is
# argument is not in order Suraj
print("\nCase-2:")
nameAge(27, "Suraj")
Positional-Only Arguments
• You can specify that a function can have ONLY positional arguments, or ONLY keyword arguments.
• To specify that a function can have only positional arguments, add , / after the arguments:
def my_function(x, y, /):
print(x,y)

my_function(3,7)

• Without the , / you are actually allowed to use keyword arguments even if the function expects positional
arguments:
def my_function(x, y):
print(x,y)

my_function(x = 3,y=7)

• But, when adding the ,/ you will get an error if you try to send a keyword argument:
def my_function(x, y, /):
print(x,y)

my_function(x = 3, y=7)
Keyword-Only Arguments
• To specify that a function can have only keyword arguments, add *, before the arguments:
def my_function(*, x,y):
print(x)

my_function(x = 3, y=7)

• Without the *, you are allowed to use positional arguments even if the function expects keyword arguments:
def my_function(x,y):
print(x,y)

my_function(3,7)

• But when adding the *, you will get an error if you try to send a positional argument:
def my_function(*, x,y):
print(x,y)

my_function(3,7)
Combine Positional-Only and Keyword-Only
• You can combine the two argument types in the same function.
• Any argument before the / , are positional-only, and any argument after the *,
are keyword-only.

def my_function(a, b, /, *, c, d):


print(a + b + c + d)

my_function(5, 6, c = 7, d = 8)

• Unless otherwise specified, an argument can be both positional and keyword.


Positional arguments, when provided, must be in sequence. Positional
arguments must be used before keyword arguments. Keyword arguments may
be in any order.
• Suppose a function header is as follows:
def f(p1, p2, p3, p4):
Which of the following calls are correct?
1) f(1, p2=3, p3=4, p4=4)
2) f(1, p2=3, 4, p4=4)
3) f(p1=1, p2=3, 3, p4=4)
4) f(p1=1, p2=3, p3=4, p4=4)
5) f(p4=1, p2=3, p3=4, p1=4)
Pass by Reference or pass by value in Python
• One important thing to note is, in Python every variable name is a
reference. When we pass a variable to a function, a new reference to the
object is created. Parameter passing in Python is the same as reference
passing in Java. To confirm this Python’s built-in id() function is used in the
below example.
def myFun(x): Output:
print("Value received:", x, "id:", id(x)) Value passed: 12 id: 11094656
Value received: 12 id: 11094656
# Driver code
x = 12
print("Value passed:", x, "id:", id(x))
myFun(x)
• If the value of the above variable is changed inside a function, then it will
create a different variable as a number that is immutable. However, if a
mutable list object is modified inside the function, the changes are
reflected outside the function also.
• Program: (function-with-mutable-list.py) # function with docstring also

• Adding docstring to the function:


• The first string after the function is called the Document string
or Docstring in short. This is used to describe the functionality of the
function. The use of docstring in functions is optional but it is considered a
good practice.
• The below syntax can be used to print out the docstring of a function:
Syntax: print(function_name.__doc__)
Python Function with return value
• Sometimes we might need the result of the function to be used in further
processes. Hence, a function should also return a value when it finishes its
execution. This can be achieved by a return statement.
A return statement is used to end the execution of the function call and “returns”
the result (value of the expression following the return keyword) to the caller. The
statements after the return statements are not executed. If the return statement is
without any expression, then the special value None is returned.
• Syntax:
def fun(): Program: (Function-with-return-value.py)
statement(s) Program: (return-multiple-values.py)
.
.
return [expression]
Recursive functions
• The term Recursion can be defined as the process of defining something in terms of
itself. In simple words, it is a process in which a function calls itself directly or indirectly.

• Advantages of using recursion


 A complicated function can be split down into smaller sub-problems utilizing recursion.
 Sequence creation is simpler through recursion than utilizing any nested iteration.
 Recursive functions render the code look simple and effective.
• Disadvantages of using recursion
 A lot of memory and time is taken through recursive calls which makes it expensive for use.
 Recursive functions are challenging to debug.
 The reasoning behind recursion can sometimes be tough to think through.
Recursive functions…
Syntax:
def funcname(): <--
|
| (recursive call)
|
funcname() ----
Fibonacci series
• Program: fibo1.py (without recursion)
• Program: fibonacci-recursion (with recursion)
# Program to print the fibonacci series upto n_terms

# Recursive function
def recursive_fibonacci(n):
if n <= 1:
return n
else:
return(recursive_fibonacci(n-1) + recursive_fibonacci(n-2))

n_terms = 10
# check if the number of terms is valid
if n_terms <= 0:
print("Invalid input ! Please input a positive value")
else:
print("Fibonacci series:")
for i in range(n_terms):
print(recursive_fibonacci(i))
Output
Fibonacci series:
0
1
1
2
3
5
8
13
21
34
The lambda(Anonymous) function
• In Python, a lambda function is a special type of function without the function
name. A lambda function can take any number of arguments, but can only have
one expression, which is evaluated and returned.
• Syntax:
lambda argument(s): expression
Example:
lambda : print('Hello World')

>>> greet = lambda : print('Hello World')


#call the lambda
greet() # Output Hello World
# lambda that accepts one argument
greet_user = lambda name : print('Hey there,', name)

# lambda call
greet_user(‘Oceanite')

# Output: Hey there, Oceanite

x = lambda a : a + 10 # Output: 15
print(x(5))

# Multiply argument a with argument b and return the result:


x = lambda a, b : a * b # Output: 30
print(x(5, 6))
Why Use Lambda Functions?
• The power of lambda is better shown when you use them as an anonymous function
inside another function.
• Say you have a function definition that takes one argument, and that argument will be
multiplied with an unknown number:
def myfunc(n):
return lambda a : a * n
Use that function definition to make a function that always doubles the number you send
in:
def myfunc(n):
return lambda a : a * n

mydoubler = myfunc(2)

print(mydoubler(11)) #Output: 22
Or, use the same function definition to make a function that always triples the number
you send in:
def myfunc(n):
return lambda a : a * n

mytripler = myfunc(3)

print(mytripler(11)) #Output: 33

Or, use the same function definition to make both functions, in the same program:
def myfunc(n):
return lambda a : a * n

mydoubler = myfunc(2)
mytripler = myfunc(3)

print(mydoubler(11)) #Output: 22
print(mytripler(11)) 33
Namespace
• A namespace is a collection of currently defined symbolic names along with information
about the object that each name references. You can think of a namespace as a dictionary
in which the keys are the object names and the values are the objects themselves.
• In Python, a way to give each object a unique name is through a namespace. Variables
and methods are examples of objects in Python. To put it another way, it is a collection of
the known symbolic names and the details about the thing that each name refers to. A
name can be thought of as a key in a dictionary, and objects are the values in a
namespace. We should figure out it with a genuine model - A namespace resembles a last
name. If there are multiple “Siddhi" names in the class, it may be difficult to locate a
“Siddhi" name; however, when we specifically request “Siddhi Patil" or “Siddhi Chorge," In
a class, it might not be common for multiple students to have the same first and last
name.
• The Python interpreter can get a better understanding of the exact method or variable in
the code thanks to the namespace. As a result, its name contains additional information,
including Space (related to scope) and Name, which denotes a unique identifier.
Namespace and Scope

(Module)

(Function)
• Namespaces are collections of different objects that are associated with unique
names whose lifespan depends on the scope of a variable. The scope is a region
from where we can access a particular object.

• Namespaces define the context in which identifiers exist, while scope delineates
the regions where these identifiers are accessible.

• In Python, there are four types of namespaces which are given below:
o Built-in
o Global
o Enclosing
o Local

• As these namespace have various lifetimes, Python interpreter creates


namespaces as necessary and deletes them when they are no longer needed.
• The Built-in Namespace:
The Built-in Namespace in Python is a fundamental repository of predefined
names and objects that are available globally in any Python script or module. It
encompasses core functions and objects that form the backbone of the
language, including functions like print(), len(), and constants like True and
False. This Python Namespace class is automatically loaded when Python starts
and persists throughout the entire runtime. It provides a foundation for basic
operations, allowing programmers to utilize these essential functionalities
without the need for explicit import statements. Understanding the Built-in
Namespace is crucial for any Python developer, as it forms the basis for
constructing complex applications and scripts.
• Let's list these names with the following command. Open the Python terminal
and type the following command.
• Command –
>>> dir(__builtins__)
Output
['ArithmeticError', 'AssertionError', 'AttributeError', 'BaseException', 'BlockingIOError', 'BrokenPipeError',
'BufferError', 'BytesWarning', 'ChildProcessError', 'ConnectionAbortedError', 'ConnectionError',
'ConnectionRefusedError', 'ConnectionResetError', 'DeprecationWarning', 'EOFError', 'Ellipsis',
'EnvironmentError', 'Exception', 'False', 'FileExistsError', 'FileNotFoundError', 'FloatingPointError',
'FutureWarning', 'GeneratorExit', 'IOError', 'ImportError', 'ImportWarning', 'IndentationError', 'IndexError',
'InterruptedError', 'IsADirectoryError', 'KeyError', 'KeyboardInterrupt', 'LookupError', 'MemoryError',
'ModuleNotFoundError', 'NameError', 'None', 'NotADirectoryError', 'NotImplemented', 'NotImplementedError',
'OSError', 'OverflowError', 'PendingDeprecationWarning', 'PermissionError', 'ProcessLookupError',
'RecursionError', 'ReferenceError', 'ResourceWarning', 'RuntimeError', 'RuntimeWarning', 'StopAsyncIteration',
'StopIteration', 'SyntaxError', 'SyntaxWarning', 'SystemError', 'SystemExit', 'TabError', 'TimeoutError', 'True',
'TypeError', 'UnboundLocalError', 'UnicodeDecodeError', 'UnicodeEncodeError', 'UnicodeError',
'UnicodeTranslateError', 'UnicodeWarning', 'UserWarning', 'ValueError', 'Warning', 'WindowsError',
'ZeroDivisionError', '__build_class__', '__debug__', '__doc__', '__import__', '__loader__', '__name__', '__package__',
'__spec__', 'abs', 'all', 'any', 'ascii', 'bin', 'bool', 'breakpoint', 'bytearray', 'bytes', 'callable', 'chr', 'classmethod',
'compile', 'complex', 'copyright', 'credits', 'delattr', 'dict', 'dir', 'divmod', 'enumerate', 'eval', 'exec', 'exit', 'filter',
'float', 'format', 'frozenset', 'getattr', 'globals', 'hasattr', 'hash', 'help', 'hex', 'id', 'input', 'int', 'isinstance',
'issubclass', 'iter', 'len', 'license', 'list', 'locals', 'map', 'max', 'memoryview', 'min', 'next', 'object', 'oct', 'open',
'ord', 'pow', 'print', 'property', 'quit', 'range', 'repr', 'reversed', 'round', 'set', 'setattr', 'slice', 'sorted',
'staticmethod', 'str', 'sum', 'super', 'tuple', 'type', 'vars', 'zip']

Python interpreter create the built-in namespace when it starts up. These are
terminated when Python interpreter terminates.
The Global Namespace

• The global namespace consists of any names in Python at any level of the main
program. It is created when the main body executes and remains in existence
until the interpreter terminates.
• The Python interpreter creates a global namespace for any module that our
Python loads with the import statement.
• The Global Namespace in Python refers to the scope where names or identifiers
are defined at the top level of a module or script. Variables, functions, and classes
declared here are accessible throughout the entire module or script. They can be
used in any part of the code, including within functions and classes. This
namespace is created when a module is imported or a script is executed, and it
persists until the program terminates or the module is explicitly unloaded.
Understanding the Global Namespace is crucial for managing variables that need
to be accessed by multiple parts of a program, ensuring their availability and
coherence in a Python script.
The Local and Enclosing Namespaces

• The local namespaces are used by the function. When the function is run, the Python
interpreter creates a new namespace. The local namespaces continue to exist after
the function has finished running. The capability can likewise comprise of another
capability. As shown below, we can define one function within another.
• The Local Namespace in Python pertains to the scope within a function or method.
Variables defined here are only accessible within that specific function or method.
Once the function completes its execution, the local namespace and its variables are
removed from memory.
• The Enclosing Namespace, also known as non-local scope, applies to nested functions.
If a variable isn't found in the local scope, Python searches for it in the enclosing
scope. This allows inner functions to access variables from outer functions.
• Understanding local and enclosing namespaces is crucial for managing variable scope
and preventing naming conflicts in Python programs. It ensures that variables are
appropriately isolated and accessible in the right parts of the code.

• (Example)
Scope of the Objects/Variable
• The scope of an object or variable in Python defines the region in a
program where that object can be accessed. There are three primary
scopes:
• Local Scope: Variables defined within a function are local and can only
be accessed within that function.
• Enclosing (or Non-Local) Scope: Pertains to variables in a nested
function. If a variable isn't found in the local scope, Python looks for it
in the enclosing scope.
• Global Scope: Variables defined at the top-level of a module or script
are global and can be accessed throughout the entire module or script.
Changing Variables Out of Scope
• Changing variables out of their scope in Python involves using the global and
nonlocal keywords.
• Global Variables:
• By default, if you modify a variable within a function, Python creates a new local
variable with the same name, leaving the global variable unchanged. To modify a
global variable from within a function, you must use the global keyword.
• Example:
x = 10
def change_global():
global x
x = 20
change_global()
print(x) # Output: 20
• Non-Local Variables:
• In nested functions, if you want to modify a variable from an outer function, you use the
nonlocal keyword.
• Example:
def outer_function():
y = 10
def inner_function():
nonlocal y
y = 20
inner_function()
print(y) # Output: 20
outer_function()
• These keywords allow you to explicitly indicate that a variable is intended to be modified
from an outer scope, ensuring clarity and avoiding unexpected behavior.
• End of contents as per classroom contents.
• Contents hereafter are for self learning exercises:
Modules, packages, functions vs methods.
Modules
• Python Module is a file that contains built-in functions, classes, its and variables. There
are many Python modules, each with its specific work.

• We will cover all about Python modules, such as how to create our own simple module,
Import Python modules, From statements in Python, we can use the alias to rename the
module, etc.

• What is Python Module:


• A Python module is a file containing Python definitions and statements. A module can
define functions, classes, and variables. A module can also include runnable code.

• Grouping related code into a module makes the code easier to understand and use. It
also makes the code logically organized.
Create a Python Module
• To create a Python module, write the desired code and save that in a
file with .py extension. Let’s understand it better with an example:
• Example:
• Let’s create a simple calc.py in which we define two functions,
one add and another subtract.
• # A simple module, calc.py
def add(x, y):
return (x+y)

def subtract(x, y):


return (x-y)
Import module in Python
• We can import the functions, and classes defined in a module to another module using the
import statement in some other Python source file.
• When the interpreter encounters an import statement, it imports the module if the module is
present in the search path.
• Note: A search path is a list of directories that the interpreter searches for importing a module.
• For example, to import the module calc.py, we need to put the following command at the top of
the script.
• Syntax to Import Module in Python
import module
• Note: This does not import the functions or classes directly instead imports the module only. To
access the functions inside the module the dot(.) operator is used.
Importing modules in Python Example
• Now, we are importing the calc that we created earlier to perform add operation.
# importing module calc.py
import calc
print(calc.add(10, 2)) #Output 12
• Python Import From Module
• Python’s from statement lets you import specific attributes from a module
without importing the module as a whole.

• Import Specific Attributes from a Python module


• Here, we are importing specific sqrt and factorial attributes from the math
module.
# importing sqrt() and factorial from the module math
# from math import sqrt, factorial

# if we simply do "import math", then


# math.sqrt(16) and math.factorial() # are required.
Output:
4.0
print(sqrt(16)) 720
print(factorial(6))
• Import all Names
• The * symbol used with the import statement is used to import all the names from a
module to a current namespace.
• Syntax:
from module_name import *
• What does import * do in Python?
• The use of * has its advantages and disadvantages. If you know exactly what you will be
needing from the module, it is not recommended to use *, else do so.
# importing sqrt() and factorial from the
# module math
from math import *

# if we simply do "import math", then


# math.sqrt(16) and math.factorial()
# are required.
print(sqrt(16))
print(factorial(6))
• Locating Python Modules
• Whenever a module is imported in Python the interpreter looks for several
locations. First, it will check for the built-in module, if not found then it looks for
a list of directories defined in the sys.path. Python interpreter searches for the
module in the following manner –

• First, it searches for the module in the current directory.


• If the module isn’t found in the current directory, Python then searches each
directory in the shell variable PYTHONPATH. The PYTHONPATH is an environment
variable, consisting of a list of directories.
• If that also fails python checks the installation-dependent list of directories
configured at the time Python is installed.
• Directories List for Modules
• Here, sys.path is a built-in variable within the sys module. It contains a list of
directories that the interpreter will search for the required module.
# importing sys module
import sys

# importing sys.path
print(sys.path)

Output:
['C:\\Users\\sabalesm\\AppData\\Local\\Programs\\Python\\Python312\\Lib\\
idlelib', 'C:\\Users\\sabalesm\\AppData\\Local\\Programs\\Python\\Python312\\
python312.zip', 'C:\\Users\\sabalesm\\AppData\\Local\\Programs\\Python\\
Python312\\DLLs', 'C:\\Users\\sabalesm\\AppData\\Local\\Programs\\Python\\
Python312\\Lib', 'C:\\Users\\sabalesm\\AppData\\Local\\Programs\\Python\\
Python312', 'C:\\Users\\sabalesm\\AppData\\Local\\Programs\\Python\\
Python312\\Lib\\site-packages']
• Renaming the Python Module
• We can rename the module while importing it using the keyword.

• Syntax: Import Module_name as Alias_name


# importing sqrt() and factorial from the
# module math
import math as mt

# if we simply do "import math", then


# math.sqrt(16) and math.factorial()
# are required.
print(mt.sqrt(16))
print(mt.factorial(6))
• Python Built-in modules
• There are several built-in modules in Python, which you can import
whenever you like.
• Program: builtin-modules.py
Python Packages
• We usually organize our files in different folders and subfolders based on some
criteria, so that they can be managed easily and efficiently. For example, we keep
all our games in a Games folder and we can even subcategorize according to the
genre of the game or something like that. The same analogy is followed by the
Python Packages.
• What is a Python Package?
• Python Packages are a way to organize and structure your Python code into
reusable components. Think of it like a folder that contains related Python files
(modules) that work together to provide certain functionality. Packages help keep
your code organized, make it easier to manage and maintain, and allow you to
share your code with others. They’re like a toolbox where you can store and
organize your tools (functions and classes) for easy access and reuse in different
projects.
• How to Create Package in Python?
• Creating packages in Python allows you to organize your code into reusable and manageable
modules. Here’s a brief overview of how to create packages:
• Create a Directory: Start by creating a directory (folder) for your package. This directory will
serve as the root of your package structure.
• Add Modules: Within the package directory, you can add Python files (modules) containing your
code. Each module should represent a distinct functionality or component of your package.
• Init File: Include an __init__.py file in the package directory. This file can be empty or can
contain an initialization code for your package. It signals to Python that the directory should be
treated as a package.
• Subpackages: You can create sub-packages within your package by adding additional directories
containing modules, along with their own __init__.py files.
• Importing: To use modules from your package, import them into your Python scripts using dot
notation. For example, if you have a module named module.py inside a package named
mypackage, you would import it like this: from mypackage import module.
• Distribution: If you want to distribute your package for others to use, you can create a setup.py
file using Python’s setuptools library. This file defines metadata about your package and
specifies how it should be installed.
• Code Example
• Here’s a basic code sample demonstrating how to create a simple Python
package:
• Create a directory named mypackage.
• Inside mypackage, create two Python files: module1.py and module2.py.
• Create an __init__.py file inside mypackage (it can be empty).
• Add some code to the modules.
• Finally, demonstrate how to import and use the modules from the
package.
mypackage/

├── __init__.py
├── module1.py
└── module2.py
• Example: Now, let’s create a Python script outside the mypackage
directory to import and use these modules:
# module1.py
def greet(name):
print(f"Hello, {name}!")
When you run the script, you should see the following output:
Hello, Alice!
The result of addition is: 8
Python Packages for Web
frameworks
• In this segment, we’ll explore a diverse array of Python frameworks
designed to streamline web development. From lightweight and
flexible options like Flask and Bottle to comprehensive frameworks
like Django and Pyramid, we’ll cover the spectrum of tools available to
Python developers. Whether you’re building simple web applications
or complex, high-performance APIs, there’s a framework tailored to
your needs.
• Statistical Analysis
• Here, we’ll explore key Python libraries for statistical analysis, including
NumPy, Pandas, SciPy, XGBoost, StatsModels, Yellowbrick, Arch, and Dask-
ML. From data manipulation to machine learning and visualization, these
tools offer powerful capabilities for analyzing data effectively.
• NumPy
• Pandas
• SciPy
• XGBoost
• StatsModels
• Yellowbrick
• Arch
• Dask-ML
• Data Visualization
• Here, we’ll explore a variety of Python libraries for creating stunning
visualizations. From Matplotlib to Seaborn, Plotly to Bokeh, and Altair to
Pygal, we’ve got you covered. By the end, you’ll be equipped to
transform your data into compelling visual narratives.
• Matplotlib
• Seaborn
• Plotly
• Bokeh
• Altair
• Pygal
• Plotnine
• Dash
• Deep Learning
• Here, we’ll explore essential frameworks like TensorFlow, PyTorch, Keras,
and more. From Scikit-learn for supervised learning to Fastai for
advanced applications, we’ll cover a range of tools to unlock the
potential of deep learning.
• Scikit-learn
• TensorFlow
• torch
• Keras
• Keras-RL
• Lasagne
• Fastai
• Natural Processing Language
• Here, we’ll explore essential NLP tools and libraries in Python,
including NLTK, spaCy, FastText, Transformers, AllenNLP, and TextBlob.
• NLTK
• spaCy
• FastText
• Transformers
• fastText
• AllenNLP
• TextBlob
• Genrative AI
• In this segment, we’ll explore a range of powerful tools and libraries
that enable the creation of artificial intelligence models capable of
generating novel content. From the renowned deep learning framework
Keras to the natural language processing library spaCy, we’ll cover the
essential tools for building generative AI systems.
• Keras
• spaCy
• generative
• GPy
• Pillow
• ImageIO
• Fastai
• Computer Vision
• Here, we’ll explore essential Python libraries like OpenCV, TensorFlow, and Torch,
alongside specialized tools such as scikit-image and Dlib. From basic image processing
to advanced object detection, these libraries empower you to tackle diverse computer
vision tasks with ease.
• OpenCV
• TensorFlow
• torch
• scikit-image
• SimpleCV
• ImageAI
• imageio
• Dlib
• Theano
• Mahotas
Difference between Method and Function in Python

• Here, key differences between Method and Function in Python are explained.
Java is also an OOP language, but there is no concept of Function in it. But Python
has both concept of Method and Function.

• Python Method:

1. Method is called by its name, but it is associated to an object (dependent).


2. A method definition always includes ‘self’ as its first parameter.
3. A method is implicitly passed to the object on which it is invoked.
4. It may or may not return any data.
5. A method can operate on the data (instance variables) that is contained by the
corresponding class
• In Python, functions and methods are similar in syntax and structure, but they
differ in a few key ways:
• Independence: Functions are independent blocks of code that can be called
from anywhere, while methods are tied to objects or classes.
• Invocation: Functions are called by name, while methods are accessed using
dot notation and require an object or class instance to be invoked.
• Scope: A function's scope is the code block or body of the function, while a
method's scope is different from the scope within a class.
• Reusability: Functions promote code reusability, while methods offer
behavior specific to objects.
• Purpose: Functions break programs into smaller, modular chunks, while
methods enable encapsulation of behaviors within objects.
• Best use: Functions are good for common tasks in procedural programs, while
methods are good for writing object-oriented code.
Understanding the difference between functions and methods is
important for writing clear, organized, and effective code in Python.
• In Python, methods and functions have similar purposes but differ in
important ways. Functions are independent blocks of code that can
be called from anywhere, while methods are tied to objects or classes
and need an object or class instance to be invoked. Functions
promote code reusability, while methods offer behavior specific to
objects. Functions are called by name, while methods are accessed
using dot notation. Understanding these distinctions is crucial for
writing organized, modular code in Python and harnessing the full
power of methods and functions in various programming scenarios.
Method vs. Function: Difference Between Methods and Function

Parameter Method Function


Method definitions are
No class is needed to define
definition always present inside a
a function.
class.
Associated with the class Not associated with any
Association
object. objects.
Call It is called on an object. It is called by its name.
It doesn’t depend on any
It depends on the class they
Dependency class, i.e., it is an identical
belong to.
entity.
It requires the self as its first It doesn’t require any self-
self
argument. argument.
It operates on the data that
It operates on the data of
operation you pass to them as an
the object it associates with.
argument.

You might also like