SlideShare a Scribd company logo
2
Most read
3
Most read
4
Most read
Digitalpadm.com
1[Date]
Python lambda functions with filter, map & reduce function
3.5.1 Lambda functions
A small anonymous (unnamed) function can be created with the lambda keyword.
lambda expressions allow a function to be created and passed in one line of code.
It can be used as an argument to other functions. It is restricted to a single expression
lambda arguments : expression
It can take any number of arguments,but have a single expression only.
3.5.1.1 Example - lambda function to find sum of square of two numbers
z = lambda x, y : x*x + y*y
print(z(10,20)) # call to function
Output
500
Here x*x + y*y expression is implemented as lambda function.
after keyword lambda, x & y are the parameters and after : expression to evaluate is
x*x+ y*y
3.5.1.2 Example - lambda function to add two numbers
def sum(a,b):
return a+b
is similar to
result= lambda a, b: (a + b)
lambda function allows you to pass functions as parameters.
Digitalpadm.com
2[Date]
3.5.2 map function in python
The map() function in Python takes in a function and a list as argument. The function is
called with a lambda function with list as parameter.
It returns an output as list which contains all the lambda modified items returned by
that function for each item.
3.5.2.1 Example - Find square of each number from number list using map
def square(x):
return x*x
squarelist = map(square, [1, 2, 3, 4, 5])
for x in squarelist:
print(x,end=',')
Output
1,4,9,16,25,
Here map function passes list elements as parameters to function. Same function can be
implemented using lambda function as below,
Example -
squarelist = map(lambda x: x*x, [1, 2, 3, 4, 5])
for x in squarelist:
print(x)
3.5.2.2 Example - lambda function to find length of strings
playernames = ["John", "Martin", "SachinTendulkar"]
playernamelength = map(lambda string: len(string), playernames)
for x in playernamelength:
print(x, end="")
Output
4 6 15
Lambda functions allow you to create “inline” functions which are useful for functional
programming.
Digitalpadm.com
3[Date]
3.5.3 filter function in python
filter() function in Python takes in a function with list as arguments.
It filters out all the elements of a list, for which the function returns True.
3.5.3.1 Example - lambda function to find player names whose name length is 4
playernames = ["John", "Martin", "SachinTendulkar","Ravi"]
result = filter(lambda string: len(string)==4, playernames)
for x in result:
print(x)
Output
John
Ravi
3.5.4 reduce function in python
reduce() function in Python takes in a function with a list as argument.
It returns output as a new reduced list. It performs a repetitive operation over the
pairs of the list.
3.5.4.1 Example - lambda function to find sum of list numbers.
from functools import reduce
numlist = [12, 22, 10, 32, 52, 32]
sum = reduce((lambda x, y: x + y), numlist)
print (sum)
Output
160
Here it performs repetitive add operations on consecutive pairs. it performs (12+22) then
((12+22)+10) as for other elements of the list.
Digitalpadm.com
4[Date]
3.6 Programs on User Defined Functions
3.6.1 Python User defined function to convert temperature from c to f
Steps
Define function convert_temp & implement formula f=1.8*c +32
Read temperature in c
Call function convert_temp & pass parameter c
Print result as temperature in fahrenheit
Code
def convert_temp(c):
f= 1.8*c + 32
return f
c= float(input("Enter Temperature in C: "))
f= convert_temp(c)
print("Temperature in Fahrenheit: ",f)
Output
Enter Temperature in C: 37
Temperature in Fahrenheit: 98.60
In above code, we are taking the input from user, user enters the temperature in Celsius
and the function convert_temp converts the entered value into Fahrenheit using the
conversion formula 1.8*c + 32
3.6.2 Python User defined function to find max, min, average of given list
In this program, function takes a list as input and return number as output.
Steps
Define max_list, min_list, avg_list functions, each takes list as parameter
Digitalpadm.com
5[Date]
Initialize list lst with 10 numbers
Call these functions and print max, min and avg values
Code
def max_list(lst):
maxnum=0
for x in lst:
if x>maxnum:
maxnum=x
return maxnum
def min_list(lst):
minnum=1000 # max value
for x in lst:
if x<minnum:
minnum=x
return minnum
def avg_list(lst):
return sum(lst) / len(lst)
# main function
lst = [52, 29, 155, 341, 357, 230, 282, 899]
maxnum = max_list(lst)
minnum = min_list(lst)
avgnum = avg_list(lst)
print("Max of the list =", maxnum)
print("Min of the list =", minnum)
print("Avg of the list =", avgnum)
Output
Max of the list = 899
Min of the list = 29
Avg of the list = 293.125
3.6.3 Python User defined function to print the Fibonacci series
In this program, function takes a number as input and return list as output.
In mathematics, the Fibonacci numbers are the numbers in the sequence such as for each
number is the sum of its previous two numbers.
Digitalpadm.com
6[Date]
Following is the example of Fibonacci series up to 6 Terms
1, 1, 2, 3, 5, 8
The sequence Fn of Fibonacci numbers is recursively represented as Fn-1 + Fn-2.
Implement function to return Fibonacci series.
Code
def fiboseries(n): # return Fibonacci series up to n
result = []
a= 1
b=0
cnt=1
c=0
while cnt <=n:
c=a+b
result.append(c)
a=b
b=c
cnt=cnt+1
return result
terms=int(input("Enter No. of Terms: "))
result=fiboseries(terms)
print(result)
Output
Enter No. of Terms: 8
[1, 1, 2, 3, 5, 8, 13, 21]
Enter No. of Terms: 10
[1, 1, 2, 3, 5, 8, 13, 21, 34, 55]
In code above, fiboseries function is implemented which takes numbers of terms as
parameters and returns the fibonacci series as an output list.
Initialize the empty list, find each fibonacci term and append to the list. Then return list
as output
3.6.4 Python User defined function to reverse a String without using Recursion
In this program, function takes a string as input and returns reverse string as output.
Digitalpadm.com
7[Date]
Steps
Implement reverse_string function , Use string slicing to reverse the string.
Take a string as Input
Call reverse_function & pass string
Print the reversed string.
Code
def reverse_string(str):
return str[::-1]
nm=input("Enter a string: ")
result=reverse_string(nm)
print("Reverse of the string is: ", result)
Output
Enter a string: Soft
Reverse of the string is: tfoS
In this code, one line reverse_string is implemented which takes string as parameter and
returns string slice as whole from last character. -1 is a negative index which gives the last
character. Result variable holds the return value of the function and prints it on screen.
3.6.5 Python User defined function to find the Sum of Digits in a Number
Steps
Implement function sumdigit takes number as parameter
Input a Number n
Call function sumdigit
Print result
Code
def sumdigit(n):
sumnum = 0
while (n != 0):
Digitalpadm.com
8[Date]
sumnum = sumnum + int(n % 10)
n = int(n/10)
return sumnum
# main function
n = int(input("Enter number: "))
result=sumdigit(n)
print("Result= ",result)
Output
Enter number: 5965
Result= 25
Enter number: 1245
Result= 12
In this code, Input number n, pass to sumdigit function, sum of digit of given number is
computed using mod operator (%). Mod a given number by 10 and add to the sum variable.
Then divide the number n by 10 to reduce the number. If number n is non zero then repeat
the same steps.
3.6.6 Python Program to Reverse a String using Recursion
Steps
Implement recursive function fibo which takes n terms
Input number of terms n
Call function fibo & pass tems
Print result
Code
def fibo(n):
if n <= 1:
return 1
Digitalpadm.com
9[Date]
else:
return(fibo(n-1) + fibo(n-2))
terms = int(input("Enter number of terms: "))
print("Fibonacci sequence:")
for i in range(terms):
print(fibo(i),end="")
Output
Enter number of terms: 8
Fibonacci sequence:
1 1 2 3 5 8 13 21
In above code, fibo function is implemented using a recursive function, here n<=1 is
terminating condition, if true the return 1 and stops the recursive function. If false return
sum of call of previous two numbers. fibo function is called from the main function for
each term.
3.6.7 Python Program to Find the Power of a Number using recursion
InpuSteps
t base and exp value
call recursive function findpower with parameter base & exp
return base number when the power is 1
If power is not 1, return base*findpower(base,exp-1)
Print the result.
Code
def findpower(base,exp):
if(exp==1):
return(base)
else:
return(base*findpower(base,exp-1))
base=int(input("Enter base: "))
exp=int(input("Enter exp: "))
print("Result: ",findpower(base,exp))
Digitalpadm.com
10[Date]
Output
Enter base: 7
Enter exp: 3
Result: 343
In this code, findpower is a recursive function which takes base and exp as numeric parameters.
Here expt==1 is the terminating condition, if this true then return the base value. If terminating
condition is not true then multiply base value with decrement exp value and call same function

