KEMBAR78
Python - Unit 4 | PDF | Parameter (Computer Programming) | Anonymous Function
0% found this document useful (0 votes)
66 views59 pages

Python - Unit 4

The document discusses different types of functions in Python including built-in functions, user-defined functions, parameters, arguments, return types, scope of variables, lambda functions, and more. It provides examples and explanations of function definitions, calls, required arguments, default arguments, variable-length arguments, anonymous functions, and global vs local variables.

Uploaded by

dagadsai0330
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)
66 views59 pages

Python - Unit 4

The document discusses different types of functions in Python including built-in functions, user-defined functions, parameters, arguments, return types, scope of variables, lambda functions, and more. It provides examples and explanations of function definitions, calls, required arguments, default arguments, variable-length arguments, anonymous functions, and global vs local variables.

Uploaded by

dagadsai0330
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/ 59

Functions

Defining Your Own Functions, Calling Functions, passing


parameters and arguments

Python Function arguments: Keyword Arguments, Default


Arguments, Variable-length arguments, Anonymous Functions,

Fruitful Functions (Function Returning Values), Scope of the


Variables in a Function -Global and Local Variables. Powerful
Lambda functions in python, Brief on other functions like sort,
sorted and range.
Functions:
Functions and its use:
• Function is a group of related statements that perform 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.

• It avoids repetition and makes code reusable.

Basically, we can divide functions into the following two types,

1. Built-in functions
2. User-defined functions
1. Built-in functions –

• Functions that are built into Python.

Ex: abs(),round(),sorted()………so on….

integer = -20
print(“Absolute value of -20 is:”, abs(integer))

Output:
Absolute value of -20 is: 20
2. User-defined functions:

• Functions defined by the user. In python, a user-defined


functions declaration begins with the keyword def and
followed by the function name.

• The function may take arguments as input within the opening


and closing parentheses, just after the function name followed
by colon.

Syntax:

def function_name(argument1, argument2, ...):


statements
Examples:

def add(x,y): # Function Definition


sum = x + y
return sum
print("The sum is", add(5, 20))

Function call

Output:
The sum is 25
Examples:

pi=3.14
def area(r): #Function Definition
return pi*r*r
r=int(input("Enter r value : "))
a=area(r) #Function call
print(a)

Output:
Enter r value : 2
12.56
Flow of Execution :
• Execution always begins at the first statement of the
program. statements are executed from top to bottom.

• Function definitions do not alter the flow of execution of the


program ,but remember that statements inside the function
are not executed until the function is called.

def display():
print("Good Morning") Output :
print("Mrcet") hi
print("hi") hello
print("hello") Good Morning
display() Mrcet
print("Done") Done
Parameters are passed during the definition of function while
Arguments are passed during the function call.

Example:

#here a and b are parameters


def add(a,b): #function definition
return a+b
result=add(12,13) #12 and 13 are arguments
print(result)

Output:
25
Type1 : No parameters and no return type

#Example 1: #Example 2:

def display(): def add():


print("vandemataram") a=20;b=30
display() #function call print("sum=",a+b)
add()

Output: Output:
vandemataram Sum=50
Type 2: With Parameter Without Return Type

#Example 1: #Example 2:

def display(a) : def add(a,b):


print(a) print("sum=",a+b)
display("hello") add(20,30)

Output: Output:
hello Sum=50
Type 3: Without Parameter with return type

#Example 1: #Example 2:

def display(): def add():


return "welcome to python" a=20;b=30
print(display()) return a+b
result=add()
print("sum=",result)
Output:
welcome to python
Output:
Sum=50
Type 4: With Parameter with return type
def display(a):
return a
print(display("python is better then c"))

Output:
def add(a,b):
python is better then c return a+b
result=add(20,30)
print("sum=",result)

Output:
Sum=50
Arguments:

There are four types of python function 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.

def printme(str): def printme(str):


print(str) print(str)
printme( ) printme("mrcet")

Output :
Output :
TypeError: printme() missing 1
required positional argument: 'str' mrcet
Keyword Arguments:

• When we call a function with some values, these values get


assigned to the arguments according to their position.

