Python Notes
Python Notes
Keywords
Keywords are the reserved words in Python and can't be used as an identifier
['False', 'None', 'True', 'and', 'as', 'assert', 'async', 'await', 'break', 'cl
ass', 'continue', 'def', 'del', 'elif', 'else', 'except', 'finally', 'for', 'fr
om', 'global', 'if', 'import', 'in', 'is', 'lambda', 'nonlocal', 'not', 'or',
'pass', 'raise', 'return', 'try', 'while', 'with', 'yield']
Out[4]: 35
Identifiers
An identifier is a name given to entities like class, functions, variables, etc. It helps to differentiate
one entity from another.
In [16]: """
Correct way of defining an identifier
(Identifiers can be a combination of letters in lowercase (a to z) or uppercase
"""
val2 = 10
In [17]: val_ = 99
Comments in Python
Comments can be used to explain the code for more readabilty.
In [19]: # Multiple
# line
# comment
val1 = 10
In [20]: '''
Multiple
line
comment
'''
val1 = 10
In [21]: """
Multiple
line
comment
"""
val1 = 10
Statements
Instructions that a Python interpreter can execute.
In [27]: # Single line statement
p1 = 10 + 20
p1
Out[27]: 30
Indentation
Indentation refers to the spaces at the beginning of a code line. It is very important as Python uses
indentation to indicate a block of code.If the indentation is not correct we will endup with
IndentationError error.
In [37]: p = 10
if p == 10:
print ('P is equal to 10') # correct indentation
P is equal to 10
0
1
2
3
4
In [48]: j=20
for i in range(0,5):
print(i) # inside the for loop
print(j) # outside the for loop
0
1
2
3
4
20
Docstrings
1) Docstrings provide a convenient way of associating documentation with functions, classes,
methods or modules.
2) They appear right after the definition of a function, method, class, or module.
Out[51]: 4
In [52]: square. doc # We can access the Docstring using doc method
Out[52]: 'Square Function :- This function will return the square of a number'
In [54]: evenodd(3)
Odd Number
In [55]: evenodd(2)
Even Number
Variables
A Python variable is a reserved memory location to store values.A variable is created the moment
you first assign a value to it.
In [75]: p = 30
In [76]: '''
id() function returns the “identity” of the object.
The identity of an object - Is an integer
- Guaranteed to be unique
- Constant for this object during its lifetime.
'''
id(p)
Out[76]: 140735029552432
In [146]: p = 20
p = p + 10 # Variable Overwriting
p
Out[146]: 30
Variable Assigment
print(intvar)
print(floatvar)
print(strvar)
10
2.57
Python Language
Multiple Assignments
Data Types
Numeric
In [135]: val1 = 10 # Integer data type
print(val1)
print(type(val1)) # type of object
print(sys.getsizeof(val1)) # size of integer object in bytes
print(val1, " is Integer?", isinstance(val1, int)) # val1 is an instance of int
10
<class 'int'>
28
10 is Integer? True
Out[119]: 24
Out[120]: 24
Out[138]: 32
Boolean
Boolean data type can have only two possible values true or false.
In [143]: print(type(bool1))
<class 'bool'>
In [144]: print(type(bool2))
<class 'bool'>
In [235]: bool(0)
Out[235]: False
In [236]: bool(1)
Out[236]: True
In [237]: bool(None)
Out[237]: False
Out[238]: False
Strings
String Creation
print(str1)
HELLO PYTHON
Out[200]: 35
String Indexing
In [201]: str1
Out[202]: 'H'
In [206]: str1[5]
String Slicing
In [207]: str1[0:5] # String slicing - Fetch all characters from 0 to 5 index location exc
Out[207]: 'HELLO'
In [208]: str1[6:12] # String slicing - Retreive all characters between 6 - 12 index loc e
Out[208]: 'PYTHON'
In [213]: str1
Out[213]: 'HELLO PYTHON'
In [214]: #Strings are immutable which means elements of a string cannot be changed once t
str1[0:5] = 'HOLAA'
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-214-ea670ff3ec72> in <module>
1 #Strings are immutable which means elements of a string cannot be chang
ed once they have been assigned.
----> 2 str1[0:5] = 'HOLAA'
String concatenation
Hello Asif
In [219]: # Iteration
for i in mystr1:
print(i)
H
e
l
l
o
E
v
e
r
y
o
n
e
String Membership
String Partitioning
In [256]: """
The partition() method searches for a specified string and splits the string int
- The first element contains the part before the argument string.
- The third element contains the part after the argument string.
"""
- The first element contains the part before the argument string.
- The third element contains the part after the argument string.
"""
('Natural language processing with Python and R ', 'and', ' Java')
String Functions
In [273]: mystr2.strip('*') # Removes all '*' characters from begining & end of the string
Out[273]: 'Hello Everyone***********All the Best'
In [274]: mystr2.rstrip('*') # Removes all '*' characters at the end of the string
Out[274]: '*********Hello Everyone***********All the Best'
In [275]: mystr2.lstrip('*') # Removes all '*' characters at the begining of the string
In [280]: mystr2.replace(" " , "") # Remove all whitespaces using replace function
Out[280]: 'HelloEveryone'
Out[230]: 2
Out[231]: 3
In [232]: mystr5.startswith("one") # Return boolean value True if string starts with "one
Out[232]: True
In [233]: mystr5.endswith("three") # Return boolean value True if string ends with "three"
Out[233]: True
In [234]: mystr4 = "one two three four one two two three five five six seven six seven one
In [235]: mylist = mystr4.split() # Split String into substrings
mylist
Out[235]: ['one',
'two',
'three',
'four',
'one',
'two',
'two',
'three',
'five',
'five',
'six',
'seven',
'six',
'seven',
'one',
'one',
'one',
'ten',
'eight',
'ten',
'nine',
'eleven',
'ten',
'ten',
'nine']
print(res.format(item1,item2,item3))
Cost of item1 , item2 and item3 are 40 , 55 and 77
res = "Cost of item3 , item2 and item1 are {2} , {1} and {0}"
print(res.format(item1,item2,item3))
Cost of item3 , item2 and item1 are 77 , 55 and 40
In [238]: str2 = " WELCOME EVERYONE "
str2 = str2.center(100) # center align the string using a specific character as
print(str2)
WELCOME EVERYONE
In [258]: str6 = "one two three four one two two three five five six one ten eight ten nin
print(loc)
51
txt.rstrip()
Out[264]: ' abc def ghi'
In [265]: txt = " abc def ghi "
txt.lstrip()
txt.strip()
Out[266]: 'abc def ghi'
List
1) List is an ordered sequence of items.
2) We can have different data types under a list. E.g we can have integer, float and string items in
a same list.
List Creation
In [491]: print(type(list1))
<class 'list'>
Out[430]: 3
List Indexing
Out[432]: 10
In [434]: list4[0][0] # Nested indexing - Access the first character of the first list ele
Out[434]: 'o'
List Slicing
In [437]: mylist = ['one' , 'two' , 'three' , 'four' , 'five' , 'six' , 'seven' , 'eight']
In [438]: mylist[0:3] # Return all items from 0th to 3rd index location excluding the item
Out[438]: ['one', 'two', 'three']
In [439]: mylist[2:5] # List all items from 2nd to 5th index location excluding the item a
Out[439]: ['three', 'four', 'five']
In [446]: mylist
Out[446]: ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight']
Copy List
In [457]: mylist = ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine'
In [459]: id(mylist) , id(mylist1) # The address of both mylist & mylist1 will be the same
In [461]: id(mylist2) # The address of mylist2 will be different from mylist because mylis
Out[461]: 1537345955016
In [462]: mylist[0] = 1
In [463]: mylist
Out[463]: [1, 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine', 'ten']
In [464]: mylist1 # mylist1 will be also impacted as it is pointing to the same list
Out[464]: [1, 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine', 'ten']
In [465]: mylist2 # Copy of list won't be impacted due to changes made on the original lis
Out[465]: ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine', 'ten']
Join Lists
List Membership
In [469]: list1
Out[469]: ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight']
Out[470]: True
In [474]: list1
Out[474]: ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight']
-- 24/118
In [477]: mylist3 = [9,5,2,99,12,88,34]
mylist3.sort() # Sort list in ascending order
mylist3
Out[477]: [2, 5, 9, 12, 34, 88, 99]
In [585]: mylist4
Out[585]: [88, 65, 33, 21, 11, 98]
In [481]: list1
Out[481]: ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight']
Count
-- 25/118
In [485]: list10 =['one', 'two', 'three', 'four', 'one', 'one', 'two', 'three']
Out[486]: 3
Out[487]: 2
Out[489]: 1
All / Any
The any() function returns True if any element in the list is True. If not, any() returns False.
In [816]: L1 = [1,2,3,4,0]
In [818]: any(L1) # Will Return True as we have items in the list with True value
Out[818]: True
In [819]: L2 = [1,2,3,4,True,False]
In [821]: any(L2) # Will Return True as we have items in the list with True value
Out[821]: True
In [822]: L3 = [1,2,3,True]
In [823]: all(L3) # Will return True as all items in the list are True
Out[823]: True
-- 26/118
In [824]: any(L3) # Will Return True as we have items in the list with True value
Out[824]: True
List Comprehensions
In [325]: mylist3 = [num**2 for num in range(10)] # calculate square of all numbers betwee
mylist3
Out[325]: [0, 1, 4, 9, 16, 25, 36, 49, 64, 81]
Tuple Creation
Out[540]: 6
Tuple Indexing
Out[541]: 10
In [543]: tup4[0][0] # Nested indexing - Access the first character of the first tuple ele
Out[543]: 'o'
Out[544]: 'three'
In [545]: tup5[-1] # Last item of the tuple
Out[545]: (150, 90)
Tuple Slicing
In [560]: mytuple = ('one' , 'two' , 'three' , 'four' , 'five' , 'six' , 'seven' , 'eight'
In [547]: mytuple[0:3] # Return all items from 0th to 3rd index location excluding the ite
Out[547]: ('one', 'two', 'three')
In [548]: mytuple[2:5] # List all items from 2nd to 5th index location excluding the item
Out[548]: ('three', 'four', 'five')
Out[553]: 'eight'
In [555]: mytuple
Out[555]: ('one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight')
In [556]: del mytuple[0] # Tuples are immutable which means we can't DELETE tuple items
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-556-667a276aa503> in <module>
----> 1 del mytuple[0]
In [557]: mytuple[0] = 1 # Tuples are immutable which means we can't CHANGE tuple items
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-557-4cf492702bfd> in <module>
----> 1 mytuple[0] = 1
In [570]: mytuple
Out[570]: ('one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight')
In [573]: mytuple1 =('one', 'two', 'three', 'four', 'one', 'one', 'two', 'three')
Out[574]: 3
Out[575]: 2
Out[576]: 1
Tuple Membership
In [577]: mytuple
Out[577]: ('one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight')
Index Position
In [586]: mytuple
Out[586]: ('one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight')
In [587]: mytuple.index('one') # Index of first element equal to 'one'
Out[587]: 0
Out[590]: 4
In [591]: mytuple1
Out[593]: 0
Sorting
In [595]: sorted(mytuple2) # Returns a new sorted list and doesn't change original tuple
Out[595]: [6, 12, 43, 67, 67, 90, 99]
Sets
1) Unordered & Unindexed collection of items.
Set Creation
Out[635]: 5
In [636]: my_set = {1,1,2,2,3,4,5,5}
my_set # Duplicate elements are not allowed.
Out[636]: {1, 2, 3, 4, 5}
In [640]: myset3 = {10,20, "Hola", [11, 22, 32]} # set doesn't allow mutable items like li
myset3
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-640-d23fdc3a319e> in <module>
----> 1 myset3 = {10,20, "Hola", [11, 22, 32]} # set doesn't allow mutable item
s like lists
2 myset3
for i in myset:
print(i)
eight
one
seven
three
five
two
six
four
Set Membership
In [675]: myset
In [680]: myset
Out[680]: {'eight', 'five', 'four', 'one', 'seven', 'six', 'three', 'two'}
Copy Set
In [705]: myset = {'one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight'}
myset
Out[705]: {'eight', 'five', 'four', 'one', 'seven', 'six', 'three', 'two'}
In [707]: id(myset) , id(myset1) # The address of both myset & myset1 will be the same as
Out[707]: (1537349033320, 1537349033320)
In [710]: id(my_set) # The address of my_set will be different from myset because my_set i
Out[710]: 1537352902024
In [711]: myset.add('nine')
myset
Out[711]: {'eight', 'five', 'four', 'nine', 'one', 'seven', 'six', 'three', 'two'}
In [712]: myset1 # myset1 will be also impacted as it is pointing to the same Set
Out[712]: {'eight', 'five', 'four', 'nine', 'one', 'seven', 'six', 'three', 'two'}
In [713]: my_set # Copy of the set won't be impacted due to changes made on the original S
Union
In [757]: A = {1,2,3,4,5}
B = {4,5,6,7,8}
C = {8,9,10}
In [761]: """
Updates the set calling the update() method with union of A , B & C.
For below example Set A will be updated with union of A,B & C.
"""
A.update(B,C)
A
Out[761]: {1, 2, 3, 4, 5, 6, 7, 8, 9, 10}
Intersection
In [762]: A = {1,2,3,4,5}
B = {4,5,6,7,8}
In [763]: A & B # Intersection of A and B (Common items in both sets)
Out[763]: {4, 5}
In [765]: """
Updates the set calling the intersection_update() method with the intersection o
For below example Set A will be updated with the intersection of A & B.
"""
A.intersection_update(B)
A
Out[765]: {4, 5}
Difference
In [766]: A = {1,2,3,4,5}
B = {4,5,6,7,8}
Out[767]: {1, 2, 3}
Out[769]: {6, 7, 8}
In [770]: B.difference(A)
Out[770]: {6, 7, 8}
In [771]: """
Updates the set calling the difference_update() method with the difference of se
For below example Set B will be updated with the difference of B & A.
"""
B.difference_update(A)
B
Out[771]: {6, 7, 8}
Symmetric Difference
In [772]: A = {1,2,3,4,5}
B = {4,5,6,7,8}
In [773]: A ^ B # Symmetric difference (Set of elements in A and B but not in both. "EXCLU
Out[773]: {1, 2, 3, 6, 7, 8}
For below example Set A will be updated with the symmetric difference of A & B.
"""
A.symmetric_difference_update(B)
A
Out[775]: {1, 2, 3, 6, 7, 8}
In [784]: A = {1,2,3,4,5,6,7,8,9}
B = {3,4,5,6,7,8}
C = {10,20,30,40}
In [785]: B.issubset(A) # Set B is said to be the subset of set A if all elements of B are
Out[785]: True
In [787]: C.isdisjoint(A) # Two sets are said to be disjoint sets if they have no common e
Out[787]: True
In [788]: B.isdisjoint(A) # Two sets are said to be disjoint sets if they have no common e
Out[788]: False
In [790]: sum(A)
Out[790]: 45
In [791]: max(A)
Out[791]: 9
In [792]: min(A)
Out[792]: 1
In [793]: len(A)
Out[793]: 9
In [795]: list(enumerate(A))
Out[795]: [(0, 1), (1, 2), (2, 3), (3, 4), (4, 5), (5, 6), (6, 7), (7, 8), (8, 9)]
In [798]: D= sorted(A,reverse=True)
D
Out[798]: [9, 8, 7, 6, 5, 4, 3, 2, 1]
In [799]: sorted(D)
Out[799]: [1, 2, 3, 4, 5, 6, 7, 8, 9]
Dictionary
Dictionary is a mutable data type in Python.
A python dictionary is a collection of key and value pairs separated by a colon (:) & enclosed
in curly braces {}.
Keys must be unique in a dictionary, duplicate values are allowed.
Create Dictionary
Out[959]: {'c': [10, 20, 30], 'd': [10, 20, 30], 'a': [10, 20, 30], 'b': [10, 20, 30]}
In [960]: value.append(40)
mydict3
Out[960]: {'c': [10, 20, 30, 40],
'd': [10, 20, 30, 40],
'a': [10, 20, 30, 40],
'b': [10, 20, 30, 40]}
Accessing Items
Out[963]: 'one'
In [973]: mydict1
Out[973]: {'Name': 'Asif', 'ID': 12345, 'DOB': 1995}
In [975]: mydict1.clear() # Delete all items of the dictionary using clear method
mydict1
Out[975]: {}
In [979]: id(mydict) , id(mydict1) # The address of both mydict & mydict1 will be the same
Out[979]: (1537346312776, 1537346312776)
In [981]: id(mydict2) # The address of mydict2 will be different from mydict because mydic
Out[981]: 1537345875784
In [983]: mydict
Out[983]: {'Name': 'Asif', 'ID': 12345, 'DOB': 1991, 'Address': 'Mumbai'}
In [984]: mydict1 # mydict1 will be also impacted as it is pointing to the same dictionary
Out[984]: {'Name': 'Asif', 'ID': 12345, 'DOB': 1991, 'Address': 'Mumbai'}
In [985]: mydict2 # Copy of list won't be impacted due to the changes made in the original
Out[985]: {'Name': 'Asif', 'ID': 12345, 'DOB': 1991, 'Address': 'Hilsinki'}
Asif
12345
1991
Hilsinki
Analyst
Dictionary Membership
In [991]: 'Asif' in mydict1 # Membership test can be only done for keys.
Out[991]: False
All / Any
The any() function returns True if any key of the dictionary is True. If not, any() returns False.
Out[999]: False
In [1000]: any(mydict1) # Will Return True as we have items in the dictionary with True va
Out[1000]: True
Dictionary Comprehension
In [323]: double = {i:i*2 for i in range(10)} #double each value using dict comprehension
double
Out[323]: {0: 0, 1: 2, 2: 4, 3: 6, 4: 8, 5: 10, 6: 12, 7: 14, 8: 16, 9: 18}
In [61]: mystr4 = "one two three four one two two three five five six seven six seven one
In [64]: mylist = mystr4.split() # Split String into substrings
mylist
Out[64]: ['one',
'two',
'three',
'four',
'one',
'two',
'two',
'three',
'five',
'five',
'six',
'seven',
'six',
'seven',
'one',
'one',
'one',
'ten',
'eight',
'ten',
'nine',
'eleven',
'ten',
'ten',
'nine']
Operators
Operators are special symbols in Python which are used to perform operations on
variables/values.
Arithmetic Operators
In [81]: a = 5
b = 2
x = 'Asif'
y = 'Bhat'
# Addition
c = a + b
print('Addition of {} and {} will give :- {}\n'.format(a,b,c))
# Subtraction
c = a - b
print('Subtracting {} from {} will give :- {}\n'.format(b,a,c))
# Multiplication
c = a * b
print('Multiplying {} and {} will give :- {}\n'.format(a,b,c))
# Division
c = a / b
print('Dividing {} by {} will give :- {}\n'.format(a,b,c))
# Power
c = a ** b
print('{} raised to the power {} will give :- {}\n'.format(a,b,c))
# Division(floor)
c = a // b
print('Floor division of {} by {} will give :- {}\n'.format(a,b,c))
In [84]: x = 20
y = 30
Is x equal to y :- False
In [87]: a = 'Asif'
b = 'Bhat'
c = 'Asif'
Logical Operators
In [92]: x = True
y = False
print('Logical AND operation :- ',x and y) # True if both values are true
print('Logical OR operation :- ',x or y) # True if either of the values is true
print('NOT operation :- ',not x ) # True if operand is false
Logical AND operation :- False
Logical OR operation :- True
NOT operation :- False
Bitwise operators
Bitwise operators act on bits and performs bit by bit operation.
Assignment Operators
In [120]: x = 10
x+=20 # x = x+20
print ('Add 20 to x :- ',x)
x-=20 # x = x-20
print ('subtract 20 from x :- ',x)
x/=10 # x = x/10
print ('Divide x by 10 :- ',x)
x*=10 # x = x/10
print ('Multiply x by 10 :- ',x)
x = int(x)
x**=2 # x = x/10
print ('x raised to the power 2 :- ',x)
x%=2
print ('Modulo Division :- ',x)
x = 20
x//=3
print ('Floor Division :- ',x)
x&=2
print('Bitwise AND :- ',x)
x|=2
print('Bitwise OR :- ',x)
x^=2
print('Bitwise XOR :- ',x)
x = 10
x<<=2
print('Bitwise left shift operation',x)
x>>=2
print('Bitwise right shift operation',x)
Initialize x with value 10 (x=10)) :- 10
Add 20 to x :- 30
subtract 20 from x :- 10
Divide x by 10 :- 1.0
Multiply x by 10 :- 10.0
x raised to the power 2 :- 100
Modulo Division :- 0
Floor Division :- 6
Bitwise AND :- 2
Bitwise OR :- 2
Bitwise XOR :- 0
Bitwise left shift operation 40
Bitwise right shift operation 10
Membership Operators
Membership Operators are used to test whether a value / variable is present in a sequence.
Functions
A function is a block of organized code written to carry out a specified task.
Functions help break our program into smaller and modular chunks for better readability.
Information can be passed into a function as arguments.
Parameters are specified after the function name inside the parentheses.
We can add as many parameters as we want. Parameters must be separated with a comma.
A function may or may not return data.
In Python a function is defined using the def keyword
Parameter VS Argument
A parameter is the variable listed inside the parentheses in the function definition.
An argument is the value that is sent to the function when it is called.
Syntax
Modularity
In [582]: def myfunc():
print("Hello Python Lovers")
myfunc()
Hello Python Lovers
square (10)
Out[586]: 100
even_odd(3)
even_odd(4)
print(even_odd. doc ) # Print function documentation string
3 is odd number
4 is even number
This function will check whether a number is even or odd
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-592-d194f8b98253> in <module>
----> 1 fullname ('Asif')
myfunc() # When a function is called without an argument it will use default val
Most Populous City :- Mumbai
def myfunc():
print(var1) # Value 100 will be displayed due to global scope of var1
myfunc()
print(var1)
100
100
In [27]: def myfunc1():
var2 = 10 # Variable with Local scope
print(var2)
def myfunc2():
print(var2) # This will throw error because var2 has a local scope. Var2 is
myfunc1()
myfunc2()
10
---------------------------------------------------------------------------
NameError Traceback (most recent call last)
<ipython-input-27-6a1c34e80ca2> in <module>
8
9 myfunc1()
---> 10 myfunc2()
<ipython-input-27-6a1c34e80ca2> in myfunc2()
5
6 def myfunc2():
----> 7 print(var2) # Value 100 will be displayed due to global scope of va
r1
8
9 myfunc1()
def myfunc():
var1 = 99 # Local scope
print(var1)
myfunc()
print(var1) # The original value of var1 (100) will be retained due to global sc
99
100
def myfunc(list1):
del list1[0]
def myfunc(list1):
list1.append(100)
"List1" before calling the function:- [11, 22, 33, 44, 55]
"List1" after calling the function:- [11, 22, 33, 44, 55, 100]
def myfunc(list1):
list1 = [10,100,1000,10000] # link of 'list1' with previous object is broken
a = 10
b = 20
swap(a,b)
a,b
Out[45]: (10, 20)
factorial(4)
Out[601]: 24
for i in range(nums):
print(fiboacci(i)) # Generate Fibonacci series
When we are not sure about the number of arguments being passed to a function then we can
use *args as function parameter.
*args allow us to pass the variable number of Non Keyword Arguments to function.
We can simply use an asterisk * before the parameter name to pass variable length
arguments.
The arguments are always passed as a tuple.
We can rename it to anything as long as it is preceded by a single asterisk (*). It's best
practice to keep naming it args to make it immediately recognizable.
**kwargs
**kwargs allows us to pass the variable number of Keyword Arguments to the function.
We can simply use an double asterisk ** before the parameter name to pass variable length
arguments.
The arguments are passed as a dictionary.
We can rename it to anything as long as it is preceded by a double asterisk (**). It's best
practice to keep naming it kwargs to make it immediately recognizable.
In [578]: def add(a,b,c):
return a+b+c
In [577]: print(add(1,2,3,4)) '''This will throw below error as this function will only ta
If we want to make argument list dynamic then *args wil come in picture'''
File "<ipython-input-577-565d47b69332>", line 2
If we want to make argument list dynamic then *args wil come in picture'''
^
SyntaxError: invalid syntax
my_list = [2, 3]
some_args(1, *my_list)
arg_1: 1
arg_2: 2
arg_3: 3
In [524]: def add1(*args):
return sum(args)
print(add(1,2,3))
print(add(1,2,3,4)) # *args will take dynamic argument list. So add() function
print(add(1,2,3,4,5))
print(add(1,2,3,4,5,6))
print(add(1,2,3,4,5,6,7))
6
10
15
21
28
add1(*list1) , add1(*tuple1) #tuple & list items will be passed as argument list
Out[561]: (28, 28)
add1(*list1 , *list2 , *list3 , *list4 ) #All four lists are unpacked and each i
Out[562]: 112
''' For the above example we have no idea about the parameters passed e.g 7412 ,
In such cases we can take help of Keyworded arguments (**kwargs) '''
('Asif', 7412, 41102, 33, 'India', 'Hindi')
In [523]: mydict = {'Name': 'Asif', 'ID': 7412, 'Pincode': 41102, 'Age': 33, 'Country': 'I
UserDetails(**mydict)
Name :- Asif
ID :- 7412
Pincode :- 41102
Age :- 33
Country :- India
Language :- Hindi
In [553]: def UserDetails(licenseNo, *args , phoneNo=0 , **kwargs): # Using all four argu
print('License No :- ', licenseNo)
j=''
for i in args:
j = j+i
print('Full Name :-',j)
print('Phone Number:- ',phoneNo)
for key,val in kwargs.items():
print("{} :- {}".format(key,val))
In [554]: def UserDetails(licenseNo, *args , phoneNo=0, **kwargs): # Using all four argume
print('Nothing')
In [557]: def UserDetails(licenseNo, **kwargs , *args): # This will fail. *args MUST come
print('Nothing')
File "<ipython-input-557-dcd3c92277bc>", line 1
def UserDetails(licenseNo, **kwargs , *args): # This will fail. *args MUST
come before **kwargs in the argument list
^
SyntaxError: invalid syntax
In [564]: #The below function will fail. Default argument/positional argument (licenseNo)
def UserDetails(ID = 1, licenseNo, *args):
print('Nothing')
File "<ipython-input-564-8a3e722c7ed7>", line 2
def UserDetails(ID = 1, licenseNo, *args):
^
SyntaxError: non-default argument follows default argument
Lambda functions can have any number of arguments but only one expression. The
expression is evaluated and returned.
We use lambda functions when we require a nameless function for a short period of time.
Syntax:-
Filter
Filter function filters the original iterable and passes the items that returns True for the function
provided to filter.
It is normally used with Lambda functions to filter list, tuple, or sets.
Syntax:
Map
The map() function applies a given function to each item of an iterable (list, tuple etc.) and
returns a list of the results.
Returns : Returns a list of the results after applying the given function to each item of a given
iterable (list, tuple etc.)
Syntax:
Reduce
The reduce() function is defined in the functools python module.The reduce() function
receives two arguments, a function and an iterable. However, it doesn't return another iterable,
instead it returns a single value.
Working:
1) Apply a function to the first two items in an iterable and generate a partial result.
2) The function is then called again with the result obtained in step 1 and the next value in the
sequence. This process keeps on repeating until there are items in the sequence.
Syntax:
In [393]: product = lambda a, b : a * b #This lambda function takes two arguments (a,b) an
print(product(5, 6))
30
In [364]: res = (lambda *args: sum(args)) # This lambda function can take any number of a
res(10,20) , res(10,20,30,40) , res(10,20,30,40,50,60,70)
Out[364]: (30, 100, 280)
In [370]: res1 = (lambda **kwargs: sum(kwargs.values())) # This lambda function can take a
res1(a = 10 , b= 20 , c = 30) , res1(a = 10 , b= 20 , c = 30, d = 40 , e = 50)
Out[370]: (60, 150)
In [386]: res1 = (lambda **kwargs: sum(kwargs.values())) # This lambda function can take a
res1(a = 10 , b= 20 , c = 30) , res1(a = 10 , b= 20 , c = 30, d = 40 , e = 50)
Out[386]: (60, 150)
# This lambda function can take any number of arguments and return thier product
res1 = (lambda **kwargs: product(kwargs.values()))
res1(a = 10 , b= 20 , c = 30) , res1(a = 10 , b= 20 , c = 30, d = 40 , e = 50)
Out[446]: (6000, 12000000)
add10 = myfunc(10)
add20 = myfunc(20)
add30 = myfunc(30)
print(add10(5))
print(add20(5))
print(add30(5))
15
25
35
def odd(n):
if n%2 ==1: return True
else: return False
doubles = list(map(twice,odd_num)) # The map function will apply user defined "t
doubles
Out[439]: [2, 6, 10, 14, 18]
In [440]: doubles = list(map(lambda n:n*2,odd_num)) # This map function will double all it
doubles
Out[440]: [2, 6, 10, 14, 18]
def add(a,b):
return a+b
sum_all = reduce(add,doubles) # This reduce function will perform sum of all ite
sum_all
Out[441]: 50
In [442]: #The below reduce() function will perform sum of all items in the list using lam
sum_all = reduce(lambda a,b : a+b,doubles)
sum_all
Out[442]: 50
print(upper)
print(lower)
print(' ------------ ')
print(alpha)
print(numeric)
print(alphanum)
print(' ------------ ')
#Vowel Test
[2, 4, 6, 8, 10]
[1, 3, 5, 7, 9]
['TWO', 'FOUR']
['one', 'three']
['one']
['88', '99', '102']
['one', 'two2', 'three3', '88', '99', '102']
In [501]: list1 = [1,2,3,4]
list2 = [5,6,7,8]
def double(x):
return x+x
def add(x,y):
return x+y
def square(x):
return x*x
print(list(map(double, list1))) # Double each number using map & User defined fu
print(list(map(add, list1, list2))) # add two items using map & User defined fu
print(list(map(square, list1))) #Square numbers using map & User defined functio
[2, 4, 6, 8]
[6, 8, 10, 12]
[1, 4, 9, 16]
[2, 4, 6, 8]
[6, 8, 10, 12]
[1, 4, 9, 16]
In [459]: list2 = [1,2,3,4]
print(product)
print(add)
print(concat_str)
print(prod)
print(min_num)
print(max_num)
24
10
Python Rocks
Hello Hello Hello
1
4
min_num = reduce(min_func, list2) # Minimum number in the list using reduce () &
max_num = reduce(max_func, list2) # Maximum number in the list using reduce () &
min_num , max_num
Out[461]: (1, 4)
In [474]: print(' --------- ')
print(reduce(lambda a, b: bool(a and b), [0, 0, 1, 0, 0])) # Returns True if all
print(reduce(lambda a, b: bool(a and b), [2, 3, 1, 5, 6])) # Returns True if all
print(reduce(lambda a, b: bool(a and b), [8, 9, 1, 0, 9])) # Returns True if all
False
True
False
False
True
True
Syntax
In [49]: # Create a class with property "var1"
class myclass:
var1 = 10
print('Name :- ',emp1.name)
print('Employee ID :- ',emp1.empid)
emp1.greet()
Name :- Asif
Employee ID :- 34163
Thanks for joining ABC Company Asif!!
print('Name :- ',emp2.name)
print('Employee ID :- ',emp2.empid)
emp2.greet()
Name :- Michael
Employee ID :- 34162
Thanks for joining ABC Company Michael!!
In [77]: emp2.country = 'India' #instance variable can be created manually
emp2.country
Out[77]: 'India'
Inheritance
Inheritance is a powerful feature in object oriented programming.
Inheritance provides code reusability in the program because we can use an existing class
(Super Class/ Parent Class / Base Class) to create a new class (Sub Class / Child Class /
Derived Class) instead of creating it from scratch.
The child class inherits data definitions and methods from the parent class which facilitates the
reuse of features already available. The child class can add few more definitions or redefine a
base class method.
Inheritance comes into picture when a new class possesses the 'IS A' relationship with an
existing class. E.g Student is a person. Hence person is the base class and student is derived
class.
In [163]: class person: # Parent Class
def init (self, name , age , gender):
self.name = name
self.age = age
self.gender = gender
def PersonInfo(self):
print('Name :- {}'.format(self.name))
print('Age :- {}'.format(self.age))
print('Gender :- {}'.format(self.gender))
def StudentInfo(self):
print('Student ID :- {}'.format(self.studentid))
print('Fees :- {}'.format(self.fees))
def TeacherInfo(self):
print('Employee ID :- {}'.format(self.empid))
print('Salary :- {}'.format(self.salary))
Student Details
Name :- Asif
Age :- 24
Gender :- Male
Student ID :- 123
Fees :- 1200
Employee Details
Name :- Basit
Age :- 36
Gender :- Male
Employee ID :- 456
Salary :- 80000
def PersonInfo(self):
print('Name :- {}'.format(self.name))
print('Age :- {}'.format(self.age))
print('Gender :- {}'.format(self.gender))
def StudentInfo(self):
print('Student ID :- {}'.format(self.studentid))
print('Fees :- {}'.format(self.fees))
Name :- Asif
Age :- 24
Gender :- Male
Student ID :- 123
Fees :- 1200
In [182]: # super() builtin function allows us to access methods of the base class.
def PersonInfo(self):
print('Name :- {}'.format(self.name))
print('Age :- {}'.format(self.age))
print('Gender :- {}'.format(self.gender))
def StudentInfo(self):
super().PersonInfo()
print('Student ID :- {}'.format(self.studentid))
print('Fees :- {}'.format(self.fees))
Name :- Asif
Age :- 24
Gender :- Male
Student ID :- 123
Fees :- 1200
Multi-level Inheritance
In this type of inheritance, a class can inherit from a child class or derived class.
Multilevel Inheritance can be of any depth in python
In [196]: class person: # Parent Class
def init (self, name , age , gender):
self.name = name
self.age = age
self.gender = gender
def PersonInfo(self):
print('Name :- {}'.format(self.name))
print('Age :- {}'.format(self.age))
print('Gender :- {}'.format(self.gender))
def employeeInfo(self):
print('Employee ID :- {}'.format(self.empid))
print('Salary :- {}'.format(self.salary))
def FulltimeInfo(self):
print('Work Experience :- {}'.format(self.WorkExperience))
def ContractInfo(self):
print('Contract Expiry :- {}'.format(self.ContractExpiry))
print('\n \n')
print('Fulltime Employee Details')
print('****************************')
fulltim1= fulltime('Asif' , 22 , 'Male' , 567 , 70000, 12)
fulltim1.PersonInfo()
fulltim1.employeeInfo()
fulltim1.FulltimeInfo()
Contractual Employee Details
****************************
Name :- Basit
Age :- 36
Gender :- Male
Employee ID :- 456
Salary :- 80000
Contract Expiry :- 21-12-2021
Multiple Inheritance
Multiple inheritance is a feature in which a class (derived class) can inherit attributes and
methods from more than one parent class.
The derived class inherits all the features of the base case.
In [120]: # Super Class
class Father:
def init (self):
self.fathername = str()
# Super Class
class Mother:
def init (self):
self.mothername = str()
# Sub Class
class Son(Father, Mother):
name = str()
def show(self):
print('My Name :- ',self.name)
print("Father :", self.fathername)
print("Mother :", self.mothername)
s1 = Son()
s1.name = 'Bill'
s1.fathername = "John"
s1.mothername = "Kristen"
s1.show()
My Name :- Bill
Father : John
Mother : Kristen
class Time:
def init (self,time):
self.time = time
class timestamp(CurrentDate,CurrentTime):
def init (self,date,time):
CurrentDate. init (self,date)
CurrentTime. init (self,time)
DateTime = self.date + ' ' + self.time
print(DateTime)
Method Overriding
When a method in a subclass has the same name, same parameter and same return type as
a method in its super-class, then the method in the subclass is said to override the method in
the super-class.
The version of a method that is executed will be determined by the object that is used to
invoke it.
If an object of a parent class is used to invoke the method, then the version in the parent class
will be executed, but if an object of the subclass is used to invoke the method, then the
version in the child class will be executed.
def greet(self):
print("Hello Person")
def greet(self):
print("Hello Student")
Container
Containers are data structures that hold data values.
They support membership tests which means we can check whether a value exists in the
container or not.
Generally containers provide a way to access the contained objects and to iterate over them.
In [128]: assert 'john' in list1 # If the condition returns true the program does nothing
In [127]: assert 'john1' in list1 # If the condition returns false, Assert will stop the p
---------------------------------------------------------------------------
AssertionError Traceback (most recent call last)
<ipython-input-127-f7bcea8c4682> in <module>
----> 1 assert 'john1' in list1
AssertionError:
In [131]: 'Asif' in mydict # Dictionary membership will always check the keys
Out[131]: False
In [132]: 'Name' in mydict # Dictionary membership will always check the keys
Out[132]: True
An iterable object implements iter() which is expected to return an iterator object. The
iterator object uses the next() method. Every time next() is called next element in the
iterator stream is returned. When there are no more elements available StopIteration
exception is encountered. So any object that has a next() method is called an iterator.
Python lists, tuples, dictionaries and sets are all examples of iterable objects.
In [236]: mylist = ['Asif' , 'Basit' , 'John' , 'Michael']
list_iter = iter(mylist) # Create an iterator object using iter()
print(next(list_iter)) # return first element in the iterator stream
print(next(list_iter)) # return next element in the iterator stream
print(next(list_iter))
print(next(list_iter))
print(next(list_iter))
Asif
Basit
John
Michael
---------------------------------------------------------------------------
StopIteration Traceback (most recent call last)
<ipython-input-236-a2095e242a65> in <module>
5 print(next(list_iter))
6 print(next(list_iter))
----> 7 print(next(list_iter))
StopIteration:
for i in mylist:
print(i)
Asif
Basit
John
Michael
In [242]: # Looping Through an Iterable (tuple) using for loop
for i in mytuple:
print(i)
Asif
Basit
John
Michael
for i in mystr:
print(i)
H
e
l
l
o
P
y
t
h
o
n
In [255]: # This iterator produces all natural numbers from 1 to 10.
class myiter:
def init (self):
self.num = 0
mynum = myiter()
iter1 = iter(mynum)
for i in iter1:
print(i)
1
2
3
4
5
6
7
8
9
10
In [256]: # This iterator will produce odd numbers
class myiter:
def init (self):
self.num = 0
myodd = myiter()
iter1 = iter(myodd)
for i in iter1:
print(i)
1
3
5
7
9
11
13
15
17
19
In [257]: # This iterator will produce fibonacci numbers
class myfibonacci:
def init (self):
self.prev = 0
self.cur = 0
myfibo = myfibonacci()
iter1 = iter(myfibo)
for i in iter1:
print(i)
1
1
2
3
5
8
13
21
34
Generator
Python generators are easy way of creating iterators. It generates values one at a time from a
given sequence instead of returning the entire sequence at once.
The generator function cannot include the return keyword. If we include it then it will terminate
the execution of the function.
The difference between yield and return is that once yield returns a value the function is
paused and the control is transferred to the caller.Local variables and their states are
remembered between successive calls. In case of the return statement value is returned and
the execution of the function is terminated.
Methods like iter() and next() are implemented automatically in generator function.
Simple generators can be easily created using generator expressions. Generator
expressions create anonymous generator functions like lambda.
The syntax for generator expression is similar to that of a list comprehension but the only
difference is square brackets are replaced with round parentheses. Also list comprehension
produces the entire list while the generator expression produces one item at a time which is
more memory efficient than list comprehension.
n += 1
yield n
n += 1
yield n
n += 1
yield n
n += 1
yield n
mygen1 = mygen()
print(next(mygen1))
print(next(mygen1))
print(next(mygen1))
print(next(mygen1))
print(next(mygen1)) #Function will terminate here as all 5 values have been retu
print(next(mygen1)) # As function is already terminated, StopIteration is raised
1
2
3
4
5
---------------------------------------------------------------------------
StopIteration Traceback (most recent call last)
<ipython-input-258-4c1c399db6dd> in <module>
24 print(next(mygen1))
25 print(next(mygen1))
---> 26 print(next(mygen1))
StopIteration:
In [272]: # Simple generator function that will generate natural numbers from 1 to 20.
def mygen():
for i in range(1,20):
yield i
mygen1 = mygen()
for i in mygen1:
print(i)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
In [274]: num = list(mygen()) # Store all values generated by generator function in a list
num
Out[274]: [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19]
In [275]: # Simple generator function that will generate even numbers from 1 to 20.
def mygen():
for i in range(1,20):
if i%2 == 0:
yield i
mygen1 = mygen()
for i in mygen1:
print(i)
2
4
6
8
10
12
14
16
18
In [276]: # This Generator function will generate ten numbers of fibonacci series.
def myfibo():
num1 , num2 = 0,1
count = 0
while count < 10:
yield num1
num1,num2 = num2,num1+num2
count+=1
fibo = myfibo()
for i in fibo:
print(i)
0
1
1
2
3
5
8
13
21
34
In [282]: print(next(gen2))
print(next(gen2))
print(next(gen2))
print(next(gen2))
print(next(gen2))
1
4
9
16
25
for i in gen2:
print(i)
0
2
4
6
8
10
12
14
16
18
20
22
24
26
28
30
32
34
36
38
Decorator
Decorator is very powerful and useful tool in Python as it allows us to wrap another function in
order to extend the behavior of wrapped function without permanently modifying it.
In Decorators functions are taken as the argument into another function and then called inside the
wrapper function.
Advantages -
subtract(4,2)
subtract(2,4)
Result is :- 2
Result is :- -2
In [6]: ''' We now want subtract() function to always subtract lower number from higher
So when we pass (2,4) it should perform 4-2 not 2-4. To acheive this we will
def sub_decorator(func):
def wrapper(num1,num2):
if num1 < num2:
num1,num2 = num2,num1
return func(num1,num2)
return wrapper
sub = sub_decorator(subtract)
sub(2,4)
Result is :- 2
In [20]: @sub_decorator # we can use @ syntax for decorating a function in one step
def subtract(num1 , num2):
res = num1 - num2
print('Result is :- ', res)
subtract(2,4)
Result is :- 2
In [60]: def InstallLinux():
print('Linux installation has started \n')
def InstallWindows():
print('Windows installation has started \n')
def InstallMac():
print('Mac installation has started \n')
InstallLinux()
InstallWindows()
InstallMac()
print()
''' Now suppose if we want to print message :- "Please accept terms & conditions
then easy way will be to create one decorator function which will present th
def InstallDecorator(func):
def wrapper():
print('Please accept terms & conditions')
return func()
return wrapper()
@InstallDecorator
def InstallWindows():
print('Windows installation has started \n ')
@InstallDecorator
def InstallMac():
print('Mac installation has started \n')
def InstallDecorator1(func):
def wrapper():
print('Please accept terms & conditions...\n')
func()
return wrapper
def InstallDecorator2(func):
def wrapper():
print('Please enter correct license key...\n')
return func()
return wrapper
def InstallDecorator3(func):
def wrapper():
print('Please enter partitioning choice...\n')
return func()
return wrapper
@InstallDecorator1
@InstallDecorator2
@InstallDecorator3
def InstallLinux():
print('Linux installation has started \n')
InstallLinux()
Please accept terms & conditions...
File Management
Close File
In [73]: fileobj.close()
Read File
In [86]: fileobj.read() #File cursor is already at the end of the file so it won't be abl
Out[86]: ''
In [87]: fileobj.seek(0) # Bring file cursor to initial position.
fileobj.read()
Out[87]: 'Python generators are easy way of creating iterators. It generates values one
at a time from a given sequence instead of returning the entire sequence at onc
e.\nIt is a special type of function which returns an iterator object.\nIn a ge
nerator function, a yield statement is used rather than a return statement.\nTh
e generator function cannot include the return keyword. If we include it then i
t will terminate the execution of the function.\nThe difference between yield a
nd return is that once yield returns a value the function is paused and the con
trol is transferred to the caller.Local variables and their states are remember
ed between successive calls. In case of the return statement value is returned
and the execution of the function is terminated.\nMethods like iter() and _
_next() are implemented automatically in generator function.\nSimple generato
rs can be easily created using generator expressions. Generator expressions cre
ate anonymous generator functions like lambda.\nThe syntax for generator expres
sion is similar to that of a list comprehension but the only difference is squa
re brackets are replaced with round parentheses. Also list comprehension produc
es the entire list while the generator expression produces one item at a time w
hich is more memory efficient than list comprehension.'
In [89]: fileobj.seek(0)
Out[90]: 16
In [91]: fileobj.seek(0)
Python generators are easy way of creating iterators. It generates values one a
t a time from a given sequence instead of returning the entire sequence at onc
e.
In [92]: fileobj.seek(0)
count = 0
for i in range(5):
if (count < 5):
print(fileobj.readline())
else:
break
count+=1
Python generators are easy way of creating iterators. It generates values one a
t a time from a given sequence instead of returning the entire sequence at onc
e.
The generator function cannot include the return keyword. If we include it then
it will terminate the execution of the function.
The difference between yield and return is that once yield returns a value the
function is paused and the control is transferred to the caller.Local variables
and their states are remembered between successive calls. In case of the return
statement value is returned and the execution of the function is terminated.
In [94]: # Read first 5 lines of a file using readlines()
fileobj.seek(0)
count = 0
for i in fileobj.readlines():
if (count < 5):
print(i)
else:
break
count+=1
Python generators are easy way of creating iterators. It generates values one a
t a time from a given sequence instead of returning the entire sequence at onc
e.
The generator function cannot include the return keyword. If we include it then
it will terminate the execution of the function.
The difference between yield and return is that once yield returns a value the
function is paused and the control is transferred to the caller.Local variables
and their states are remembered between successive calls. In case of the return
statement value is returned and the execution of the function is terminated.
Write File
In [95]: fileobj = open('test1.txt', 'a')
fileobj.close()
fileobj = open('test1.txt')
fileobj.read()
Out[95]: 'Python generators are easy way of creating iterators. It generates values one
at a time from a given sequence instead of returning the entire sequence at onc
e.\nIt is a special type of function which returns an iterator object.\nIn a ge
nerator function, a yield statement is used rather than a return statement.\nTh
e generator function cannot include the return keyword. If we include it then i
t will terminate the execution of the function.\nThe difference between yield a
nd return is that once yield returns a value the function is paused and the con
trol is transferred to the caller.Local variables and their states are remember
ed between successive calls. In case of the return statement value is returned
and the execution of the function is terminated.\nMethods like iter() and _
_next() are implemented automatically in generator function.\nSimple generato
rs can be easily created using generator expressions. Generator expressions cre
ate anonymous generator functions like lambda.\nThe syntax for generator expres
sion is similar to that of a list comprehension but the only difference is squa
re brackets are replaced with round parentheses. Also list comprehension produc
es the entire list while the generator expression produces one item at a time w
hich is more memory efficient than list comprehension.THIS IS THE NEW CONTENT A
PPENDED IN THE FILE'
fileobj.write("NEW CONTENT ADDED IN THE FILE. PREVIOUS CONTENT HAS BEEN OVERWRIT
fileobj.close()
fileobj = open('test1.txt')
fileobj.read()
Out[96]: 'NEW CONTENT ADDED IN THE FILE. PREVIOUS CONTENT HAS BEEN OVERWRITTEN'
In [114]: fileobj = open("test2.txt", "w") # Create a new file
fileobj.write("First Line\n")
fileobj.write("Second Line\n")
fileobj.write("Third Line\n")
fileobj.write("Fourth Line\n")
fileobj.write("Fifth Line\n")
fileobj.close()
fileobj = open('test2.txt')
fileobj.readlines()
Out[114]: ['First Line\n',
'Second Line\n',
'Third Line\n',
'Fourth Line\n',
'Fifth Line\n']
Delete file
In [116]: os.remove("test3.txt")
---------------------------------------------------------------------------
FileNotFoundError Traceback (most recent call last)
<ipython-input-116-fecc9f240170> in <module>
----> 1 os.remove("test3.txt")
FileNotFoundError: [WinError 2] The system cannot find the file specified: 'tes
t3.txt'
In [118]: os.rmdir('folder1/')
---------------------------------------------------------------------------
FileNotFoundError Traceback (most recent call last)
<ipython-input-118-e9e89c9edbf0> in <module>
----> 1 os.rmdir('folder1/')
FileNotFoundError: [WinError 2] The system cannot find the file specified: 'fol
der1/'
Exceptions in python can be handled using a try statement. The try block lets you test a block
of code for errors.
The block of code which can raise an exception is placed inside the try clause. The code that
will handle the exceptions is written in the except clause.
The finally code block will execute regardless of the result of the try and except blocks.
We can also use the else keyword to define a block of code to be executed if no exceptions
were raised.
Python also allows us to create our own exceptions that can be raised from the program using
the raise keyword and caught using the except clause. We can define what kind of error to
raise, and the text to print to the user.
In [130]: try:
print(100/0) # ZeroDivisionError will be encountered here. So the control wi
except:
print(sys.exc_info()[1] , 'Exception occured') # This statement will be exec
else:
print('No exception occurred') # This will be skipped as code block inside t
finally:
print('Run this block of code always') # This will be always executed
In [134]: try:
print(x) # NameError exception will be encountered as variable x is not def
except:
print('Variable x is not defined')
Variable x is not defined
In [137]: try:
os.remove("test3.txt") # FileNotFoundError will be encountered as "test3.txt
else:
print('\nNo exception occurred')
finally:
print('\nRun this block of code always')
BELOW EXCEPTION OCCURED
[WinError 2] The system cannot find the file specified: 'test3.txt'
except NameError:
print('NameError exception occurred')
except FileNotFoundError:
print('FileNotFoundError exception occurred')
except ZeroDivisionError:
print('ZeroDivisionError exception occurred')
Enter first number :- 12
Enter first number :- 13
0.9230769230769231
FileNotFoundError exception occurred
In [142]: # Handling specific exceptions
try:
x = int(input('Enter first number :- '))
y = int(input('Enter first number :- ')) # If the input entered is zero the
print(x/y)
os.remove("test3.txt")
except NameError:
print('NameError exception occurred')
except FileNotFoundError:
print('FileNotFoundError exception occurred')
except ZeroDivisionError:
print('ZeroDivisionError exception occurred')
Enter first number :- 10
Enter first number :- 0
ZeroDivisionError exception occurred
In [144]: try:
x = int(input('Enter first number :- '))
if x > 50:
raise ValueError(x) # If value of x is greater than 50 ValueError except
except:
print(sys.exc_info()[0])
Enter first number :- 100
<class 'ValueError'>
Built-in Exceptions
In [149]: # OverflowError - This exception is raised when the result of a numeric calculat
try:
import math
print(math.exp(1000))
except OverflowError:
print (sys.exc_info())
else:
print ("Success, no error!")
(<class 'OverflowError'>, OverflowError('math range error'), <traceback object
at 0x000002B2B12EFB88>)
In [150]: # ZeroDivisionError - This exception is raised when the second operator in a div
try:
x = int(input('Enter first number :- '))
y = int(input('Enter first number :- '))
print(x/y)
except ZeroDivisionError:
print('ZeroDivisionError exception occurred')
Enter first number :- 100
Enter first number :- 0
ZeroDivisionError exception occurred
In [152]: # NameError - This exception is raised when a variable does not exist
try:
print(x1)
except NameError:
print('NameError exception occurred')
NameError exception occurred
try:
a = 50
b = "Asif"
assert a == b
except AssertionError:
print ("Assertion Exception Raised.")
Assertion Exception Raised.
try:
import MyModule
except ModuleNotFoundError:
print ("ModuleNotFoundError Exception Raised.")
ModuleNotFoundError Exception Raised.
In [160]: # KeyError - This exception is raised when key does not exist in a dictionary
try:
mydict = {1:'Asif', 2:'Basit', 3:'Michael'}
print (mydict[4])
except KeyError:
print ("KeyError Exception Raised.")
KeyError Exception Raised.
In [162]: # IndexError - This exception is raised when an index of a sequence does not exi
try:
mylist = [1,2,3,4,5,6]
print (mylist[10])
except IndexError:
print ("IndexError Exception Raised.")
In [165]: # TypeError - This exception is raised when two different datatypes are combined
try:
a = 50
b = "Asif"
c = a/b
except TypeError:
print ("TypeError Exception Raised.")
TypeError Exception Raised.
try:
a = 10
b = a.upper()
print(b)
except AttributeError:
print ("AttributeError Exception Raised.")
AttributeError Exception Raised.
In [ ]: try:
x = input('Enter first number :- ')
except:
print('ZeroDivisionError exception occurred')
END