Dept.
of Computer Science                                                Python Functions
                            PYTHON FUNCTIONS
Python function in any programming language is a sequence of statements in a
certain order, given a name. When called, those statements are executed. So we
don’t have to write the code again and again for each [type of] data that we want to
apply it to. This is called code re-usability.
Now, we forward to deeper parts of the language, let’s read about Python Function.
Moreover, we will study the different types of functions in Python:
       1. Python user-defined functions
       2. Python built-in functions,
       3. Python recursion function,
       4. Python lambda function,
with their syntax and examples.
1.USER-DEFINED FUNCTIONS IN PYTHON
Python lets us group a sequence of statements into a single entity, called a function.
A Python function may or may not have a name.
Advantages of User-defined Functions in Python
1.    This Python Function help divide a program into modules. This makes the
   code easier to manage, debug, and scale.
2.    It implements code reuse. Every time you need to execute a sequence of
   statements, all you need to do is to call the function.
3.    This Python Function allow us to change functionality easily, and different
   programmers can work on different functions.
Defining a Function in Python
To define your own Python function, you use the ‘def’ keyword before its name. And
its name is to be followed by parentheses, before a colon(:).
  1.  >>> def hello():
         1. print("Hello")
The contents inside the body of the function must be equally indented.
As we had discussed in our article on PYTHON SYNTAX, you may use a docstring
right under the first line of a function declaration. This is a documentation string, and
it explains what the function does.
BCM COLLEGE, KOTTAYAM                                                                  1
Dept. of Computer Science                                               Python Functions
  1. >>> def hello():
  2. """
  3. This Python function simply prints hello to the screen
  4. """
  5. print("Hello")
You can access this docstring using the __doc__ attribute of the function.
  1.    >>> def func1():
  2.    """
  3.    This is the docstring
  4.    """
  5.    print("Hello")
  1. >>> func1.__doc__
  2. '\n\tThis is the docstring\n\t'
However, if you apply the attribute to a function without a docstring, this happens.
  1.    >>> sum.__doc__
  2.    >>> type(sum.__doc__)
  3.    <class 'NoneType'>
  4.    >>> bool(sum.__doc__)
False
If you don’t yet know what to put in the function, then you should put the pass
statement in its body. If you leave its body empty, you get an error “Expected an
indented block”.
  1. >>> def hello1():
  2. pass
  3. >>> hello1()
You can even reassign a function by defining it again.
Rules for naming python function(identifier)
We follow the same rules when naming a function as we do when naming a variable.
1.   It can begin with either of the following: A-Z, a-z, and underscore(_).
2.   The rest of it can contain either of the following: A-Z, a-z, digits(0-9), and
   underscore(_).
3.   A reserved keyword may not be chosen as an identifier.
It is good practice to name a Python function according to what it does.
Python Function Parameters
BCM COLLEGE, KOTTAYAM                                                                  2
Dept. of Computer Science                                             Python Functions
Sometimes, you may want a function to operate on some variables, and produce a
result. Such a function may take any number of parameters. Let’s take a function to
add two numbers.
  1.   >>> def sum(a,b):
  2.   print(f"{a}+{b}={a+b}")
  3.   #print(a,”+”,b,”=”,(a+b))
  1. >>> sum(2,3)
2+3=5
Here, the function sum() takes two parameters- a and b. When we call the function,
we pass numbers 2 and 3. These are the arguments that fit a and b respectively. We
will describe calling a function in point f. A function in Python may contain any
number of parameters, or none.
In the next example, we try adding an int and a float.
  1. >>> def sum2(a,b):
  2. print(f"{a}+{b}={a+b}")
  3. >>> sum2(3.0,2)
3.0+2=5.0
However, you can’t add incompatible types.
  1.   >>> sum2('Hello',2)
  2.   Sum2(12)
Traceback (most recent call last):
File “<pyshell#39>”, line 1, in <module>
sum2(‘Hello’,2)
File “<pyshell#38>”, line 2, in sum2
print(f”{a}+{b}={a+b}”)
TypeError: must be str, not int
Function Arguments
You can call a function by using the following types of formal arguments −
   •   Required arguments
   •   Keyword arguments
   •   Default arguments
   •   Variable-length arguments