• Python allows functions to be called using keyword arguments.


When we call functions in this way, the order (position) of the
arguments can be changed.

• Calling function with keyword arguments is easier since we do


not need to worry about the order of the arguments.
Example-Keyword Arguments

def display(name, age):


Output :
print("Name:", name)
Name: Ram
print("Age:", age)
Age: 50
display(age=50,name="Ram")
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.
• Function arguments can have default values in Python. We can
provide a default value to an argument by using the
assignment operator (=)

def display( name, age=40): Output :


print( "Name: ", name) Name: Ram
print ("Age ", age) Age 50
display(" Ram ",50) Name: Krishna
display( "Krishna" ) Age 40
Examples

def func(a, b=5, c=10):


Output:
print("a=",a,"b=",b,"c=",c)
a= 3 b= 7 c= 10
func(3, 7) a= 25 b= 5 c= 24

func(25, c=24) a= 100 b= 5 c= 50

func(c=50, a=100)
def sum(a=5,b):
print("sum=",a+b)
sum(5,4)
sum(1,3)

SyntaxError: non-default argument follows default argument

def sum(a,b=5):
Output
print("sum=",a+b)
sum= 9
sum(5,4)
sum= 8
sum(3)
Variable-Length Arguments:

• Sometimes we may need more arguments to process function


than we mentioned in the definition.

• If we don‟t know in advance about the arguments needed in


function, we can use variable-length arguments and also called
arbitrary arguments.

• For this an asterisk (*) is placed before a parameter in function


definition which can hold non-keyworded variable-length
arguments and a double asterisk (**) is placed before a
parameter in function which can hold keyworded variable-
length arguments.
Example

def printinfo(*vartuple ):
Output:
print(vartuple)
(10,)
printinfo( 10 )
(70, 60, 50)
printinfo( 70, 60, 50 )
(90, 50, 30, 20)
printinfo( 90, 50, 30, 20)

def myFun(**kwargs):
print(kwargs)
myFun(name="pallavi",age=32,college="MRCET")

Output : {'name': 'pallavi', 'age': 32, 'college': 'MRCET'}


Fruitful functions

• We write functions that return values, which we will call


fruitful functions.
• Any function that returns a value is called fruitful function. A
Function that does not return a value is called a void function
• The Keyword "return" is used to return back the value to the
called function

def add(a,b):
return a+b
Output:
result=add(12,13) 25
print(result)
# Write a Python function that takes two lists and returns True if
they have at least one common member.

def data(list1, list2):


for x in list1:
if x in list2:
Output :
return True True
print(data([1,2,3,4,5], [1,2,3,4,5])) True
None
print(data([1,2,3,4,5], [1,7,8,9,510]))
print(data([1,2,3,4,5], [6,7,8,9,10]))
⦁ The scope of a variable determines its accessibility and
availability in different portions of a program. Their
availability depends on where they are defined.

⦁ Depending on the scope and the lifetime, there are two kinds
of variables in Python.

Local Variables
Global Variables
Local Variables vs. Global Variables

⦁ Here are some of the points to list out the difference


between global and local variable for their proper
understanding.

1. Variables or parameters defined inside a function are


called local variables as their scope is limited to the
function only.

2. Global variables are defined outside of the function.

3. Local variables can’t be used outside the function


whereas a global variable can be used throughout the
program anywhere as per requirement.
⦁ The lifetime of a local variable ends with the termination
or the execution of a function, whereas the lifetime of a
global variable ends with the termination of the entire
program.

⦁ The variable defined inside a function can also be made


global by using the global statement.

def function_name(args):
.............
global x #declaring global variable inside a function
..............
# create a global variable

x = “mrcet"
def func():
print("x inside :", x)
func() #Function call
print("x outside:", x)

Output:
x inside : mrcet
x outside: mrcet
# create a local variable
def f1():
y = "local" Output:
print(y) local
f1()

If we try to access the local variable outside the scope for example

def f2():
NameError: name 'y' is not
y = "local"
defined
f2()
print(y)
# use Global variable and Local variable with same name

x=5
def f4():
x = 10
print("local x:", x)
f4()
print("global x:", x)