More Related Content

What's hot (20)

PPTX
Loops PHP 04
mohamedsaad24
 
PDF
Python basic
Saifuddin Kaijar
 
PPTX
Object oriented programming in python
baabtra.com - No. 1 supplier of quality freshers
 
PPTX
Python SQite3 database Tutorial | SQlite Database
ElangovanTechNotesET
 
PPTX
Python-Inheritance.pptx
Karudaiyar Ganapathy
 
PPTX
SQL Joins.pptx
Ankit Rai
 
PPT
Joins in SQL
Vigneshwaran Sankaran
 
PDF
Function in Python
Yashdev Hada
 
PDF
Constructors and Destructors
Dr Sukhpal Singh Gill
 
PPTX
Chapter 07 inheritance
Praveen M Jigajinni
 
PPTX
Functions in python
colorsof
 
PPTX
Python 101: Python for Absolute Beginners (PyTexas 2014)
Paige Bailey
 
PPTX
classes and objects in C++
HalaiHansaika
 
PPTX
Operator overloading
Burhan Ahmed
 
PPTX
Arrays in Java
Abhilash Nair
 
PDF
Structures in c++
Swarup Boro
 
PPTX
SUBQUERIES.pptx
RenugadeviR5
 
PPTX
Function overloading
Selvin Josy Bai Somu
 
