KEMBAR78
Python Module 2 Notes | PDF | Parameter (Computer Programming) | Anonymous Function
0% found this document useful (0 votes)
32 views41 pages

Python Module 2 Notes

This document covers Python operators, expressions, and functions, detailing various types of operators including arithmetic, relational, logical, and bitwise operators. It also explains functions, their definitions, types, and how to pass arguments, along with examples demonstrating their usage. Additionally, it discusses operator precedence and provides sample code for better understanding.

Uploaded by

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

Python Module 2 Notes

This document covers Python operators, expressions, and functions, detailing various types of operators including arithmetic, relational, logical, and bitwise operators. It also explains functions, their definitions, types, and how to pass arguments, along with examples demonstrating their usage. Additionally, it discusses operator precedence and provides sample code for better understanding.

Uploaded by

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

MODULE – 2(Operators Expressions and Functions)

Operators and Expressions: Operators: Arithmetic, Assignment, Relational,


Logical, Boolean, Bitwise, Membership, Identity, Expressions and Order of
Evaluations, Control statements.
Functions: Introduction, Defining Functions, Calling Functions, Anonymous
Function, Fruitful Functions and Void functions, Composition, lambda Function,
Parameters and Arguments, Passing Arguments, Types of Arguments-
Positional Arguments, Keyword Arguments, Default Arguments, Variable
Length Arguments, Scope of variables, Adding new Functions, Recursive
Functions.

Operators:
Operators are special symbols that perform some operation on operands and
returns the result.

Types of operators

Python includes the following categories of operators:


1. Arithmetic Operators
2. Comparison Operators
3. Logical Operators
4. Identity Operators
5. Membership Test Operators
6. Bitwise Operators
7. Assignment Operators

Arithmetic operators
Arithmetic operators perform the common mathematical operation on the
numeric operands.
The arithmetic operators return the type of result depends on the type of
operands.
1. If either operand is a complex number, the result is converted to
complex;
2. If either operand is a floating point number, the result is converted to
floating point;
3. If both operands are integers, then the result is an integer and no
conversion is needed.

Assume variable a holds the value 10 and variable b holds the value 21, then-
Operator Description Example
+ Addition Adds values on either side of the operator. a + b = 31
- Subtraction Subtracts right hand operand from left hand a – b = -11
operand.
* Multiplies values on either side of the a * b = 210
Multiplication operator
/ Division Divides left hand operand by right hand b / a = 2.1
operand
% Modulus Divides left hand operand by right hand b%a=1
operand and returns remainder
** Exponent Performs exponential (power) calculation on a**b =10 to
Operators the
power 20
// Floor Division - The division of operands 9//2 = 4 and
where 9.0//2.0 =
the result is the quotient in which the digits 4.0
after the decimal point are removed.

Example Program
Assume variable a holds 10 and variable b holds 20, then-
a = 21
b = 10
c = 0
c = a + b
print ("Line 1 - Value of c is ", c)
c = a - b
print ("Line 2 - Value of c is ", c )
c = a * b
print ("Line 3 - Value of c is ", c)
c = a / b
print ("Line 4 - Value of c is ", c )
c = a % b
print ("Line 5 - Value of c is ", c)
a = 2
b = 3
c = a**b
print ("Line 6 - Value of c is ", c)
a = 10
b = 5
c = a//b
print ("Line 7 - Value of c is ", c)
Output

Line 1 - Value of c is 31
Line 2 - Value of c is 11
Line 3 - Value of c is 210
Line 4 - Value of c is 2.1
Line 5 - Value of c is 1
Line 6 - Value of c is 8
Line 7 - Value of c is 2

Python Comparison Operators


The comparison operators compare two operands and return a boolean either
True or False.
Assume variable a holds the value 10 and variable b holds the value 20, then-
Operator Description Example
If the values of two operands are equal, (a == b)
==
then the condition becomes true. is not true.
If values of two operands are not equal,
!= (a!= b) is true.
then condition becomes true.
If the value of left operand is greater than
> the value of right operand, then condition (a > b) is not true.
becomes true.
If the value of left operand is less than
< the value of right operand, then condition (a < b) is true.
becomes true.
If the value of left operand is greater than
>= or equal to the value of right operand, then (a >= b) is not true.
condition becomes true.
If the value of left operand is less than or
<= equal to the value of right operand, then (a <= b) is true.
condition becomes true.

Example
Assume variable x holds 10 and variable y holds 12, then-

x = 10
y = 12

# Output: x > y is False


print('x > y is',x>y)

# Output: x < y is True


print('x < y is',x<y)

# Output: x == y is False
print('x == y is',x==y)

# Output: x != y is True
print('x != y is',x!=y)

# Output: x >= y is False


print('x >= y is',x>=y)

# Output: x <= y is True


print('x <= y is',x<=y)

Output