Output:
local x: 10
global x: 5
# make local variable as global

x = 10
def f3():
global x
x=x*2
print(x)
f3()

Output:
20
Anonymous Functions:
• Anonymous function is a function i.e. defined without
name.
• While normal functions are defined using the def
keyword, Anonymous functions are defined using lambda
keyword hence anonymous functions are also called
lambda functions.

Syntax: lambda arguments: expression

• Lambda function can have any no. of arguments for any


one expression.
• The expression is evaluated and returns
Use of Lambda functions:
•Lambda functions are used as nameless functions
for a short period of time.

•In python, lambda functions are an argument to


higher order functions.

•Lambda functions are used along with built-in


functions like filter(),map() and reduce() etc…
# Write a program to double a given number

double = lambda x:2*x Output:


print(double(5)) 10

#Write a program to sum of two numbers

add = lambda x,y:x+y Output:


print(add(5,4)) 9
# Write a program to find biggest of two numbers

biggest = lambda x,y: x if x>y else y


z=biggest(20,30)
print(z)

Output:
30
# Python code to illustrate cube of a number
# showing difference between def() and lambda().

def cube(y):
return y*y*y

lambda_cube = lambda y: y*y*y

# using the normally defined function


print(cube(5))

# using the lambda function


print(lambda_cube(5))
Lambda functions are used along with built-in functions like filter(),
map() and reduce(), etc…

Map() :
⦁ Map() function in python takes a function & list.
⦁ It is used when you need to map or implement functions on various
elements at the same time.

⦁ Map applies a function to all the items in an list


⦁ The advantage of the lambda operator can be seen when it is used
in combination with the map() function.
Syntax:

map(function, iterable object)


⦁ The function here can be a lambda function or a function
object.
⦁ The iterable object can be a string, list, tuple, set or
dictionary.
Example:1
Write a program for map() function to double all the items in
the list

myList =[1,2,3,4,5,6,7,8,9,10]

newList = map(lambda x: x*2,myList)

print(list(newList))

Output:
[2, 4, 6, 8, 10, 12, 14, 16, 18, 20]
Example:2
Write a program to separate the letters of the word "hello"
and add the letters as items of the list.

letters = [ ]

letters = map(lambda x:x,"hello")

print(list(letters))

Output:
['h', 'e', 'l', 'l', 'o']
Example:3
Write a program for map() function to double all the
items in the list?

def addition(n):
return n + n

numbers = (1, 2, 3, 4)
result = map(addition, numbers)
print(list(result))

Output:
[2, 4, 6, 8]
Using map() with Python built-in functions

Example:
we are going to make use of Python round() built-in function that
rounds the values given.

my_list = [2.67,3.635,4.23,5.96,6.32,7.69,8.23,9.69]
updated_list = map(round, my_list)
print(updated_list)
print(list(updated_list))

Output:
<map object at 0x000000E65F901748>
[3, 4, 4, 6, 6, 8, 8, 10]
Using map() with a string as an iterator

str = "welcome to mrcet!"


updated_list = map(lambda x : x.upper() , str)
for i in updated_list:
print(i, end="")

Output:
WELCOME TO MRCET!
Filter():
'Filter' is a similar operation, but it requires the function to look
for a condition and then returns only those elements from the
collection that satisfy the condition.

Syntax:
filter(function, iterable object)

⦁ The iterable object can be a string, list, tuple, set or dictionary.


Example:1
Write a program on filter() function to filter out only even
numbers from the given list

myList =[1,2,3,4,5,6]

newList = filter(lambda x: x%2 ==0,myList )

print(list(newList))

Output:

[2, 4, 6]
Example:2
Write a program for filter() function to print the items greater
than 4

list1 = [10,2,8,7,5,4,3,11,0, 1]

result = filter (lambda x: x > 4, list1)

print(list(result))

Output:

[10, 8, 7, 5, 11]
Example:3
Write a program using a filter function to return the names that
start with the character "A".