BCM COLLEGE, KOTTAYAM                                                               3
Dept. of Computer Science                                              Python Functions
   1. 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(), you definitely need to pass one argument, otherwise it
gives a syntax error as follows −
#!/usr/bin/python
# 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)
   2. 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 can be called using keyword arguments of the form kwarg=value.
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. You can also make keyword calls to the printme() function in the
following ways −
#!/usr/bin/python
# 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 −
BCM COLLEGE, KOTTAYAM                                                                4
Dept. of Computer Science                                             Python Functions
My string
The following example gives more clear picture. Note that the order of parameters
does not matter.
#!/usr/bin/python
# 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" )
#printinfo(“miki”,50)
When the above code is executed, it produces the following result −
Name: miki
Age 50
   3. 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 −
#!/usr/bin/python
# 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" )
# printinfo("miki")
When the above code is executed, it produces the following result −
Name: miki
Age 50
Name: miki
Age 35
BCM COLLEGE, KOTTAYAM                                                               5
Dept. of Computer Science                                             Python Functions
   4. Variable-length arguments
You 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.
In Python, we can pass a variable number of arguments to a function using
special symbols. There are two special symbols:
Special Symbols Used for passing arguments:-
1.)*args (Non-Keyword Arguments)
2.)**kwargs (Keyword Arguments)
Syntax for a function with non-keyword variable arguments is this −
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 −
#!/usr/bin/python
# 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;
def sum(a,b,*c):
BCM COLLEGE, KOTTAYAM                                                               6
Dept. of Computer Science                                              Python Functions
          sum=0
          sum=a+b
          for x in c:
                    sum=sum+x
          return sum
# Now you can call printinfo function
printinfo( 10 )
printinfo( 70, 60, 50 )
When the above code is executed, it produces the following result −
Output is:
10
Output is:
70
60
50
The special syntax **kwargs in function definitions in python is used to pass
a keyworded, variable-length argument list. We use the name kwargs with
the double star. The reason is because the double star allows us to pass
through keyword arguments (and any number of them).
       •A keyword argument is where you provide a name to the variable
        as you pass it into the function.
    • One can think of the kwargs as being a dictionary that maps each
        keyword to the value that we pass alongside it. That is why when
        we iterate over the kwargs there doesn’t seem to be any order in
        which they were printed out.
Example:
def myfunc(**kv):
...   for k,v in kv.items():
...          print(k,"=",v)
myfunc(Name=”Anu”,Age=20,Mark=100)
Name = Anu
Age = 20
Mark=100
Special parameters
By default, arguments may be passed to a Python function either by position or
explicitly by keyword. For readability and performance, it makes sense to restrict the
way arguments can be passed so that a developer need only look at the function
BCM COLLEGE, KOTTAYAM                                                                7
Dept. of Computer Science                                                     Python Functions
definition to determine if items are passed by position, by position or keyword, or by
keyword.
A function definition may look like:
def f(pos1, pos2, /, pos_or_kwd, *, kwd1, kwd2):
    ----------- ---------- ----------
      |          |           |
      |      Positional or keyword |
      |                      - Keyword only
        -- Positional only