Loops PHP 04
mohamedsaad24
 
Python basic
Saifuddin Kaijar
 
Object oriented programming in python
baabtra.com - No. 1 supplier of quality freshers
 
Python SQite3 database Tutorial | SQlite Database
ElangovanTechNotesET
 
Python-Inheritance.pptx
Karudaiyar Ganapathy
 
SQL Joins.pptx
Ankit Rai
 
Joins in SQL
Vigneshwaran Sankaran
 
Function in Python
Yashdev Hada
 
Constructors and Destructors
Dr Sukhpal Singh Gill
 
Chapter 07 inheritance
Praveen M Jigajinni
 
Functions in python
colorsof
 
Python 101: Python for Absolute Beginners (PyTexas 2014)
Paige Bailey
 
classes and objects in C++
HalaiHansaika
 
Operator overloading
Burhan Ahmed
 
Arrays in Java
Abhilash Nair
 
Structures in c++
Swarup Boro
 
SUBQUERIES.pptx
RenugadeviR5
 
Function overloading
Selvin Josy Bai Somu
 

Similar to Python lambda functions with filter, map & reduce function (20)

PPTX
Functions in advanced programming
VisnuDharsini
 
DOCX
ISTA 130 Lab 21 Turtle ReviewHere are all of the turt.docx
priestmanmable
 
PPTX
Python for Data Science function third module ppt.pptx
bmit1
 
PPTX
function_xii-BY APARNA DENDRE (1).pdf.pptx
g84017903
 