name = ['Harshit','Aman','Akash’]

X=filter(lambda x : x.startswith("A"), name)

Print(list(X))

Output:
['Aman', 'Akash']
reduce():

⦁ 'Reduce' is an operation that breaks down the entire process


into pair-wise operations and uses the result from each
operation, with the successive element.

⦁ This process continues till no more elements are left in the


container.

⦁ This function is defined in “functools” module.

Syntax:

functools.reduce(myfunction, iterable)
Example:1
Write a program to find some of the numbers for the
elements of the list by using reduce()

import functools
myList =[1,2,3,4,5,6,7,8,9,10]
x=functools.reduce(lambda x,y : x+y, myList)
Print(x)

Output:
55
Example:2
Write a program for reduce() function to print the
product of items in a list
from functools import reduce
list1 = [1,2,3,4,5]

product = reduce (lambda x, y: x*y, list1)


print(product)

Output:
120
⦁ The sort() method sorts the items of a list in ascending or
descending order. The sort() method doesn't return any value.
Rather, it changes the original list.

Syntax
list.sort(key, reverse)

⦁ By default, sort() doesn't require any extra parameters. However, it


has two optional parameters:

⦁ reverse - If True, the sorted list is reversed (or sorted in Descending


order)
⦁ key - function that serves as a key for the sort comparison
Example 1: Sort a given list in Ascending Order

vowels = ['e', 'a', 'u', 'o', 'i’]


Output :
vowels.sort() # sort the vowels
Sorted list: ['a', 'e', 'i', 'o', 'u']
print('Sorted list:', vowels)

Example 2: Sort the list in Descending order

vowels = ['e', 'a', 'u', 'o', 'i']

vowels.sort(reverse=True)

print('Sorted list (in Descending):', vowels)

Output : Sorted list (in Descending): ['u', 'o', 'i', 'e', 'a']
Sort with custom function using key

If you want your own implementation for sorting, the sort() method
also accepts a key function as an optional parameter. Based on the
results of the key function, you can sort the given list.

list.sort(key=len)

Here, The list is sorted based on the length of each element, from
lowest count to highest.

L = ["cccc", "b", "dd", "aaa"] Output :

L.sort(key = len) ['b', 'dd', 'aaa', 'cccc']

print(L)
We know that a tuple is sorted using its first parameter by default.
Let's look at how to customize the sort() method to sort using the
second element.

def takeSecond(elem):
return elem[1]
random = [(2, 2), (3, 4), (4, 1), (1, 3)]
random.sort()
print(random)
random.sort(key=takeSecond)
print(random)

[(1, 3), (2, 2), (3, 4), (4, 1)]


[(4, 1), (2, 2), (1, 3), (3, 4)]
Python sorted() Function

• The sorted() function returns a sorted list of the specified


iterable object.

• You can specify ascending or descending order. Strings are


sorted alphabetically, and numbers are sorted numerically.

Note: You cannot sort a list that contains BOTH string


values AND numeric values.

Syntax

sorted( iterable, key, reverse )


Parameter Values

Parameter Description
iterable Required. The sequence to sort, list, dictionary, tuple
etc.
key Optional. A Function to execute to decide the order.
Default is None

reverse Optional. A Boolean False will sort ascending, True will


sort descending. Default is False
Example

Sort ascending:

a = ("h", "b", "a", "c", "f", "d", "e", "g")


x = sorted(a)
print(x)

Output:

['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h']


Example 2 : Sort descending:

a = ("h", "b", "a", "c", "f", "d", "e", "g")


x = sorted(a, reverse=True) # Sort descending
y = sorted(a, reverse=False) # Sort ascending
print(x)

print(y)

Output:
['h', 'g', 'f', 'e', 'd', 'c', 'b', ‘a’]

['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h']


Custom Sorting using the key parameter

L = ["cccc", "b", "dd", "aaa"]

print ("Normal sort :", sorted(L))

print ("Sort with len :", sorted(L, key = len))

Output :

Normal sort : ['aaa', 'b', 'cccc', 'dd']


Sort with len : ['b', 'dd', 'aaa', 'cccc']
⦁ Note: The simplest difference between sort()
and sorted() is: sort() changes the list directly
and doesn't return any value, while sorted()
doesn't change the list and returns the sorted
list.

You might also like