where / and * are optional. If used, these symbols indicate the kind of parameter by how the
arguments may be passed to the function: positional-only, positional-or-keyword, and
keyword-only. Keyword parameters are also referred to as named parameters.
Positional-or-Keyword Arguments
If / and * are not present in the function definition, arguments may be passed to a function by
position or by keyword.
Positional-Only Parameters
Looking at this in a bit more detail, it is possible to mark certain parameters
as positional-only. If positional-only, the parameters’ order matters, and the
parameters cannot be passed by keyword. Positional-only parameters are placed
before a / (forward-slash). The / is used to logically separate the positional-only
parameters from the rest of the parameters. If there is no / in the function definition,
there are no positional-only parameters.
Parameters following the / may be positional-or-keyword or keyword-only.
Keyword-Only Arguments
To mark parameters as keyword-only, indicating the parameters must be passed by keyword
argument, place an * in the arguments list just before the first keyword-only parameter.
Consider the following example function definitions paying close attention to the
markers / and *:
>>> def standard_arg(arg):
... print(arg)
...
>>> def pos_only_arg(arg, /):
... print(arg)
...
>>> def kwd_only_arg(*, arg):
BCM COLLEGE, KOTTAYAM                                                                        8
Dept. of Computer Science                                                    Python Functions
... print(arg)
...
>>> def combined_example(pos_only, /, standard, *, kwd_only):
... print(pos_only, standard, kwd_only)
The first function definition, standard_arg, the most familiar form, places no restrictions on
the calling convention and arguments may be passed by position or keyword:
>>> standard_arg(2)
2
>>> standard_arg(arg=2)
2
The second function pos_only_arg is restricted to only use positional parameters as
there is a / in the function definition:
>>> pos_only_arg(1)
1
>>> pos_only_arg(arg=1)
Traceback (most recent call last):
 File "<stdin>", line 1, in <module>
TypeError: pos_only_arg() got an unexpected keyword argument 'arg'
The third function kwd_only_args only allows keyword arguments as indicated by
a * in the function definition:
>>> kwd_only_arg(3)
Traceback (most recent call last):
 File "<stdin>", line 1, in <module>
TypeError: kwd_only_arg() takes 0 positional arguments but 1 was given
>>> kwd_only_arg(arg=3)
3
And the last uses all three calling conventions in the same function definition:
>>> combined_example(1, 2, 3)
Traceback (most recent call last):
 File "<stdin>", line 1, in <module>
TypeError: combined_example() takes 2 positional arguments but 3 were given
>>> combined_example(1, 2, kwd_only=3)
123
BCM COLLEGE, KOTTAYAM                                                                       9
Dept. of Computer Science                                             Python Functions
>>> combined_example(1, standard=2, kwd_only=3)
123
>>> combined_example(pos_only=1, standard=2, kwd_only=3)
Traceback (most recent call last):
 File "<stdin>", line 1, in <module>
TypeError: combined_example() got an unexpected keyword argument 'pos_only'
Python return statement
A Python function may optionally return a value. This value can be a result that it
produced on its execution. Or it can be something you specify- an expression or a
value.
    1.   >>> def func1(a):
    2.   if a%2==0:
             1. return 0
    3.   else:
             1. return 1
    4.   >>> func1(7)
1
As soon as a return statement is reached in a function, the function stops executing.
Then, the next statement after the function call is executed. Let’s try returning an
expression.
    1.   >>> def sum(a,b):
    2.   return a+b
    3.   >>> sum(2,3)
5
  1. >>> c=sum(2,3)
This was the Python Return Function
Fruitful function and Void function
Python provides various functions which may or may not return value. The
function which return any value are called as fruitful function. The function
which does not return any value are called as void function.
Fruitful function
Fruitful functions means the function that gives result or return values after
execution. While writing fruitful functions we except a return value and so we
must assign it to a variable to hold return value. Various built-in functions like
BCM COLLEGE, KOTTAYAM                                                              10
Dept. of Computer Science                                            Python Functions
math functions produces results or return values.This stored result can be used
further in the script.To make a function fruitful return keyword is used.Once a
return statement is executed the function terminates without executing
immediate statements.Code that appears after return statement or any place
where the flow of execution cannot reach is called as dead code.
Values returned can be a literal(return 3, return 4-2), variable(return a),
expression(return (a+b)/c) etc.
def product(a,b):
  c=a*b
  return (c)
y=product(5,2)
print("product is",y)
Output
>>>
product is 10
Void function
Some functions gets executed but doesn’t return any value. In void function
you can display a value on screen but cannot return a value. A void function
may or may not have return statement, if void function has return statement
then it is written without any expression.
Void function without return statement
def fun1():
  print("Python")
Void function with return statement
def fun2():
BCM COLLEGE, KOTTAYAM                                                             11
Dept. of Computer Science                                             Python Functions
  print("ITVoyagers")
  return
