1st Year Python Lab Manual
1st Year Python Lab Manual
Contents
1 Question 1 1
Student Details................................................................................................................................................................... 1
Senior Citizen Check....................................................................................................................................................2
2 Question 2 4
Fibonacci Sequence.......................................................................................................................................................................4
Binomial Coefficient............................................................................................................................................................5
4 Digit Frequency 8
5 Word Frequency 9
i
22plc15b python
Listings
01AStudDetails.py...............................................................................................................................................................1
OUTPUT............................................................................................................................................................... 2
01BChkSnrCitzn.py.......................................................................................................................................................2
OUTPUT............................................................................................................................................................... 3
02AFibonacci.py.................................................................................................................................................................. 4
OUTPUT............................................................................................................................................................... 4
02BFactNCR.py............................................................................................................................................................. 5
OUTPUT............................................................................................................................................................... 5
03MeanVarSD.py................................................................................................................................................................ 6
OUTPUT............................................................................................................................................................... 7
04DigitFreq.py.....................................................................................................................................................................8
OUTPUT............................................................................................................................................................... 8
05WordFreq.py................................................................................................................................................................... 9
OUTPUT............................................................................................................................................................. 10
06SortLinesFile.py............................................................................................................................................................. 11
OUTPUT............................................................................................................................................................. 12
07BackFolderZip.py...........................................................................................................................................................13
OUTPUT............................................................................................................................................................. 13
08AssertExceptDemo.py...................................................................................................................................................14
OUTPUT............................................................................................................................................................. 15
09ComplexClass.py............................................................................................................................................................16
OUTPUT............................................................................................................................................................. 17
10StudentClass.py.............................................................................................................................................................19
OUTPUT............................................................................................................................................................. 20
i
i
22plc15b python
Preface
Use and spread the word of Free Software. Free Software leads to a Free Society!
i
i
22plc15b python
Introduction
This tutorial will help you in setting up a Python 3 programming environment on Ubuntu 22.04. (Should also work
on previous release Ubuntu 20.04 as well). If you do not have Ubuntu 22.04 installed on your machine, you can follow
the detailed description of installing Ubuntu 22.04 Desktop in the following link below.
https://ubuntu.com/tutorials/install-ubuntu-desktop#1-overview
Majority of GNU/Linux distribution including Ubuntu 22.04 and other versions of Debian Linux ship with Python
3 pre-installed. You can check whether Python is installed or not by issuing the following command in the terminal.
To launch the terminal press Ctrl+Alt+t
1 $ python3 -V
You’ll receive output in the terminal window that will let you know the version number. While this number may
vary, the output will be similar to this:
Anaconda Distribution
Anaconda Distribution equips individuals to easily search and install thousands of Python/R packages and access
a vast library of community content and support. Especially with Python being very popular and defacto platform
for Data Science. Also it provides good graphical IDEs like Spyder and Jupyter Notebook.
i
v
22plc15b python
LISTINGS LISTINGS
The installer proceeds to setup the Anaconda distribution. Choose to perform the default action yes whenever
prompted.
Here in Anaconda Navigator choose Spyder IDE. Click on the launch button below it to start the IDE.
Spyder IDE
Type a Python program and save it with .py extension. A sample program is shown below.
Then click on Run button (green triangle button) to execute the program. If the program has any errors they
are shown on console on the bottom right section. Otherwise the program starts executing and output is shown in
the console sub window. A sample is shown below.
Chapter 1
Question 1
Student Details
Question
Develop a program to read the student details like Name, USN, and Marks in three
subjects. Dis- play the student details, total marks and percentage with suitable
messages.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 01AStudDetails.py
7Develop a program to read the student details like Name, USN, and Marks in three
subjects.
8 Display the student details, total marks and percentage with suitable messages.
10 @author: Prabodh C P
11 """
12
19
20 print("Student Details\n=========================")
21 print("%12s"%("Name :"), stName)
22 print("%12s"%("USN :"), stUSN)
23 print("%12s"%("Marks 1 :"), stMarks1)
24 print("%12s"%("Marks 2 :"), stMarks2)
25 print("%12s"%("Marks 3 :"), stMarks3)
26 print("%12s"%("Total :"), stMarks1+stMarks2+stMarks3)
27 print("%12s"%("Percent :"), "%.2f"%((stMarks1+stMarks2+stMarks3)/3))
28 print("=========================")
Listing 1.1: 01AStudDetails.py
1
22plc15b python
1.2. SENIOR CITIZEN CHECK CHAPTER 1. QUESTION 1
Output
=================================
1 putta:˜/.../Programs$ python3 01AStudDetails.py
2
8 Student Details
9 =========================
10 Name : RAMESH
11 USN : 1SI22CS036
12 Marks 1 : 87
13 Marks 2 : 78
14 Marks 3 : 65
15 Total : 230
16 Percent : 76.67
17 =========================
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 01BChkSnrCitzn.py
7
8 Develop a program to read the name and year of birth of a person. Display whether
the person is a senior citizen or not.
9
10 @author: Prabodh C P
11 """
12 from datetime import date
13
14
18 curYear = date.today().year
19 perAge = curYear - perDOB
20
Output
=================================
1 putta:˜/.../Programs$ python3 01BChkSnrCitzn.py
2
Chapter 2
Question 2
Fibonacci Sequence
Question
Develop a program to generate Fibonacci sequence of length (N). Read N from the console.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 02AFibonacci.py
7
8 Develop a program to generate Fibonacci sequence of length (N). Read N from the
console.
9
10 @author: Prabodh C P
11 """
12
15 firstTerm = 0
16 secondTerm = 1
17 print("The Fibonacci series with", num, "terms is :")
19 for i in range(2,num):
Output
1 putta:˜/.../Programs$ python3 02AFibonacci.py
2
4
22plc15b python
2.2. BINOMIAL COEFFICIENT CHAPTER 2. QUESTION 2
Binomial Coefficient
Question
Write a function to calculate factorial of a number. Develop a program to compute
binomial co- efficient (Given N and R).
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
5 02BFactNCR.py
9 @author: Prabodh C P
10 """
11
12 def fact(num):
13 if num == 0:
14 return 1
15 else:
16 return num * fact(num-1)
17 n = int(input("Enter the value of N : "))
19 nCr = fact(n)/(fact(r)*fact(n-r))
20 print(n,’C’,r," = ","%d"%nCr,sep="")
Output
1 putta:˜/.../Programs$ python3 02BFactNCR.py
2 Enter the value of N : 7
3 Enter the value of R (R cannot be negative or greater than N): 5
4 7C5 = 21
5
13
Chapter 3
Question
Read N numbers from the console and create a list. Develop a program to print mean,
variance and standard deviation with suitable messages.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 03MeanVarSD.py
7
8Read N numbers from the console and create a list. Develop a program to print mean,
variance and
9 standard deviation with suitable messages.
10
11 @author: Prabodh C P
12 """
13
16 myList = []
17
20 for i in range(num):
21 val = int(input("Enter the element : "))
22 myList.append(val)
23
28
29 total = 0
30 for elem in myList:
31 total += elem
32
35 total = 0
36 for elem in myList:
37 total += (elem - mean) * (elem - mean)
38
6
22plc15b python
CHAPTER 3. MEAN, VARIANCE AND STANDARD DEVIATION
41 stdDev = sqrt(variance)
42
Output
13 Mean = 58.4
14 Variance = 642.64
15 Standard Deviation = 25.35
Listing 3.2: OUTPUT
Chapter 4
Digit Frequency
Question
Read a multi-digit number (as chars) from the console. Develop a program to print the
frequency of each digit with suitable message.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
5 04DigitFreq.py
7 Develop a program to print the frequency of each digit with suitable message.
8 @author: Prabodh C P
9 """
12 uniqDig = set(num)
Output
6 9 occurs 2 times
7 3 occurs 2 times
8 2 occurs 1 times
15 4 occurs 1 times
16 3 occurs 3 times
17 8 occurs 2 times
8
22plc15b python
Chapter 5
Word Frequency
Question
Develop a program to print 10 most frequently appearing words in a text file. [Hint: Use
dictio- nary with distinct words and their frequency of occurrences. Sort the dictionary in
the reverse order of frequency and display dictionary slice of first 10 items]
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 05WordFreq.py
7
8 Develop a program to print 10 most frequently appearing words in a text file. [Hint:
Use dictionary with distinct words and their frequency of occurrences. Sort the
dictionary in the reverse order of frequency and display dictionary slice of
first 10 items]
9
10 @author: Prabodh C P
11 """
12 import sys
13 import string
14 import os.path
15
16 fname = input("Enter the filename : ") #sample file text.txt also provided
17
18 if not os.path.isfile(fname):
19 print("File", fname, "doesn’t exists")
20 sys.exit(0)
21
24 filecontents = ""
25
33 wordFreq = {}
34 wordList = filecontents.split()
9
22plc15b python
CHAPTER 5. WORD FREQUENCY
35
49 print("\n===================================================")
50 print("10 most frequently appearing words with their count")
51 print("===================================================")
52 for i in range(10):
53 print(sortedWordFreq[i][0], "occurs", sortedWordFreq[i][1], "times")
Listing 5.1: 05WordFreq.py
Output
5 ===================================================
6 10 most frequently appearing words with their count
7 ===================================================
9 of occurs 24 times
12 a occurs 9 times
15 to occurs 6 times
Chapter 6
Question
Develop a program to sort the contents of a text file and write the sorted contents into a
separate text file. [Hint: Use string methods strip(), len(), list methods sort(), append(),
and file methods open(), readlines(), and write()].
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 06SortLinesFile.py
7
8 Develop a program to sort the contents of a text file and write the sorted contents
into a separate text
9 file. [Hint: Use string methods strip(), len(), list methods sort(), append(), and
11
12 @author: Prabodh C P
13 """
14
15 import os.path
16 import sys
17
18 fname = input("Enter the filename whose contents are to be sorted : ") #sample
file unsorted.txt also provided
19
20 if not os.path.isfile(fname):
21 print("File", fname, "doesn’t exists")
22 sys.exit(0)
23
26 myList = infile.readlines()
27 # print(myList)
28
32 lineList.append(line.strip())
33
34 lineList.sort()
35
11
22plc15b python
CHAPTER 6. SORT FILE CONTENTS
38 outfile = open("sorted.txt","w")
39
40
47
48 if os.path.isfile("sorted.txt"):
49 print("\nFile containing sorted content sorted.txt created successfully")
50 print("sorted.txt contains", len(lineList), "lines")
51 print("Contents of sorted.txt")
52 print("=================================================================")
53 rdFile = open("sorted.txt","r")
54 for line in rdFile:
55 print(line, end="")
Listing 6.1: 06SortLinesFile.py
Output
8 =================================================================
9 A deep C diva.
10 All the troubles you have will pass away very quickly.
15 How does a hacker fix a function which doesn’t work for all of the elements in
its domain?
16 Lay on, MacDuff, and curs’d be him who first cries, "Hold, enough!".
17 People are beginning to notice you. Try dressing before you leave the house.
18 The surest protection against temptation is cowardice.
19 To be or not to be.
Chapter 7
Question
Develop a program to backing Up a given Folder (Folder in a current working directory)
into a ZIP File by using relevant modules and suitable methods.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
5 07BackFolderZip.py
8 @author: Prabodh C P
9 """
10 import os
11 import sys
12 import pathlib
13 import zipfile
14
Output
1
3
22plc15b python
Chapter 8
Question
Write a function named DivExp which takes TWO parameters a, b and returns a value c
(c=a/b). Write suitable assertion for a greater than 0 in function DivExp and raise an
exception for when b=0. Develop a suitable program which reads two values from the
console and calls a function DivExp.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 08AssertExceptDemo.py
7
8 Write a function named DivExp which takes TWO parameters a, b and returns a value c
(c=a/b). Write suitable assertion for a>0 in function DivExp and raise an
exception for when b=0. Develop a suitable program which reads two values from
the console and calls a function DivExp.
9
10 @author: Prabodh C P
11 """
12 import sys
13
14 def DivExp(a,b):
15 assert a>0, "a should be greater than 0"
16 try:
17 c = a/b
18 except ZeroDivisionError:
19 print("Value of b cannot be zero")
20 sys.exit(0)
21 else:
22 return c
23
Output
1
4
22plc15b python
CHAPTER 8. ASSERTIONS AND EXCEPTIONS DEMO
Chapter 9
Question
Define a function which takes 2 objects representing complex numbers and returns new
complex number with a addition of two complex numbers. Define a suitable class
Complex to represent the complex number. Develop a program to read N (N greater than
2) complex numbers and to compute the addition of N complex numbers.
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 09ComplexClass.py
7
8 Define a function which takes 2 objects representing complex numbers and returns new
complex number with a addition of two complex numbers. Define a suitable class
Complex to represent the complex number. Develop a program to read N (N >=
2) complex numbers and to compute the addition of N complex numbers.
9
10 @author: Prabodh C P
11 """
12
13 class Complex:
14 def init (self, realp = 0, imagp=0):
15 self.realp = realp
16 self.imagp = imagp
17
22 def readComplex(self):
23 self.realp = int(input("Enter the real part : "))
24 self.imagp = int(input("Enter the real part : "))
25
26 def showComplex(self):
27 print(’(’,self.realp,’)’,’+i’,’(’,self.imagp,’)’,sep="")
28
16
22plc15b python
CHAPTER 9. COMPLEX CLASS DEMO
35 def add2Complex(a,b):
36 c = a.addComplex(b)
37 return c
38
39 def main():
40 c1 = Complex(3,5)
41 c2 = Complex(6,4)
42
48 c3 = add2Complex(c1, c2)
49
55 compList = []
56
59 for i in range(num):
60 print("Object", i+1)
61 obj = Complex()
62 obj.readComplex()
63 compList.append(obj)
64
69 sumObj = Complex()
70 for obj in compList:
71 sumObj = add2Complex(sumObj, obj)
72
73
77 main()
Listing 9.1: 09ComplexClass.py
Output
1 putta:˜/.../Programs$ python3 09ComplexClass.py
2
3 Complex Number 1
4 (3)+i(5)
5 Complex Number 2
6 (6)+i(4)
8 (9)+i(9)
17 Object 3
18 Enter the real part : 3
19 Enter the real part : 7
20 Object 4
21 Enter the real part : 4
22 Enter the real part : 6
23 Object 5
24 Enter the real part : 5
25 Enter the real part : 5
26
Chapter 10
Question
Develop a program that uses class Student which prompts the user to enter marks in
three sub- jects and calculates total marks, percentage and displays the score card
details. [Hint: Use list to store the marks in three subjects and total marks. Use init
method to initialize name, USN and the lists to store marks and total, Use getMarks()
method to read marks into the list, and display() method to display the score card
details.]
Python Code
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """
6 10StudentClass.py
7
8 Develop a program that uses class Student which prompts the user to enter marks in
three subjects and calculates total marks, percentage and displays the score
card
details. [Hint: Use list to store the marks in three subjects and total marks.
Use init () method to initialize name, USN and the lists to store marks and
total, Use getMarks() method to read marks into the list, and display() method
to
display the score card details.]
9
10 @author: Prabodh C P
11 """
12
13 class Student:
14 def init (self, name = "", usn = "", score = [0,0,0,0]):
15 self.name = name
16 self.usn = usn
17 self.score = score
18
19 def getMarks(self):
20 self.name = input("Enter student Name : ")
21 self.usn = input("Enter student USN : ")
22 self.score[0] = int(input("Enter marks in Subject 1 : "))
23 self.score[1] = int(input("Enter marks in Subject 2 : "))
24 self.score[2] = int(input("Enter marks in Subject 3 : "))
25 self.score[3] = self.score[0] + self.score[1] + self.score[2]
26
27 def display(self):
28 percentage = self.score[3]/3
29 spcstr = "=" * 81
19
22plc15b python
30 print(spcstr)
31 print("SCORE CARD DETAILS".center(81))
19
22plc15b python
CHAPTER 10. STUDENT CLASS DEMO
32 print(spcstr)
33 print("%15s"%("NAME"), "%12s"%("USN"),
"%8s"%"MARKS1","%8s"%"MARKS2","%8s"%" MARKS3","%8s"%"TOTAL","%12s"%
("PERCENTAGE"))
34 print(spcstr)
35 print("%15s"%self.name, "%12s"%self.usn,
"%8d"%self.score[0],"%8d"%self.
score[1],"%8d"%self.score[2],"%8d"%self.score[3],"%12.2f"%percentage)
36 print(spcstr)
37
38
39 def main():
40 s1 = Student()
41 s1.getMarks()
42 s1.display()
43
44 main()
Listing 10.1: 10StudentClass.py
Output
8 =================================================================================