x > y is False
x < y is True
x == y is False
x != y is True
x >= y is False
x <= y is True

Python Logical Operators


The logical operators are used to combine two boolean expressions. The
logical operations are generally applicable to all objects, and support truth
tests, identity tests, and boolean operations.
The following logical operators are supported by Python language. Assume
variable a holds True and variable b holds False then-
Operator Description Example
If both the operands are true then (a and b) is False.
and (Logical AND)
condition becomes true.
If any of the two operands are non- (a or b) is True.
or (Logical OR)
zero then condition becomes true.
Used to reverse the logical state of Not(a and b)
not (Logical NOT)
its operand. is True.
Example

x = True
y = False
print('x and y is',x and y)
print('x or y is',x or y)
print('not x is',not x)

Output

x and y is False
x or y is True
not x is False

Identity Operators

The identity operators check whether the two objects have the same id value
i.e., both the objects point to the same memory location.

Operator Description Example


Evaluates to true if the variables on x is y, here is
either side of the operator point to the results in 1 if id(x)
is same object and false otherwise. equals id(y).

Evaluates to false if the variables on x is not y, here is


either side of the operator point to the not results in 1 if
is not
same object and true otherwise. id(x) is not equal
to id(y).

Example

x1 = 5
y1 = 5
x2 = 'Hello'
y2 = 'Hello'
x3 = [1,2,3]
y3 = [1,2,3]

# Output: False
print(x1 is not y1)

# Output: True
print(x2 is y2)

# Output: False
print(x3 is y3)

Output

False
True
False

Membership Operators
Python’s membership operators test for membership in a sequence, such as
strings, lists, or tuples.
There are two membership operators
Operator Description Example
Evaluates to true, if it finds a variable x in y, here in
in in the specified sequence and false results in a 1 if x is
otherwise. a member of
sequence y.

not in Evaluates to true, if it does not find a x not in y, here not


variable in the specified sequence and in results in a 1 if x
false otherwise. is not a member of
sequence y.

Example:

x = 'Hello world'
y = {1:'a',2:'b'}

# Output: True
print('H' in x)

# Output: True
print('hello' not in x)
# Output: True
print(1 in y)

# Output: False
print('a' in y)

Output

True
True
True
False

Bitwise Operators

Bitwise operator works on bits and performs bit-by-bit operation.


Assume if a = 60; and b = 13; Now in binary format they will be as follows

a  0011 1100
b  0000 1101
---------------------------
a&b  0000 1100
a|b  0011 1101
a^b  0011 0001
~a  1100 0011

Pyhton's built-in function bin() can be used to obtain binary representation of


an integer number.

The following Bitwise operators are supported by Python language-