Void function with parameter without return statement
def fun1(a,b):
  print("sum of a and b", a+b)
fun1(5,2)
In above example main function have passed values to given function and as
print statement is used function will not return anything it will just print value.
When you try to assign a void function to a variable it displays a special value
called as None.
None is a legal empty value returned by void function in python.
Calling a Python function
To call a Python function at a place in your code, you simply need to name it, and
pass arguments, if any. Let’s call the function hello() that we defined in section b.
  1.    >>> hello()
Hello
SCOPE AND LIFETIME OF VARIABLES IN PYTHON
A variable isn’t visible everywhere and alive every time. We study this in functions
because the scope and lifetime for a variable depend on whether it is inside a
function.
Scope
A variable’s scope tells us where in the program it is visible There are 4 types of
Variable Scope in Python
   1. Local Scope
   2. Enclosing Scope
   3. Global Scope
   4. Built-in Scope
BCM COLLEGE, KOTTAYAM                                                              12
Dept. of Computer Science                                                    Python Functions
1.Local Scope-
     A variable that’s declared inside a function has a local scope. In other words, it is
     local to that function. In the above code, we define a variable ‘a’ in a function
     ‘func’. So, ‘a’ is local to ‘func’. Hence, we can read/write it in func, but not outside
     it. When we try to do so, it raises a NameError.
    1.   >>> def func3():
                   1. x=7
                   2. print(x)
    2.   >>> func3()
7
If you then try to access the variable x outside the function, you cannot.
  1. >>> x
Traceback (most recent call last):
File “<pyshell#96>”, line 1, in <module>
NameError: name ‘x’ is not defined
2.Enclosing Scope
Let’s take another example.
    1.   >>> def red():
            1. a=1
            2. def blue():
                   1. b=2
                   2. print(a)
                   3. print(b)
            3. blue()
            4. print(a)
    2.   >>> red()
1
2
1
In this code, ‘b’ has local scope in Python function ‘blue’, and ‘a’ has nonlocal scope
in ‘blue’. Of course, a python variable scope that isn’t global or local is nonlocal. This
is also called enclosing scope.
3.Global Scope-
When you declare a variable outside python function, or anything else, it has global
scope. It means that it is visible everywhere within the program. We also declare a
BCM COLLEGE, KOTTAYAM                                                                     13
Dept. of Computer Science                                               Python Functions
variable ‘y’ outside any other python Variable scope, this makes it global scope.
Consequently, we can read it anywhere in the program
    1.   >>> y=7
    2.   >>> def func4():
            1. print(y)
    3.   >>> func4()
7
4.Built-in Scope
Finally, we talk about the widest scope. The built-in scope has all the names that are
loaded into python variable scope when we start the interpreter. For example, we
never need to import any module to access functions like print() and id().
Global Keyword in Python
So far, we haven’t had any kind of a problem with global scope. So let’s take an
example.
    1.   >>> a=1
    2.   >>> def counter():
                   1. a=2
                   2. print(a)
    3.   >>> counter()
2
Now, when we make a reference to ‘a’ outside this function, we get 1 instead of 2.
    1.   >>> a
1
Why does this happen? Well, this is because when we set ‘a’ to 2, it created a local
variable ‘a’ in the local scope of ‘counter’. This didn’t change anything for the global
‘a’. Now, what if you wanted to change the global version of ‘a’? We use the ‘global’
keyword in python for this.
    1.   >>> a=1
    2.   >>> def counter():
                   1. global a
                   2. a=2
                   3. print(a)
    3.   >>> counter()
2
    1.   >>> a
2
What we do here is, we declare that the ‘a’ we’re going to use in this function is from
BCM COLLEGE, KOTTAYAM                                                                14
Dept. of Computer Science                                                 Python Functions
the global scope. After this, whenever we make a reference to ‘a’ inside ‘counter’, the
interpreter knows we’re talking about the global ‘a’. In this example, it changed the
value of the global ‘a’ to 2.
Nonlocal Keyword in Python
Like the ‘global’ keyword, you want to make a change to a nonlocal variable, you
must use the ‘nonlocal’ keyword. Let’s first try this without the keyword.
    1.   >>> def red():
                   1. a=1
                   2. def blue():
                          1. a=2
                          2. b=2
                          3. print(a)
                          4. print(b)
                   3. blue()
                   4. print(a)
    2.   >>> red()