PPTX
Python-Functions.pptx
Karudaiyar Ganapathy
 
PDF
Python Programming unit5 (1).pdf
jamvantsolanki
 
PPTX
GE8151 Problem Solving and Python Programming
Muthu Vinayagam
 
PDF
advanced python for those who have beginner level experience with python
barmansneha1204
 
PDF
Advanced Python after beginner python for intermediate learners
barmansneha1204
 
PPTX
Advance Programming Slide lecture 4.pptx
mohsinfareed780
 
PPTX
Unit 2function in python.pptx
vishnupriyapm4
 
PPTX
Functions in python, types of functions in python
SherinRappai
 
PDF
Functions-.pdf
arvdexamsection
 
PPTX
UNIT-02-pythonfunctions python function using detehdjsjehhdjejdhdjdjdjddjdhdhhd
tony8553004135
 
PPTX
Python Lecture 4
Inzamam Baig
 
PPTX
Unit 2function in python.pptx
vishnupriyapm4
 
PDF
Python Functions (PyAtl Beginners Night)
Rick Copeland
 
PPTX
Chapter 02 functions -class xii
Praveen M Jigajinni
 
PPTX
CLASS-11 & 12 ICT PPT PYTHON PROGRAMMING.pptx
seccoordpal
 
Functions in advanced programming
VisnuDharsini
 
ISTA 130 Lab 21 Turtle ReviewHere are all of the turt.docx
priestmanmable
 
Python for Data Science function third module ppt.pptx
bmit1
 
function_xii-BY APARNA DENDRE (1).pdf.pptx
g84017903
 
Python-Functions.pptx
Karudaiyar Ganapathy
 
Python Programming unit5 (1).pdf
jamvantsolanki
 
GE8151 Problem Solving and Python Programming
Muthu Vinayagam
 
advanced python for those who have beginner level experience with python
barmansneha1204
 
Advanced Python after beginner python for intermediate learners
barmansneha1204
 
Advance Programming Slide lecture 4.pptx
mohsinfareed780
 
Unit 2function in python.pptx
vishnupriyapm4
 
Functions in python, types of functions in python
SherinRappai
 
Functions-.pdf
arvdexamsection
 
UNIT-02-pythonfunctions python function using detehdjsjehhdjejdhdjdjdjddjdhdhhd
tony8553004135
 
Python Lecture 4
Inzamam Baig
 
Unit 2function in python.pptx
vishnupriyapm4
 
Python Functions (PyAtl Beginners Night)
Rick Copeland
 
Chapter 02 functions -class xii
Praveen M Jigajinni
 
CLASS-11 & 12 ICT PPT PYTHON PROGRAMMING.pptx
seccoordpal
 
Ad

Recently uploaded (20)

PPTX
CST413 KTU S7 CSE Machine Learning Introduction Parameter Estimation MLE MAP ...
resming1
 
PPT
SF 9_Unit 1.ppt software engineering ppt
AmarrKannthh
 
DOCX
Engineering Geology Field Report to Malekhu .docx
justprashant567
 
PDF
Generative AI & Scientific Research : Catalyst for Innovation, Ethics & Impact
AlqualsaDIResearchGr
 
PDF
輪読会資料_Miipher and Miipher2 .
NABLAS株式会社
 
PDF
Decision support system in machine learning models for a face recognition-bas...
TELKOMNIKA JOURNAL
 
PPTX
Kel.3_A_Review_on_Internet_of_Things_for_Defense_v3.pptx
Endang Saefullah
 
PDF
CLIP_Internals_and_Architecture.pdf sdvsdv sdv
JoseLuisCahuanaRamos3
 
PDF
NFPA 10 - Estandar para extintores de incendios portatiles (ed.22 ENG).pdf
Oscar Orozco
 
PDF
lesson4-occupationalsafetyandhealthohsstandards-240812020130-1a7246d0.pdf
arvingallosa3
 