Operator Description Example
Operator copies a bit to the (a & b) (means
& (Binary AND) result, if it exists in both 0000 1100)
operands
It copies a bit, if it exists in (a | b) = 61
| (Binary OR ) either operand. (means
0011 1101)
It copies the bit, if it is set in one (a ^ b) = 49
^ (Binary XOR) operand but not both. (means 0011
0001)
~ (Binary Ones It is unary and has the effect of (~a ) = -61 (means
Complement) 'flipping'bits. 1100 0011 in 2's
complement form
due to a signed
binary number.
The left operand’s value is moved a << = 240 (means
<< (Binary Left Shift) left by the number of bits 1111 0000)
specified by the right operand.
The left operand’s value is moved a >> = 15 (means
>> (Binary Right Shift) right by the number of bits 0000 1111)
specified by the right operand.

Example

a = 60 # 60 = 0011 1100
b = 13 # 13 = 0000 1101
print ('a=',a,':',bin(a),'b=',b,':',bin(b))
c = 0
c = a & b; # 12 = 0000 1100
print ("result of AND is ", c,':',bin(c))
c = a | b; # 61 = 0011 1101
print ("result of OR is ", c,':',bin(c))
c = a ^ b; # 49 = 0011 0001
print ("result of EXOR is ", c,':',bin(c))
c = ~a; # -61 = 1100 0011
print ("result of COMPLEMENT is ", c,':',bin(c))
c = a << 2; # 240 = 1111 0000
print ("result of LEFT SHIFT is ", c,':',bin(c))
c = a >> 2; # 15 = 0000 1111
print ("result of RIGHT SHIFT is ", c,':',bin(c))

Output

a=60 : 0b111100 b= 13 : 0b1101


result of AND is 12 : 0b1100
result of OR is 61 : 0b111101
result of EXOR is 49 : 0b110001
result of COMPLEMENT is -61 : -0b111101
result of LEFT SHIFT is 240 : 0b11110000
result of RIGHT SHIFT is 15 : 0b111

Python Assignment Operators


The assignment operators are used to assign values to variables.
Assume variable a holds 10 and variable b holds 20, then-

Operator Description Example


= Assigns values from right side c = a + b assigns
operands to left side operand value of a + b into c
+= Add AND It adds right operand to the left c += a is equivalent
operand and assign the result to left to c = c + a
operand
-= Subtract It subtracts right operand from the c -= a is equivalent
AND left operand and assign the result to to c = c - a
left operand
*= Multiply It multiplies right operand with the c *= a is equivalent
AND left operand and assign the result to to c = c * a
left operand
/= Divide It divides left operand with the right c /= a is equivalent
AND operand and assign the result to left to c = c / ac /= a is
operand equivalent to c = c /a
%= Modulus It takes modulus using two operands c %= a is equivalent
AND and assign the result to left operand to c = c % a
**= Exponent Performs exponential (power) c **= a is
AND calculation on operators and assign equivalent to c = c **
value to the left operand a
//= Floor It performs floor division on c //= a is equivalent
Division operators and assign value to the left to c = c // a
operand

Example
Assume variable a holds 10 and variable b holds 20, then-
a = 21
b = 10
c = 0
c = a + b
print ("Line 1 - Value of c is ", c)
c += a
print ("Line 2 - Value of c is ", c )
c *= a
print ("Line 3 - Value of c is ", c )
c /= a
print ("Line 4 - Value of c is ", c )
c = 2
c %= a
print ("Line 5 - Value of c is ", c)
c **= a
print ("Line 6 - Value of c is ", c)
c //= a
print ("Line 7 - Value of c is ", c)
Output
Line 1 - Value of c is 31
Line 2 - Value of c is 52
Line 3 - Value of c is 1092
Line 4 - Value of c is 52.0
Line 5 - Value of c is 2
Line 6 - Value of c is 2097152
Line 7 - Value of c is 99864

Python Operators Precedence


The following table lists all the operators from highest precedence to the
lowest.
Operator Description
** Exponentiation (raise to the power)
~+- complement, unary plus and minus (method names for
the last two are +@ and -@)
* / % // Multiply, divide, modulo and floor division
+- Addition and subtraction
>> << Right and left bitwise shift
& Bitwise 'AND'
^| Bitwise exclusive `OR' and regular `OR'
<= < > >= Comparison operators
<> == != Equality operators
= %= /= //= -= += Assignment operators
*= **=
is, is not Identity operators
in not in Membership operators
not or and Logical operators

Operator precedence affects the evaluation of an expression.


For example, x = 7 + 3 * 2; here, x is assigned 13, not 20 because the operator
* has higher precedence than +, so it first multiplies 3*2 and then is added to
7.
Here, the operators with the highest precedence appear at the top of the
table, those with the lowest appear at the bottom.

Example
a = 20
b = 10
c = 15
d = 5
print ("a:%d b:%d c:%d d:%d" % (a,b,c,d ))
e = (a + b) * c / d #( 30 * 15 ) / 5
print ("Value of (a + b) * c / d is ", e)
e = ((a + b) * c) / d # (30 * 15 ) / 5
print ("Value of ((a + b) * c) / d is ", e)
e = (a + b) * (c / d) # (30) * (15/5)
print ("Value of (a + b) * (c / d) is ", e)
e = a + (b * c) / d # 20 + (150/5)
print ("Value of a + (b * c) / d is ", e)

Output

a:20 b:10 c:15 d:5


Value of (a + b) * c / d is 90.0
Value of ((a + b) * c) / d is 90.0
Value of (a + b) * (c / d) is 90.0
Value of a + (b * c) / d is 50.0

Decision-making statements:
Decision making is the most important aspect of almost all the programming
languages. As the name implies, decision making allows us to run a particular
block of code for a particular decision. Here, the decisions are made on the
validity of the particular conditions. Condition checking is the backbone of
decision making.

Decision structures evaluate multiple expressions, which produce TRUE or


FALSE as the outcome. You need to determine which action to take and which
statements to execute if the outcome is TRUE or FALSE otherwise.

Following is the general form of a typical decision making structure found in


most of the programming languages-
Python programming language assumes any non-zero and non-null values as TRUE,
and any zero or null values as FALSE value.
Python programming language provides the following types of decision-making
Statements.

Statement Description
An if statement consists of a Boolean expression
if statements
followed by one or more statements.
An if statement can be followed by an optional else
if...else statements statement, which executes when the boolean
expression is FALSE.
You can use one if or else if statement inside another
nested if statements
if or else if statement(s).

if statement

The if statement is similar to that of other languages. The if statement


contains a logical expression using which the data is compared and a decision is
made based on the result of the comparison.
Syntax:

if expression:
statement(s)

If the boolean expression evaluates to TRUE, then the block of statement(s)


inside the if statement is executed. In Python, statements in a block are
uniformly indented after the: symbol. If boolean expression evaluates to
FALSE, then the first set of code after the end of block is executed.

Flow Diagram
Example
var1 = 100
if var1:
print ("1 - Got a true expression value")
print (var1)

var2 = 0
if var2:
print ("2 - Got a true expression value")
print (var2)

print ("Good bye!")

Output

1 - Got a true expression value


100
Good bye!

if...elif...else statements
An else statement can be combined with an if statement. An else statement
contains a block of code that executes if the conditional expression in the if
statement resolves to 0 or a FALSE value.
The else statement is an optional statement and there could be at the most only
one else statement following if.

Syntax

The syntax of if...else statement is


if expression:
statement(s)
else:
statement(s)
Flow Diagram

Example
Discount is calculated on the input amount. Rate of discount is 5%, if the amount
is less than 1000, and 10% if it is above 1000.

amount=int(input("Enter amount: "))


if amount<1000:
discount=amount*0.05
print ("Discount",discount)
else:
discount=amount*0.10
print ("Discount",discount)

print ("Net payable:",amount-discount)

Output

Enter amount: 600


Discount 30.0
Net payable: 570.0
Enter amount: 1200
Discount 120.0
Net payable: 1080.0
The elif Statement

The elif statement allows you to check multiple expressions for TRUE and
execute a block of code as soon as one of the conditions evaluates to TRUE.
Similar to the else, the elif statement is optional. However, unlike else, for
which there can be at the most one statement, there can be an arbitrary
number of elif statements following an if.

Syntax

if expression1:
statement(s)
elif expression2:
statement(s)
elif expression3:
statement(s)
else:
statement(s)

Example:

amount=int(input("Enter amount: "))


if amount<1000:
discount=amount*0.05
print ("Discount",discount)
elif amount<5000:
discount=amount*0.10
print ("Discount",discount)
else:
discount=amount*0.15
print ("Discount",discount)
print ("Net payable:",amount-discount)

Output
Enter amount: 600
Discount 30.0
Net payable: 570.0
Enter amount: 3000
Discount 300.0
Net payable: 2700.0
Enter amount: 6000
Discount 900.0
Net payable: 5100.0

Nested IF Statements
There may be a situation when you want to check for another condition after a
condition resolves to true. In such a situation, you can use the nested if
construct.
In a nested if construct, you can have an if...elif...else construct inside another
if...elif...else construct.

Syntax

if expression1:
statement(s)
if expression2:
statement(s)
elif expression3:
statement(s)
else:
statement(s)
elif expression4:
statement(s)
else:
statement(s)

Example

num=int(input("enter number"))
if num%2==0:
if num%3==0:
print ("Divisible by 3 and 2")
else:
print ("divisible by 2 not divisible by 3")
elif num%3 == 0:
print ("divisible by 3 not divisible by 2")
else:
print ("not Divisible by 2 not divisible by 3")

Output

Enter number8
divisible by 2 not divisible by 3
enter number15
divisible by 3 not divisible by 2
enter number12
Divisible by 3 and 2
enter number5
not Divisible by 2 not divisible by 3

Python-Loops:
In general, statements are executed sequentially- The first statement in a
function is executed first, followed by the second, and so on. There may be a
situation when we need to execute a block of code several number of times.
Programming languages provide various control structures that allow more
complicated execution paths.
A loop statement allows us to execute a statement or group of statements
multiple times.
The following diagram illustrates a loop statement.
Python programming language provides the following types of loops to handle
looping requirements.
Loop Type Exception
while loop Repeats a statement or group of statements while a
given condition is TRUE. It tests the condition before
executing the loop body.
for loop Executes a sequence of statements multiple times and
abbreviates the code that manages the loop variable
nested loops You can use one or more loop inside any another while, or
for loop.

while Loop Statements


A while loop statement in Python programming language repeatedly executes a
target statement as long as a given condition is true.
Syntax
while expression:
statement(s)

Here, statement(s) may be a single statement or a block of statements with


uniform indent. The condition may be any expression, and true is any non-zero
value. The loop iterates while the condition is true.
When the condition becomes false, program control passes to the line
immediately following the loop
In Python, all the statements indented by the same number of character spaces
after a programming construct are considered to be part of a single block of
code. Python uses indentation as its method of grouping statements.

Flow Diagram
Example
count = 0
while (count < 9):
print ('The count is:', count)
count = count + 1
print ("Good bye!")

Output

The count is: 0


The count is: 1
The count is: 2
The count is: 3
The count is: 4
The count is: 5
The count is: 6
The count is: 7
The count is: 8
Good bye!

The Infinite Loop


A loop becomes infinite loop if a condition never becomes FALSE. You must be
cautious when using while loops because of the possibility that this condition
never resolves to a FALSE value. This results in a loop that never ends. Such a
loop is called an infinite loop.

An infinite loop might be useful in client/server programming where the server


needs to run continuously so that client programs can communicate with it as
and when required.

Example
var = 1
while var == 1 : # This constructs an infinite loop
num = int(input("Enter a number :"))
print ("You entered: ", num)
print ("Good bye!")
Output

Enter a number :20


You entered: 20
Enter a number :29
You entered: 29
Enter a number :3
You entered: 3
Enter a number :11
You entered: 11
Enter a number :22
You entered: 22
Enter a number :Traceback (most recent call last):
File "examples\test.py", line 5, in
num = int(input("Enter a number :"))
KeyboardInterrupt

The above example goes in an infinite loop and you need to use CTRL+C to exit
the program.

Using else Statement with while Loop:

Python supports having an else statement associated with a loop statement.


If the else statement is used with a while loop, the else statement is executed
when the condition becomes false.
The following example illustrates the combination of an else statement with a
while statement that prints a number as long as it is less than 5, otherwise the
else statement gets executed.

Example
count = 0
while count < 5:
print (count, " is less than 5")
count = count + 1
else:
print (count, " is not less than 5")
Output

0 is less than 5
1 is less than 5
2 is less than 5
3 is less than 5
4 is less than 5
5 is not less than 5

for Loop Statements


The for statement in Python has the ability to iterate over the items of any
sequence, such as a list or a string.

Syntax
for iterating_var in sequence:
statements(s)

If a sequence contains an expression list, it is evaluated first. Then, the first


item in the sequence is assigned to the iterating variable iterating_var. Next,
the statements block is executed. Each item in the list is assigned to
iterating_var, and the statement(s) block is executed until the entire sequence
is exhausted.

Flow Diagram
The range() function
The built-in function range() is the right function to iterate over a sequence of
numbers. It generates an iterator of arithmetic progressions.
>>> range(5)
range(0, 5)
>>> list(range(5))
[0, 1, 2, 3, 4]
range() generates an iterator to progress integers starting with 0 upto n-1. To
obtain a list object of the sequence, it is type casted to list(). Now this list can
be iterated using the for statement.

>>> for var in list(range(5)):


print (var)

This will produce the following output.


0
1
2
3
4

Example
for letter in 'Python': # traversal of a string sequence
print ('Current Letter :', letter)
print()
fruits = ['banana', 'apple', 'mango']
for fruit in fruits: # traversal of List sequence
print ('Current fruit :', fruit)
print ("Good bye!")

Output
Current Letter : P
Current Letter : y
Current Letter : t
Current Letter : h
Current Letter : o
Current Letter : n
Current fruit : banana
Current fruit : apple
Current fruit : mango
Good bye!
Iterating by Sequence Index
An alternative way of iterating through each item is by index offset into the
sequence itself.
Example
fruits = ['banana', 'apple', 'mango']
for index in range(len(fruits)):
print ('Current fruit :', fruits[index])
print ("Good bye!")

Output

Current fruit : banana


Current fruit : apple
Current fruit : mango
Good bye!

Here, we took the assistance of the len() built-in function, which provides the
total number of elements in the tuple as well as the range() built-in function to
give us the actual sequence to iterate over.

Using else Statement with for Loop


Python supports having an else statement associated with a loop statement.
 If the else statement is used with a for loop, the else block is executed
only if for loop terminates normally (and not by encountering break
statement).
The following example illustrates the combination of an else statement with a
for statement that searches for even number in given list.

Example
numbers=[11,33,55,39,55,75,37,21,23,41,13]
for num in numbers:
if num%2==0:
print ('the list contains an even number')
break
else:
print ('the list doesnot contain even number')

Output
the list does not contain even number
Nested loops
Python programming language allows the use of one loop inside another loop.
Syntax
for iterating_var in sequence:
for iterating_var in sequence:
statements(s)
statements(s)
The syntax for a nested while loop statement in Python programming language is
as follows.
while expression:
while expression:
statement(s)
statement(s)

A final note on loop nesting is that you can put any type of loop inside any other
type of loop. For example a for loop can be inside a while loop or vice versa.

Example
The following program uses a nested-for loop to display multiplication tables
from 1-10.

import sys
for i in range(1,5):
for j in range(1,11):
k=i*j
print (k, end=' ')
print()

The print() function inner loop has end=' ' which appends a space instead of
default newline. Hence, the numbers will appear in one row.

Last print() will be executed at the end of inner for loop.

When the above code is executed, it produces the following result


1 2 3 4 5 6 7 8 9 10

2 4 6 8 10 12 14 16 18 20

3 6 9 12 15 18 21 24 27 30

4 8 12 16 20 24 28 32 36 40

5 10 15 20 25 30 35 40 45 50
Loop Control Statements or unconditional statements

The Loop control statements change the execution from its normal sequence.
When the execution leaves a scope, all automatic objects that were created in
that scope are destroyed.

Python supports the following control statements.

Control Statement Description


Terminates the loop statement and transfers
break statement execution to the statement immediately following the
loop.

Causes the loop to skip the remainder of its body and


continue statement immediately retest its condition prior to reiterating.

The pass statement in Python is used when a


pass statement statement is required syntactically but you do not
want any command or code to execute.

break statement
The break statement is used for premature termination of the current loop.
After abandoning the loop, execution at the next statement is resumed, just
like the traditional break statement in C.

The most common use of break is when some external condition is triggered
requiring a hasty exit from a loop. The break statement can be used in both
while and for loops.

If we are using nested loops, the break statement stops the execution of the
innermost loop and starts executing the next line of the code after the block.

Syntax

break
Flow Diagram

Example
for letter in 'Python': # First Example
if letter == 'h':
break
print ('Current Letter :', letter)

var = 10 # Second Example


while var > 0:
print ('Current variable value :', var)
var = var -1
if var == 5:
break
print ("Good bye!")

Output
Current Letter : P
Current Letter : y
Current Letter : t
Current variable value : 10
Current variable value : 9
Current variable value : 8
Current variable value : 7
Current variable value : 6
Good bye!
The following program demonstrates the use of break in a for loop iterating
over a list. User inputs a number, which is searched in the list. If it is found,
then the loop terminates with the 'found' message.

no=int(input('any number: '))


numbers=[11,33,55,39,55,75,37,21,23,41,13]
for num in numbers:
if num==no:
print ('number found in list')
break
else:
print ('number not found in list')

The above program will produce the following output


any number: 33
number found in list
any number: 5
number not found in list

continue Statement

The continue statement in Python returns the control to the beginning of the
current loop. When encountered, the loop starts next iteration without
executing the remaining statements in the current iteration. The continue
statement can be used in both while and for loops.

Syntax
continue

Flow Diagram
Example
for letter in 'Python': # First Example
if letter == 'h':
continue
print ('Current Letter :', letter)

var = 10 # Second Example


while var > 0:
var = var -1
if var == 5:
continue
print ('Current variable value :', var)
print ("Good bye!")

When the above code is executed, it produces the following result-


Current Letter : P
Current Letter : y
Current Letter : t
Current Letter : o
Current Letter : n
Current variable value : 9
Current variable value : 8
Current variable value : 7
Current variable value : 6
Current variable value : 4
Current variable value : 3
Current variable value : 2
Current variable value : 1
Current variable value : 0
Good bye!

pass Statement:
It is used when a statement is required syntactically but you do not want any
command or code to execute.
The pass statement is a null operation; nothing happens when it executes. The
pass statement is also useful in places where your code will eventually go, but
has not been written yet i.e. in stubs).