2
2
1
As you can see, this did not change the value of ‘a’ outside function ‘blue’. To be
able to do that, we use ‘nonlocal’.
    1.   >>> def red():
                   1. a=1
                   2. def blue():
                          1. nonlocal a
                          2. a=2
                          3. b=2
                          4. print(a)
                          5. print(b)
                   3. blue()
                   4. print(a)
    2.   >>> red()
2
2
2
Lifetime
A variable’s lifetime is the period of time for which it resides in the memory.
BCM COLLEGE, KOTTAYAM                                                                  15
Dept. of Computer Science                                               Python Functions
A variable that’s declared inside python function is destroyed after the function stops
executing. So the next time the function is called, it does not remember the previous
value of that variable.
    1.   >>> def func1():
                   1. counter=0
                   2. counter+=1
                   3. print(counter)
    2.   >>> func1()
1
    1.   >>> func1()
1
As you can see here, the function func1() doesn’t print 2 the second time.
Deleting Python function
Till now, we have seen how to delete a variable. Similarly, you can delete a function
with the ‘del’ keyword.
    1.   >>> def func7():
                   1. print("7")
    2.   >>> func7()
7
  1. >>> del func7
  2. >>> func7()
Traceback (most recent call last):
File “<pyshell#137>”, line 1, in <module>
func7()
NameError: name ‘func7’ is not defined
When deleting a function, you don’t need to put parentheses after its name.
2.PYTHON BUILT-IN FUNCTIONS
In various previous lessons, we have seen a range of built-in functions by Python.
This Python function apply on constructs like int, float, bin, hex, string, list, set,
tuples, dictionary, and so.
Python has a set of built-in functions.
BCM COLLEGE, KOTTAYAM                                                                16
Dept. of Computer Science                                                      Python Functions
Function              Description
abs()                 Returns the absolute value of a number
all()                 Returns True if all items in an iterable object are true
any()                 Returns True if any item in an iterable object is true
ascii()               Returns a readable version of an object. Replaces none-ascii
                      characters with escape character
bin()                 Returns the binary version of a number
bool()                Returns the boolean value of the specified object
bytearray()           Returns an array of bytes
bytes()               Returns a bytes object
callable()            Returns True if the specified object is callable, otherwise False
chr()                 Returns a character from the specified Unicode code.
classmethod()         Converts a method into a class method
BCM COLLEGE, KOTTAYAM                                                                       17
Dept. of Computer Science                                                    Python Functions
compile()             Returns the specified source as an object, ready to be executed
complex()             Returns a complex number
delattr()             Deletes the specified attribute (property or method) from the
                      specified object
dict()                Returns a dictionary (Array)
dir()                 Returns a list of the specified object's properties and methods
divmod()              Returns the quotient and the remainder when argument1 is
                      divided by argument2
enumerate()           Takes a collection (e.g. a tuple) and returns it as an enumerate
                      object
eval()                Evaluates and executes an expression
exec()                Executes the specified code (or object)
filter()              Use a filter function to exclude items in an iterable object
float()               Returns a floating point number
BCM COLLEGE, KOTTAYAM                                                                     18
Dept. of Computer Science                                                   Python Functions
format()              Formats a specified value
frozenset()           Returns a frozenset object
getattr()             Returns the value of the specified attribute (property or method)
globals()             Returns the current global symbol table as a dictionary
hasattr()             Returns True if the specified object has the specified attribute
                      (property/method)
hash()                Returns the hash value of a specified object
help()                Executes the built-in help system
hex()                 Converts a number into a hexadecimal value
id()                  Returns the id of an object
input()               Allowing user input
int()                 Returns an integer number
isinstance()          Returns True if a specified object is an instance of a specified
BCM COLLEGE, KOTTAYAM                                                                     19
Dept. of Computer Science                                                   Python Functions
                      object
