Unit 2 Pythonnotes
Unit 2 Pythonnotes
Functions help break our program into smaller and modular chunks. As our program grows
larger and larger, functions make it more organized and manageable.
A function can be defined as the organized block of reusable code, which can be called whenever required.
Python allows us to divide a large program into the basic building blocks known as a function.
Python provide us various inbuilt functions like range() or print(). Although, the user can create its functions,
which can be called user-defined functions.
o Using functions, we can avoid rewriting the same logic/code again and again in a program.
o We can call Python functions multiple times in a program and anywhere in a program.
o We can track a large Python program easily when it is divided into multiple functions.
o Reusability is the main achievement of Python functions.
o However, Function calling is always overhead in a Python program.
o User-define functions - The user-defined functions are those define by the user to perform the
specific task.
o Built-in functions - The built-in functions are those functions that are pre-defined in Python.
# integer number
integer = -20
print('Absolute value of -40 is:', abs(integer))
Output:
# Calling function
small = min(2225,325,2025) # returns smallest element
# Displaying result
print(small)
Output:
325
Signature
1. pow(x, y, z)
Parameters
x: It is a number, a base
y: It is a number, an exponent.
Output:
16
Signature
divmod (number1, number2)
Output:
(5, 0)
1.
str = 'Python'
print(len(str))
Output:
6
Creating a Function
Python provides the def keyword to define the function. The syntax of the define function is given below.
Syntax:
def my_function(parameters):
function_block
return expression
o The def keyword, along with the function name is used to define the function.
o The identifier rule must follow the function name.
o A function accepts the parameter (argument), and they can be optional.
o The function block is started with the colon (:), and block statements must be at the same indentation.
o The return statement is used to return the value. A function can have only one return
Function Calling
In Python, after the function is created, we can call it from another function. A function must be defined before
the function call; otherwise, the Python interpreter gives an error. To call the function, use the function name
followed by the parentheses.
Consider the following example of a simple example that prints the message "Hello World".
#function definition
def hello_world():
print("hello world")
# function calling
hello_world()
Output:
hello world
Syntax
1. return [expression_list]
It can contain the expression which gets evaluated and value is returned to the caller function. If the return
statement has no expression or does not exist itself in the function then it returns the None object.
Example 1
# Defining function
def sum():
a = 10
b = 20
c = a+b
return c
# calling sum() function in print statement
print("The sum is:",sum())
Output:
In the above code, we have defined the function named sum, and it has a statement c = a+b, which computes
the given values, and the result is returned by the return statement to the caller function.
# Defining function
def sum():
a = 10
b = 20
c = a+b
# calling sum() function in print statement
print(sum())
Output:
None
In the above code, we have defined the same function without the return statement as we can see that
the sum() function returned the None object to the caller function.
Arguments in function
The arguments are types of information which can be passed into the function. The arguments are specified in
the parentheses. We can pass any number of arguments, but they must be separate them with a comma.
Consider the following example, which contains a function that accepts a string as the argument.
Example 1
Output:
Hi Devansh
Example 2
Default Arguments
Python allows us to initialize the arguments at the function definition. If the value of any of the arguments is
not provided at the time of function call, then that argument can be initialized with the value given in the
definition even if the argument is not specified at the function call.
Example 1
def printme(name,age=22):
print("My name is",name,"and age is",age)
printme(name = "john")
Output:
This way the function will receive a tuple of arguments, and can access the items accordingly:
Example
If the number of arguments is unknown, add a * before the parameter name:
def my_function(*kids):
print("The youngest child is " + kids[2])
E.g. if you send a List as an argument, it will still be a List when it reaches the function:
Example
def my_function(food):
for x in food:
print(x)
my_function(fruits)
The following image shows the working of a recursive function called recurse.
Recursive Function in Python
Factorial of a number is the product of all the integers from 1 to that number. For example, the
factorial of 6 (denoted as 6!) is 1*2*3*4*5*6 = 720.
if x == 1:
return 1
else:
return (x * factorial(x-1))
num = 3
print("The factorial of", num, "is", factorial(num))
Output
The factorial of 3 is 6
When we call this function with a positive integer, it will recursively call itself by decreasing the
number.
Each function multiplies the number with the factorial of the number below it until it is equal to
one. This recursive call can be explained in the following steps.
In python, the variables are defined with the two types of scopes.
1. Global variables
2. Local variables
The variable defined outside any function is known to have a global scope, whereas the variable defined inside
a function is known to have a local scope.
Global Variables
In Python, a variable declared outside of the function or in global scope is known as a global
variable. This means that a global variable can be accessed inside or outside of the function.
def foo():
print("x inside:", x)
foo()
print("x outside:", x)
Output
x inside: global
x outside: global
In the above code, we created x as a global variable and defined a foo() to print the global
variable x. Finally, we call the foo() which will print the value of x.
def foo():
y = "local"
print(y)
foo()
Output
local
A lambda function can take any number of arguments, but can only have one expression.
Syntax
It can accept any number of arguments and has only one expression. It is useful when the function objects are
required.
Example 1
Output:
Example
Multiply argument a with argument b and return the result:
x = lambda a, b : a * b
print(x(5, 6))
output:
30
1.Write a python program using function to find the sum of first 'n' even numbers and print the result.
# Driver Code
n = 20
print("sum of first ", n, "even number is: ",
evensum(n))
Syntax:
Output:
Hello Python
Hello Python
Triple quotes are generally used for
represent the multiline or
docstring
str = "HELLO"
print(str[0])
print(str[1])
print(str[2])
print(str[3])
print(str[4])
# It returns the IndexError because 6th index doesn't exist
print(str[6])
Output:
H
E
L
L
O
IndexError: string index out of range
As shown in Python, the slice operator [] is used to access the individual characters of the string. However, we
can use the : (colon) operator in Python to access the substring from the given string. Consider the following
example.
String Operators
Operator Description
+ It is known as concatenation operator used to join the strings given either side of the
operator.
* It is known as repetition operator. It concatenates the multiple copies of the same string.
[:] It is known as range slice operator. It is used to access the characters from the specified
range.
not in It is also a membership operator and does the exact reverse of in. It returns true if a
particular substring is not present in the specified string.
r/R It is used to specify the raw string. Raw strings are used in the cases where we need to
print the actual meaning of escape characters such as "C://python". To define any string as
a raw string, the character r or R is followed by the string.
% It is used to perform string formatting. It makes use of the format specifiers used in C
programming like %d or %f to map their values in python. We will discuss how formatting
is done in python.
Example
Consider the following example to understand the real use of Python operators.
str = "Hello"
str1 = " world"
print(str*3) # prints HelloHelloHello
print(str+str1)# prints Hello world
print(str[4]) # prints o
print(str[2:4]); # prints ll
print('w' in str) # prints false as w is not present in str
print('wo' not in str1) # prints false as wo is present in str1.
print(r'C://python37') # prints C://python37 as it is written
print("The string str : %s"%(str)) # prints The string str : Hello
Output:
HelloHelloHello
Hello world
o
ll
False
False
C://python37
The string str : Hello
Method Description
center(width ,fillchar) It returns a space padded string with the original string centred
with equal number of left and right spaces.
endswith(suffix It returns a Boolean value if the string terminates with given suffix
,begin=0,end=len(string)) between begin and end.
expandtabs(tabsize = 8) It defines tabs in string to multiple spaces. The default space value
is 8.
find(substring ,beginIndex, It returns the index value of the string where substring is found
endIndex) between begin index and end index.
isalnum() It returns true if the characters in the string are alphanumeric i.e.,
alphabets or numbers and there is at least 1 character. Otherwise,
it returns false.
isalpha() It returns true if all the characters are alphabets and there is at
least one character, otherwise False.
isdecimal() It returns true if all the characters of the string are decimals.
isdigit() It returns true if all the characters are digits and there is at least
one character, otherwise False.
istitle() It returns true if the string is titled properly and false otherwise. A
title string is the one in which the first character is upper-case
whereas the other characters are lower-case.
isupper() It returns true if all the characters of the string(if exists) is true
otherwise it returns false.
ljust(width[,fillchar]) It returns the space padded strings with the original string left
justified to the given width.
partition() It searches for the separator sep in S, and returns the part before
it, the separator itself, and the part after it. If the separator is not
found, return S and two empty strings.
replace(old,new[,count]) It replaces the old sequence of characters with the new sequence.
The max characters are replaced if max is given.
rjust(width,[,fillchar]) Returns a space padded string having original string right justified
to the number of characters specified.
rstrip() It removes all trailing whitespace of a string and can also be used
to remove particular character from trailing.
rsplit(sep=None, maxsplit = -1) It is same as split() but it processes the string from the backward
direction. It returns the list of words in the string. If Separator is
not specified then the string splits according to the white-space.
split(str,num=string.count(str)) Splits the string according to the delimiter str. The string splits
according to the space if the delimiter is not provided. It returns
the list of substring concatenated with the delimiter.
splitlines(num=string.count('\n')) It returns the list of strings at each line with newline removed.
startswith(str,beg=0,end=len(str)) It returns a Boolean value if the string starts with given str
between begin and end.
title() It is used to convert the string into the title-case i.e., The
string meEruT will be converted to Meerut.
translate(table,deletechars = '') It translates the string according to the translation table passed in
the function .
Signature
1. capitalize()
2. # Python capitalize() function example
3. # Variable declaration
4. str = "java"
5. # Calling function
6. str2 = str.capitalize()
7. # Displaying result
8. print("Old value:", str)
9. print("New value:", str2)
Output:
2.upper()
The upper() method returns a string where all characters are in upper case.
Syntax
string.upper()
txt = "Hello"
x = txt.upper()
print(x)
output:
HELLO
The lower() method returns a string where all characters are lower case.
Symbols and Numbers are ignored.
Syntax
string.lower()
txt = "PYTHON"
x = txt.lower()
print(x)
output:python
Syntax
string.replace(oldvalue, newvalue, count)
Example
Replace the word "bananas":
x = txt.replace("java", "python")
print(x)