Syntax
Pass
Example
for letter in 'Python':
if letter == 'h':
print ('This is pass block')
pass
print ('Current Letter :', letter)
print ("Good bye!")

When the above code is executed, it produces the following result

Current Letter : P
Current Letter : y
Current Letter : t
This is pass block
Current Letter : h
Current Letter : o
Current Letter : n
Good bye!
Functions
What is a function in Python?
In Python, a function is a group of related statements that performs a specific
task.
Functions help break our program into smaller and modular chunks. As our
program grows larger and larger, functions make it more organized and
manageable.
Furthermore, it avoids repetition and makes the code reusable.
Syntax of Function
def function_name(parameters):
"""docstring"""
statement(s)
Above shown is a function definition that consists of the following components.
 Keyword def that marks the start of the function header.
 A function name to uniquely identify the function. Function naming follows
the same rules of writing identifiers in Python.
 Parameters (arguments) through which we pass values to a function. They
are optional.
 A colon (:) to mark the end of the function header.
 Optional documentation string (docstring) to describe what the function
does.
 One or more valid python statements that make up the function body.
Statements must have the same indentation level (usually 4 spaces).
 An optional return statement to return a value from the function.

Example of a function
def greet(name):
"""
This function greets to
the person passed in as
a parameter
"""
print("Hello, " + name + ". Good morning!")