PDF
June 2025 Top 10 Sites -Electrical and Electronics Engineering: An Internatio...
elelijjournal653
 
PPTX
Unit_I Functional Units, Instruction Sets.pptx
logaprakash9
 
PDF
PROGRAMMING REQUESTS/RESPONSES WITH GREATFREE IN THE CLOUD ENVIRONMENT
samueljackson3773
 
PDF
bs-en-12390-3 testing hardened concrete.pdf
ADVANCEDCONSTRUCTION
 
PPT
FINAL plumbing code for board exam passer
MattKristopherDiaz
 
PPTX
Precooling and Refrigerated storage.pptx
ThongamSunita
 
PPTX
Bharatiya Antariksh Hackathon 2025 Idea Submission PPT.pptx
AsadShad4
 
PDF
Python Mini Project: Command-Line Quiz Game for School/College Students
MPREETHI7
 
PPTX
Explore USA’s Best Structural And Non Structural Steel Detailing
Silicon Engineering Consultants LLC
 
PPTX
Functions in Python Programming Language
BeulahS2
 
CST413 KTU S7 CSE Machine Learning Introduction Parameter Estimation MLE MAP ...
resming1
 
SF 9_Unit 1.ppt software engineering ppt
AmarrKannthh
 
Engineering Geology Field Report to Malekhu .docx
justprashant567
 
Generative AI & Scientific Research : Catalyst for Innovation, Ethics & Impact
AlqualsaDIResearchGr
 
輪読会資料_Miipher and Miipher2 .
NABLAS株式会社
 
Decision support system in machine learning models for a face recognition-bas...
TELKOMNIKA JOURNAL
 
Kel.3_A_Review_on_Internet_of_Things_for_Defense_v3.pptx
Endang Saefullah
 
CLIP_Internals_and_Architecture.pdf sdvsdv sdv
JoseLuisCahuanaRamos3
 
NFPA 10 - Estandar para extintores de incendios portatiles (ed.22 ENG).pdf
Oscar Orozco
 
lesson4-occupationalsafetyandhealthohsstandards-240812020130-1a7246d0.pdf
arvingallosa3
 
June 2025 Top 10 Sites -Electrical and Electronics Engineering: An Internatio...
elelijjournal653
 
Unit_I Functional Units, Instruction Sets.pptx
logaprakash9
 
PROGRAMMING REQUESTS/RESPONSES WITH GREATFREE IN THE CLOUD ENVIRONMENT
samueljackson3773
 
bs-en-12390-3 testing hardened concrete.pdf
ADVANCEDCONSTRUCTION
 
FINAL plumbing code for board exam passer
MattKristopherDiaz
 
Precooling and Refrigerated storage.pptx
ThongamSunita
 
Bharatiya Antariksh Hackathon 2025 Idea Submission PPT.pptx
AsadShad4
 
Python Mini Project: Command-Line Quiz Game for School/College Students
MPREETHI7
 
Explore USA’s Best Structural And Non Structural Steel Detailing
Silicon Engineering Consultants LLC
 
Functions in Python Programming Language
BeulahS2
 
Ad