issubclass()          Returns True if a specified class is a subclass of a specified object
iter()                Returns an iterator object
len()                 Returns the length of an object
list()                Returns a list
locals()              Returns an updated dictionary of the current local symbol table
map()                 Returns the specified iterator with the specified function applied to
                      each item
max()                 Returns the largest item in an iterable
memoryview()          Returns a memory view object
min()                 Returns the smallest item in an iterable
next()                Returns the next item in an iterable
object()              Returns a new object
BCM COLLEGE, KOTTAYAM                                                                     20
Dept. of Computer Science                                                Python Functions
oct()                 Converts a number into an octal
open()                Opens a file and returns a file object
ord()                 Convert an integer representing the Unicode of the specified
                      character
pow()                 Returns the value of x to the power of y
print()               Prints to the standard output device
property()            Gets, sets, deletes a property
range()               Returns a sequence of numbers, starting from 0 and increments
                      by 1 (by default)
repr()                Returns a readable version of an object
reversed()            Returns a reversed iterator
round()               Rounds a numbers
set()                 Returns a new set object
BCM COLLEGE, KOTTAYAM                                                                 21
Dept. of Computer Science                                                  Python Functions
setattr()             Sets an attribute (property/method) of an object
slice()               Returns a slice object
sorted()              Returns a sorted list
@staticmethod()       Converts a method into a static method
str()                 Returns a string object
sum()                 Sums the items of an iterator
super()               Returns an object that represents the parent class
tuple()               Returns a tuple
type()                Returns the type of an object
vars()                Returns the __dict__ property of an object
zip()                 Returns an iterator, from two or more iterators
BCM COLLEGE, KOTTAYAM                                                                   22
Dept. of Computer Science                                                  Python Functions
3.PYTHON LAMBDA FUNCTIONS
As we said earlier, a function doesn’t need to have a name. A lambda expression in
Python allows us to create anonymous python function, and we use the ‘lambda’
keyword for it. The following is the syntax for a lambda expression.
        lambda arguments:expression
These functions are called anonymous because they are not declared in the
standard manner by using the def keyword. You can use the lambda keyword to
create small anonymous functions.
    •   Lambda forms can take any number of arguments but return just one value in
        the form of an expression. They cannot contain commands or multiple
        expressions.
    •   An anonymous function cannot be a direct call to print because lambda
        requires an expression
    •   Lambda functions have their own local namespace and cannot access
        variables other than those in their parameter list and those in the global
        namespace.
    •   Although it appears that lambda's are a one-line version of a function, they
        are not equivalent to inline statements in C or C++, whose purpose is by
        passing function stack allocation during invocation for performance reasons.
It’s worth noting that it can have any number of arguments, but only one expression.
It evaluates the value of that expression, and returns the result. Let’s take an
example.
  1.    >>> myvar=lambda a,b:(a*b)+2
  2.    >>> myvar(3,5)
17
This code takes the numbers 3 and 5 as arguments a and b respectively, and puts
them in the expression (a*b)+2. This makes it (3*5)+2, which is 17. Finally, it returns
17.
Actually, the function object is assigned to the identifier myvar.
4.PYTHON RECURSION FUNCTION
A very interesting concept in any field, recursion is using something to define itself.
In other words, it is something calling itself. In Python function, recursion is when a
function calls itself. To see how this could be useful, let’s try calculating the factorial
of a number. Mathematically, a number’s factorial is:
n!=n*n-1*n-2*…*2*1
BCM COLLEGE, KOTTAYAM                                                                   23
Dept. of Computer Science                           Python Functions
To code this, we type the following.
    1.   >>> def facto(n):
                   1. if n==1:
                           1. return 1
                   2. else:
                           1. return n*facto(n-1)
  2.     >>> facto(5)
120
    1.   >>> facto(1)
1
    1.   >>> facto(2)
2
    1.   >>> facto(3)
6
This was all about recursion function in Python
BCM COLLEGE, KOTTAYAM                                            24