How to call a function in python?


Once we have defined a function, we can call it from another function, program
or even the Python prompt. To call a function we simply type the function name
with appropriate parameters.
>>> greet('Paul')
Hello, Paul. Good morning!
Note: Try running the above code in the Python program with the function
definition to see the output.

def greet(name):
"""
This function greets to
the person passed in as
a parameter
"""
print("Hello, " + name + ". Good morning!")

greet('Paul')

Docstrings
The first string after the function header is called the docstring and is short
for documentation string. It is briefly used to explain what a function does.
Although optional, documentation is a good programming practice. Unless you can
remember what you had for dinner last week, always document your code.
In the above example, we have a docstring immediately below the function
header. We generally use triple quotes so that docstring can extend up to
multiple lines. This string is available to us as the __doc__ attribute of the
function.
For example:
Try running the following into the Python shell to see the output.
>>> print(greet.__doc__)

This function greets to


the person passed in as
a parameter

Parameters / arguments:
 Parameters are the variables which used in the function definition.
Parameters are inputs to functions. Parameter receives the input from
the function call.
 It is possible to define more than one parameter in the function
definition.

Function Arguments
we can call a function by using the following types of formal arguments −
1. Required arguments
2. Keyword arguments
3. Default arguments
4. Variable-length arguments

Required arguments
Required arguments are the arguments passed to a function in correct positional
order. Here, the number of arguments in the function call should match exactly
with the function definition.
To call the function printme(), we definitely need to pass one argument,
otherwise it gives a syntax error.
Example
# Function definition is here
def printme( str ):
"This prints a passed string into this function"
print(str)
return;