Python lambda functions with filter, map & reduce function

  • 1. Digitalpadm.com 1[Date] Python lambda functions with filter, map & reduce function 3.5.1 Lambda functions A small anonymous (unnamed) function can be created with the lambda keyword. lambda expressions allow a function to be created and passed in one line of code. It can be used as an argument to other functions. It is restricted to a single expression lambda arguments : expression It can take any number of arguments,but have a single expression only. 3.5.1.1 Example - lambda function to find sum of square of two numbers z = lambda x, y : x*x + y*y print(z(10,20)) # call to function Output 500 Here x*x + y*y expression is implemented as lambda function. after keyword lambda, x & y are the parameters and after : expression to evaluate is x*x+ y*y 3.5.1.2 Example - lambda function to add two numbers def sum(a,b): return a+b is similar to result= lambda a, b: (a + b) lambda function allows you to pass functions as parameters.
  • 2. Digitalpadm.com 2[Date] 3.5.2 map function in python The map() function in Python takes in a function and a list as argument. The function is called with a lambda function with list as parameter. It returns an output as list which contains all the lambda modified items returned by that function for each item. 3.5.2.1 Example - Find square of each number from number list using map def square(x): return x*x squarelist = map(square, [1, 2, 3, 4, 5]) for x in squarelist: print(x,end=',') Output 1,4,9,16,25, Here map function passes list elements as parameters to function. Same function can be implemented using lambda function as below, Example - squarelist = map(lambda x: x*x, [1, 2, 3, 4, 5]) for x in squarelist: print(x) 3.5.2.2 Example - lambda function to find length of strings playernames = ["John", "Martin", "SachinTendulkar"] playernamelength = map(lambda string: len(string), playernames) for x in playernamelength: print(x, end="") Output 4 6 15 Lambda functions allow you to create “inline” functions which are useful for functional programming.
  • 3. Digitalpadm.com 3[Date] 3.5.3 filter function in python filter() function in Python takes in a function with list as arguments. It filters out all the elements of a list, for which the function returns True. 3.5.3.1 Example - lambda function to find player names whose name length is 4 playernames = ["John", "Martin", "SachinTendulkar","Ravi"] result = filter(lambda string: len(string)==4, playernames) for x in result: print(x) Output John Ravi 3.5.4 reduce function in python reduce() function in Python takes in a function with a list as argument. It returns output as a new reduced list. It performs a repetitive operation over the pairs of the list. 3.5.4.1 Example - lambda function to find sum of list numbers. from functools import reduce numlist = [12, 22, 10, 32, 52, 32] sum = reduce((lambda x, y: x + y), numlist) print (sum) Output 160 Here it performs repetitive add operations on consecutive pairs. it performs (12+22) then ((12+22)+10) as for other elements of the list.
  • 4. Digitalpadm.com 4[Date] 3.6 Programs on User Defined Functions 3.6.1 Python User defined function to convert temperature from c to f Steps Define function convert_temp & implement formula f=1.8*c +32 Read temperature in c Call function convert_temp & pass parameter c Print result as temperature in fahrenheit Code def convert_temp(c): f= 1.8*c + 32 return f c= float(input("Enter Temperature in C: ")) f= convert_temp(c) print("Temperature in Fahrenheit: ",f) Output Enter Temperature in C: 37 Temperature in Fahrenheit: 98.60 In above code, we are taking the input from user, user enters the temperature in Celsius and the function convert_temp converts the entered value into Fahrenheit using the conversion formula 1.8*c + 32 3.6.2 Python User defined function to find max, min, average of given list In this program, function takes a list as input and return number as output. Steps Define max_list, min_list, avg_list functions, each takes list as parameter
  • 5. Digitalpadm.com 5[Date] Initialize list lst with 10 numbers Call these functions and print max, min and avg values Code def max_list(lst): maxnum=0 for x in lst: if x>maxnum: maxnum=x return maxnum def min_list(lst): minnum=1000 # max value for x in lst: if x<minnum: minnum=x return minnum def avg_list(lst): return sum(lst) / len(lst) # main function lst = [52, 29, 155, 341, 357, 230, 282, 899] maxnum = max_list(lst) minnum = min_list(lst) avgnum = avg_list(lst) print("Max of the list =", maxnum) print("Min of the list =", minnum) print("Avg of the list =", avgnum) Output Max of the list = 899 Min of the list = 29 Avg of the list = 293.125 3.6.3 Python User defined function to print the Fibonacci series In this program, function takes a number as input and return list as output. In mathematics, the Fibonacci numbers are the numbers in the sequence such as for each number is the sum of its previous two numbers.
  • 6. Digitalpadm.com 6[Date] Following is the example of Fibonacci series up to 6 Terms 1, 1, 2, 3, 5, 8 The sequence Fn of Fibonacci numbers is recursively represented as Fn-1 + Fn-2. Implement function to return Fibonacci series. Code def fiboseries(n): # return Fibonacci series up to n result = [] a= 1 b=0 cnt=1 c=0 while cnt <=n: c=a+b result.append(c) a=b b=c cnt=cnt+1 return result terms=int(input("Enter No. of Terms: ")) result=fiboseries(terms) print(result) Output Enter No. of Terms: 8 [1, 1, 2, 3, 5, 8, 13, 21] Enter No. of Terms: 10 [1, 1, 2, 3, 5, 8, 13, 21, 34, 55] In code above, fiboseries function is implemented which takes numbers of terms as parameters and returns the fibonacci series as an output list. Initialize the empty list, find each fibonacci term and append to the list. Then return list as output 3.6.4 Python User defined function to reverse a String without using Recursion In this program, function takes a string as input and returns reverse string as output.
  • 7. Digitalpadm.com 7[Date] Steps Implement reverse_string function , Use string slicing to reverse the string. Take a string as Input Call reverse_function & pass string Print the reversed string. Code def reverse_string(str): return str[::-1] nm=input("Enter a string: ") result=reverse_string(nm) print("Reverse of the string is: ", result) Output Enter a string: Soft Reverse of the string is: tfoS In this code, one line reverse_string is implemented which takes string as parameter and returns string slice as whole from last character. -1 is a negative index which gives the last character. Result variable holds the return value of the function and prints it on screen. 3.6.5 Python User defined function to find the Sum of Digits in a Number Steps Implement function sumdigit takes number as parameter Input a Number n Call function sumdigit Print result Code def sumdigit(n): sumnum = 0 while (n != 0):
  • 8. Digitalpadm.com 8[Date] sumnum = sumnum + int(n % 10) n = int(n/10) return sumnum # main function n = int(input("Enter number: ")) result=sumdigit(n) print("Result= ",result) Output Enter number: 5965 Result= 25 Enter number: 1245 Result= 12 In this code, Input number n, pass to sumdigit function, sum of digit of given number is computed using mod operator (%). Mod a given number by 10 and add to the sum variable. Then divide the number n by 10 to reduce the number. If number n is non zero then repeat the same steps. 3.6.6 Python Program to Reverse a String using Recursion Steps Implement recursive function fibo which takes n terms Input number of terms n Call function fibo & pass tems Print result Code def fibo(n): if n <= 1: return 1
  • 9. Digitalpadm.com 9[Date] else: return(fibo(n-1) + fibo(n-2)) terms = int(input("Enter number of terms: ")) print("Fibonacci sequence:") for i in range(terms): print(fibo(i),end="") Output Enter number of terms: 8 Fibonacci sequence: 1 1 2 3 5 8 13 21 In above code, fibo function is implemented using a recursive function, here n<=1 is terminating condition, if true the return 1 and stops the recursive function. If false return sum of call of previous two numbers. fibo function is called from the main function for each term. 3.6.7 Python Program to Find the Power of a Number using recursion InpuSteps t base and exp value call recursive function findpower with parameter base & exp return base number when the power is 1 If power is not 1, return base*findpower(base,exp-1) Print the result. Code def findpower(base,exp): if(exp==1): return(base) else: return(base*findpower(base,exp-1)) base=int(input("Enter base: ")) exp=int(input("Enter exp: ")) print("Result: ",findpower(base,exp))
  • 10. Digitalpadm.com 10[Date] Output Enter base: 7 Enter exp: 3 Result: 343 In this code, findpower is a recursive function which takes base and exp as numeric parameters. Here expt==1 is the terminating condition, if this true then return the base value. If terminating condition is not true then multiply base value with decrement exp value and call same function