Python Unit - 2 Functions, Exception and FILES - MCA
Python Unit - 2 Functions, Exception and FILES - MCA
FUNCTIONS, EXCEPTION,
MODULES AND FILES
PYTHON FUNCTIONS
PYTHON FUNCTIONS
A Function is a self block of code which is used to
organize the functional code.
Function can be called as a section of a program that
is written once and can be executed whenever
required in the program, thus making code reusability.
Types of Functions: There are two types of Functions.
a) Built-in Functions: Functions that are predefined
and organized into a library.
b) User- Defined: Functions that are created by the
programmer to meet the requirements.
DIFFERENCE BETWEEN A FUNCTION AND A METHOD
FUNCTION METHOD
1. A Function can be 1. When a Function is
written individually in written inside a class, it
a python program. becomes a‘method’.
2. A Function is called 2. A method can be
using its name. called by object name
3. Example: display() or class name.
3. Example:
Object.methodname()
Class.methodname()
DEFINING FUNCTIONS
A Function defined in Python should follow the
format:
1) Keyword def is used to start and declare a function.
2) def is followed by function-name followed by
parenthesis.
3) Parameters are passed inside the parenthesis. At the
end a colon is marked.
4) Python code requires indentation (space) of code to
keep it associate to the declared block.
5) The first statement of the function is optional. It is
DEFINING FUNCTIONS
def sum(x,y):
s=x+y
print "Sum of two numbers is“, s
#Calling the sum Function
sum(10,20)
RETURNING RESULT FROM FUNCTION
We can return the result or output from the
function using a ‘return’ statement in the body of
the function.
Syntax: return object
Python Example:
def sum(x,y):
s=x+y
return s
#Calling the sum Function
add=sum(10,20)
print “Sum of x and y =“,add
RETURNING MULTIPLE VALUES FROM
FUNCTION
A function returns a single values in programming languages
like C or Java.
But in Python, a function can return multiple values.
Python Example:
def sum_sub(x,y):
c=x+y
d=x-y
return c,d
#Calling the sum Function
a,b=sum(10,20)
print “Sum of x and y =“,a
FUNCTIONS ARE FIRST CLASS OBJECTS
In Python, functions are considered as first class
objects. It means we can use functions as prefect objects.
In fact, when we create a function, the Python
interpreter internally creates a object.
We can pass a function to another function just like we
pass an object(or value) to a function.
Also it is possible to return a function from another
function.
The following possibilities are noteworthy:
assign function to a variable
define one function inside another function
pass a function as parameter to another function
FUNCTIONS ARE FIRST CLASS OBJECTS
assign function to a variable:
def display(str):
return “hello”+str
#assign display () to variable x
x=display(“Python”)
print x
define one function inside another function:
def display(str):
def message():
return “How are you?”
return message() +str
#call display function
FUNCTIONS ARE FIRST CLASS OBJECTS
pass function as a paarmeters to other functions
def display(fun):
return “hello”+fun
def message():
return “how are you?”
#call display () and pass message() to it.
print(display(message()))
A function can return another function:
def display(str):
def message():
return “How are you?”
return message()
#call display function
PASS BY OBJECT REFERENCE
In Python, the values are Example:
sent to the functions by def modify(x):
means of object references. x=15 #reassign 15 to x
print (x,id(x))
In Python, x=10 , here 10 is
x=10
an object and x is the name modify(x) #assign 10 to x
or tag given to that object. print(x,id(x))
To know the location of Output:
object, we can use id() 15 1617805096
function that gives identity 10 1617805016
number of an object. Ex : Here integer is
id(x) immutable so another
int object is created.
FORMAL AND ACTUAL ARGUMENTS
here can be two types of data passed in the
function.
1) The First type of data is the data passed in the
2. Keyword arguments
3. Default arguments
def msg(id,name):
print id ,name
msg(id=100,name='Raj')
msg(name='Rahul',id=101)
TYPES OF ACTUAL ARGUMENTS
3. Default Argument : is the argument which
provides the default values to the parameters passed
in the function definition, in case value is not
provided in the function call default value is used.
Python Function Default Argument Example
def msg(Id,Name,Age=21):
print Id , Name, Age
msg(Id=100,Name='Ravi',Age=20)
msg(Id=101,Name='Ratan') #default value will be
used.
TYPES OF ACTUAL ARGUMENTS
4. Variable Length Argument : is the argument that
can accept any number of values provided in the
format of keys and values. If we want use it we need
to declare ‘*’ before the argument.
Python Variable Length Argument Example
keyword "lambda".
Lambda takes any number of arguments and returns
an evaluated expression.
Python Anonymous Function Syntax:
from a list
lst=[10,23,45,46,78,99]
lst1=list(filter(lambda x : (x%2 == 0) , lst))
Print lst1
LAMBDAS WITH MAP() FUNCTION
The map() is similar to filter() function but it acts
on each element of the sequence and perhaps
changes the elements.
Syntax: map(function, sequence)
elements in a list.
lst=[1,2,3,4,5]
lst1=list(map(lambda x : x*x , lst))
Print lst1
LAMBDAS WITH REDUCE() FUNCTION
The reduce() reduces a sequence of elements to a
single value by processing the elements according to
a function supplied.
Syntax: reduce(function, sequence)
elements of a list.
lst=[1,2,3,4,5]
result=reduce(lambda x, y : x*y , lst)
print result
FUNCTION DECORATORS
A decorator is a function that accepts a
function as parameter and returns a
function.
A decorator takes the result of a function,
modifies the result and returns it.
Thus decorators are useful to perform some
additional processing required by a function.
To apply the decorator to any function, we
can use the ‘@’ symbol and decorator name
just above the function definition.
FUNCTION DECORATORS
Example: a decorator that increments the value of a
function by 2
def decor(fun): #decorator function
def inner(): #inner function that modifies
value=fun()
return value+2
return inner
@decor
def num(): #apply decorator
return 10
#call function
print num()
GENERATORS
Generators are functions that return a
sequence of values.
A generator function is written like an
ordinary function but it uses ‘yield’
statement.
Yield Statement is useful to return the
value.
Once generator object is created, we can store
the elements of the generator into a list.
GENERATORS
def my_generator(n):
value = 0
while value < n:
yield value
value += 1
# iterate over the generator object produced by my_generator
for value in my_generator(3):
print(value)
# x is a generator object
x = simpleGeneratorFun()
def simpleGeneratorFun():
yield 1
yield 2
yield 3
# Iterating over the generator object using next
print(next(x))
print(next(x))
print(next(x))
STRUCTURED PROGRAMMING
Structured Programming is the strategy used
by programmers to divide the main task into
several parts called sub tasks.
Each of these sub tasks is represented by one
or more functions.
By using these functions, the programmer can
accomplish the main task.
It is used to solve the complex tasks.
CREATING OWN MODULES IN PYTHON
A Module represents a group of classes,
methods, functions and variables.
In Python, there are built –in modules like
sys, io, os, etc. Just like these modules, we can
also create our own modules and use them
whenever we need them.
To import the module, we can write:
import Module_Name
from Module_Name import *
CREATING OWN MODULES IN PYTHON
Example:
def add(a,b):
c=a+b
print c
return
if __name == “__main__”:
display()
print “This code run as a program”
else:
print “This code is run as module”
PYTHON EXCEPTION
ERRORS IN PYTHON PROGRAM
try:
malicious code
except Exception:
execute code
else:
In case of no exception, execute the else block code.
finally:
code which is must to be executed.
EXCEPTION HANDLING
Single Exception Multiple Exception
Example: Example:
try: a=10/0; try: a=10/0;
except: print "Arithmeti except ArithmeticError,Stan
c Exception" dard Error:
print "Arithmetic Excepti
else: print "Successfully
on"
”
else:print "Successfully ”
finally: print “This is
finally block” finally: print “This is
finally blcok”
ASSERT STATEMENT
Assertion is an expression is tested, and if the result comes
up false, an exception is raised.
Programmers often place assertions at the start of a function
to check for valid input, and after a function call to check for
valid output.
assert Statement: The assert statement is useful to ensure
that a given condition is True. If it is not true, it raises
AssertionError.
ASSERT STATEMENT
Syntax: assert condition, message
Example:
try:
x=int(input(“Enter a number between 5 and 10::”))
assert x>=5 and x<=10, “Your input is not correct”
print “Number entered::”,x
except AssertionError as obj:
print obj
USER-DEFINED EXCEPTIONS
Generally,in Python errors and exceptions arises when the
code goes wrong which intends leads to stop suddenly.
But by exception handling method, we can handle some of
the most frequent errors by using try-except statements.
User can also create his/her own errors by defining an
exception class. These exception classes must be created or
derived directly or indirectly from the exception class.
USER-DEFINED EXCEPTIONS
class CustomError(Exception): ...
pass
try: ...
except CustomError: ...
Here, CustomError is a user-defined error which inherits from the Exception class.
# define Python user-defined exceptions
class InvalidAgeException(Exception):
pass
number = 18
try:
input_num = int(input("Enter a number: "))
if input_num < number:
raise InvalidAgeException
else:
print("Eligible to Vote")
except InvalidAgeException:
print("Exception occurred: Invalid Age")
LOGGING THE EXCEPTION
The file which stores the messages, especially of errors or
exceptions is called a log file and this technique is called
logging.
Logging Error Level and their Predefined Numeric
Values Numeric Value Description
Level
CRITICA 50 Represents a very serious error that needs high
L attention.
ERROR 40 Represents a serious error
access.
mode: Mode depends operation to be performed
if os.path.isfile(fname):
f=open(fname, ‘r’)
else:
print “file does not exist”
sys.exit()
WORKING WITH BINARY FILES
Binary Files can be used to read or write text,images
or audio and video files.
To perform any operation, attach b to file modes.
Ex: rb to read.
obj=open(“cat.jpg",“rb") #read mode
obj=open(“new.jpg",“wb") #write mode
#read bytes
bytes=f1.read()
f2.write(bytes)
#close files
f1.close()
THE WITH STATEMENT
The “with” statement can be used while opening a
file.
The advantage of with statement is that it will take
with open(“sample.txt”,”w”) as f:
f.write(“Python is attractive”)
PICKLE IN PYTHON
Pickle is a process of converting a class object into
byte stream so that it can be stored into a file.
This is also called object serialization.
Pickling is done using the dump() method of
“pickle” module as : pickle.dump(object, file)
Unpickle is a process whereby a byte stream is
converted back into class object. It means,
unpickling represents reading the class objects from
the file.
Unpickling is also called deserialization.
Unpickling is done using the load() method of
“pickle” module as : Object=pickle.load(file)
PICKLE IN PYTHON EXAMPLE
Pickle is a process of converting a class object into
byte stream so that it can be stored into a file.
This is also called object serialization.
Pickling is done using the dump() method of
“pickle” module as : pickle.dump(object, file)
Unpickle is a process whereby a byte stream is
converted back into class object. It means,
unpickling represents reading the class objects from
the file.
Unpickling is also called deserialization.
Unpickling is done using the load() method of
“pickle” module as : Object=pickle.load(file)
THE SEEK() AND TELL() METHODS
To know the position of the file pointer, we can use
the tell() method.
It returns the current position of the file pointer
from the beginning of the file.
It is used in the form: n =f.tell()
We want to move the file pointer to another
position, we can use the seek() method. This method
takes two arguments:
f.seek(offset, fromwhere)
offset – how many bytes to move.
fromwhere- from which position to move. It can be
0(beginning) ,1 (current) or 2(end)
THE SEEK() AND TELL() METHODS
fi = open("text.txt", "r")
# the second parameter of the seek method is by default 0
fi.seek(30)
#the user is setting the reference point to thirtieth
position to the left from end
fi.seek (-70, 2)
# now, we will print the current position
print(fi.tell())
print(fi.readline())
fi.close()