# Now you can call printme function


printme()
When the above code is executed, it produces the following result −
Traceback (most recent call last):
File "test.py", line 11, in <module>
printme();
TypeError: printme() takes exactly 1 argument (0 given)

Keyword arguments
Keyword arguments are related to the function calls. When you use keyword
arguments in a function call, the caller identifies the arguments by the
parameter name.
This allows you to skip arguments or place them out of order because the
Python interpreter is able to use the keywords provided to match the values
with parameters. We can also make keyword calls to the printme() function in
the following ways –

# Function definition is here


def printme( str ):
"This prints a passed string into this function"
print(str)
return;

# Now you can call printme function


printme( str = "My string")
When the above code is executed, it produces the following result −
My string
The following example gives more clear picture. Note that the order of
parameters does not matter.
# Function definition is here
def printinfo( name, age ):
"This prints a passed info into this function"
print("Name: ", name)
print("Age ", age)
return;

# Now you can call printinfo function


printinfo( age=50, name="miki" )
When the above code is executed, it produces the following result −
Name: miki
Age 50

Default arguments
A default argument is an argument that assumes a default value if a value is not
provided in the function call for that argument. The following example gives an
idea on default arguments, it prints default age if it is not passed –

# Function definition is here


def printinfo( name, age = 35 ):
"This prints a passed info into this function"
print("Name: ", name)
print("Age ", age)
return;

# Now you can call printinfo function


printinfo( age=50, name="miki" )
printinfo( name="miki" )

Output
Name: miki
Age 50
Name: miki
Age 35

Variable-length arguments
We may need to process a function for more arguments than you specified while
defining the function. These arguments are called variable-length arguments
and are not named in the function definition, unlike required and default
arguments.
Syntax for a function with non-keyword variable arguments −
def functionname([formal_args,] *var_args_tuple ):
"function_docstring"
function_suite
return [expression]

An asterisk (*) is placed before the variable name that holds the values of all
nonkeyword variable arguments. This tuple remains empty if no additional
arguments are specified during the function call. Following is a simple example −
# Function definition is here
def printinfo( arg1, *vartuple ):
"This prints a variable passed arguments"
print("Output is: ")
print(arg1)
for var in vartuple:
print(var)
return;

# Now you can call printinfo function


printinfo( 10 )
printinfo( 70, 60, 50 )

Output
Output is:
10
Output is:
70
60
50

Python Anonymous/Lambda Function


What are lambda functions in Python?
In Python, an anonymous function is a function that is defined without a name.
While normal functions are defined using the def keyword in Python, anonymous
functions are defined using the lambda keyword.
Hence, anonymous functions are also called lambda functions.
How to use lambda Functions in Python?
A lambda function in python has the following syntax.
Syntax of Lambda Function in python

lambda arguments: expression


Lambda functions can have any number of arguments but only one expression.
The expression is evaluated and returned. Lambda functions can be used
wherever function objects are required.
Example of Lambda Function in python

Here is an example of lambda function that doubles the input value.

# Program to show the use of lambda functions


double = lambda x: x * 2

print(double(5))

Output

10

In the above program, lambda x: x * 2 is the lambda function. Here x is the


argument and x * 2 is the expression that gets evaluated and returned.
This function has no name. It returns a function object which is assigned to the
identifier double. We can now call it as a normal function. The statement

double = lambda x: x * 2

is nearly the same as:

def double(x):
return x * 2

Use of Lambda Function in python

We use lambda functions when we require a nameless function for a short


period of time.
In Python, we generally use it as an argument to a higher-order function (a
function that takes in other functions as arguments). Lambda functions are used
along with built-in functions like filter(), map() etc.
Fruitful functions
Some of the built-in functions we have used, such as the math functions, have
produced results. Calling the function generates a new value, which we usually
assign to a variable or use as part of an expression.

e = math.exp(1.0)
height = radius * math.sin(angle)

But so far, none of the functions we have written has returned a value.

we are going to write functions that return values, which we will call fruitful
functions, for want of a better name. The first example is area, which returns
the area of a circle with the given radius:

import math

def area(radius):
temp = math.pi * radius**2
return temp

We have seen the return statement before, but in a fruitful function


the return statement includes a return value. This statement means: "Return
immediately from this function and use the following expression as a return
value." The expression provided can be arbitrarily complicated, so we could have
written this function more concisely:

def area(radius):
return math.pi * radius**2

On the other hand, temporary variables like temp often make debugging easier.

Sometimes it is useful to have multiple return statements, one in each branch of


a conditional:

def absoluteValue(x):
if x < 0:
return -x
else:
return x

Since these return statements are in an alternative conditional, only one will be
executed. As soon as one is executed, the function terminates without
executing any subsequent statements.
Code that appears after a return statement, or any other place the flow of
execution can never reach, is called dead code.

In a fruitful function, it is a good idea to ensure that every possible path


through the program hits a return statement. For example:

def absoluteValue(x):
if x < 0:
return -x
elif x > 0:
return x

This program is not correct because if x happens to be 0, neither condition is


true, and the function ends without hitting a return statement. In this case, the
return value is a special value called None:

>>> print absoluteValue(0)


None

As an exercise, write a compare function that returns 1 if x > y, 0 if x == y,


and -1 if x < y.

Void function
The function which does not return any value are called as void function.
In Python, it is possible to compose a function without a return statement.
Functions like this are called void, and they return None, Python's special object
for "nothing". Here's an example of a void function:

>>> def sayhello(who):


print('Hello,', who + '!')
print('What a lovely day.')

>>> sayhello('Akbar')
Hello, Akbar!
What a lovely day.

Let me illustrate with examples. Here's get_ing() function defined above, and
its void counterpart print_ing():
>>> def get_ing(wd):
return wd + 'ing'

>>> def print_ing(wd):


print(wd + 'ing')

Calling the two functions, you first notice the slight difference in the output.
The returning function gives you a string (note ''), while the printing function
shows the printed output of the string -- notice the absence of quotes. Note
that the returned value shows up in the interactive shell environment only; in a
script, only print commands result in an output display.

>>> get_ing('interest')
'interesting'
>>> print_ing('interest')
interesting

Now, since get_ing() returns a value, it can be scooped into a variable via an
assignment statement. Try doing the same with print_ing(), and you run into
unintended consequences: printing happens upon the assignment statement, and
you end up with nothing as the variable's value, because this function, being
void, returns nothing.
>>> foo = get_ing('interest')

Composition
We can call one function from within another. This ability is called composition.
Function composition is the way of combining two or more functions in such a
way that the output of one function becomes the input of the second function
and so on. For example, let there be two functions “F” and “G” and their
composition can be represented as F(G(x)) where “x” is the argument and output
of G(x) function will become the input of F() function.
Example:
# Function to add 2
# to a number
def add(x):
return x + 2

# Function to multiply
# 2 to a number
def multiply(x):
return x * 2

# Printing the result of


# composition of add and
# multiply to add 2 to a number
# and then multiply by 2
print("Adding 2 to 5 and multiplying the result with 2: ",
multiply(add(5)))

Output
Adding 2 to 5 and multiplying the result with 2: 14

Scope of Variables
All variables in a program may not be accessible at all locations in that program.
This depends on where we have declared a variable. The scope of a variable
determines the portion of the program where we can access a particular
identifier.
There are two basic scopes of variables in Python −
1. Global variables
2. Local variables
Global vs. Local variables
Variables that are defined inside a function body have a local scope, and those
defined outside have a global scope.
This means that local variables can be accessed only inside the function in which
they are declared, whereas global variables can be accessed throughout the
program body by all functions. When we call a function, the variables declared
inside it are brought into scope.
Example
total = 0 # This is global variable.
# Function definition is here
def sum( arg1, arg2 ):
# Add both the parameters and return them."
total = arg1 + arg2; # Here total is local variable.
print ("Inside the function local total : ", total)
return total

# Now you can call sum function


sum( 10, 20 )
print ("Outside the function global total : ", total )

Output
Inside the function local total : 30
Outside the function global total : 0

Recursion
Recursion is the process of determining something in terms of itself. In Python,
we know that a function can call other functions. It is even possible for the
function to call itself. These types of construct are termed as recursive
functions.
The following image shows the working of a recursive function called recurse.

Following is an example of a recursive function to find the factorial of an


integer.
def factorial(x):
"""This is a recursive function
to find the factorial of an integer"""

if x == 1:
return 1
else:
return (x * factorial(x-1))

num = 3
print("The factorial of", num, "is", factorial(num))

Advantages of Recursion
 Recursive functions make the code look clean and elegant.
 A complex task can be broken down into simpler sub-problems using
recursion.
 Sequence generation is easier with recursion than using some nested
iteration.
Disadvantages of Recursion
 Sometimes the logic behind recursion is hard to follow through.
 Recursive calls are expensive (inefficient) as they take up a lot of
memory and time.
 Recursive functions are hard to debug.

You might also like