GE3171 - Python Manuel R2021
GE3171 - Python Manuel R2021
AND
PYTHON PROGRAMMING
LABORATORY
(REG-2021)
LAB MANUEL
Compiled By:
Ramprakash.S
Teaching Faculty / CSE
University College of Engineering Thirukkuvalai
Nagapattinam -610204, Tamilnadu
1.Identification and solving of simple real life or scientific or technical problems, and
developing flow charts for the same.
a) Electricity Billing
Aim: Develop a flow chart and write the program for Electricity billing
Procedure:
From Unit To Unit Rate (Rs.) Prices
Flow Chart :
1b) Reatil Shop billing
Flow-Chart:
1c) Sin series
Flow Chart:
1d) To compute Electrical Current in Three Phase AC Circuit
Flow Chart :
Result :
2.a) Python programming using simple statements and expressions -exchange the values
of two variables)
Aim:
Write a python program to exchange the values of two variables
Procedure:
Code:
>>> a=10
>>> b=20
>>> a,b=b,a
>>>print(a)
>>>print(b)
output:
Result:
2b) Python programming using simple statements and expressions - circulate the values
of n variables)
Aim:
Write a python program to circulate the values of n variables
Procedure:
Code:
>>>list=[10,20,30,40,50]
>>>n=2
>>> print(list[n:]+list[:n])
output:
Result:
2 C) Python programming using simple statements and expressions ( Calculate the
distance between two points)
Aim:
Procedure:
Program:
import math
Output:
Result:
3 a) Scientific problems using Conditionals and Iterative loops.- Number series
Aim:
Write a Python program with conditional and iterative statements for
Number Series.
Procedure:
Program:
n=int(input("Enter a number: "))
a=[]
for i in range(1,n+1):
print(i,sep=" ",end=" ")
if(i<n):
print("+",sep=" ",end=" ")
a.append(i)
print("=",sum(a))
print()
output:
Result:
3 b) Scientific problems using Conditionals and Iterative loops. -Number Patterns
Aim:
Write a Python program with conditional and iterative statements for
Number Pattern.
Procedure:
Program:
rows = 6
rows = int(input('Enter the number of rows'))
for i in range(rows):
for j in range(i):
print(i, end=' ')
print('')
output:
Result:
3 c) Scientific problems using Conditionals and Iterative loops. -Pyramid Patterns
Aim:
Write a Python program with conditional and iterative statements for
Pyramid Pattern.
Procedure:
Program:
def pypart(n):
print("* ",end="")
print("\r")
n=5
pypart(n)
output:
Result:
4 a) Implementing real-time/technical applications using Lists, Tuples -Items present in a
library)
Aim :
Write a python program to implement items present in a library
Procedure:
Code:
library=["books", "author", "barcodenumber" , "price"]
library[0]="ramayanam"
print(library[0])
library[1]="valmiki"
library[2]=123987
library[3]=234
print(library)
Tuple:
tup1 = (12134,250000 )
tup2 = ('books', 'totalprice')
# tup1[0] = 100 ------- Not assigned in tuple
# So let's create a new tuple as follows
tup3 = tup1 + tup2;
print(tup3)
Output:
Result
:
4 b) Implementing real-time/technical applications using Lists, Tuples -Components of a
car
Aim:
Write a python program to implement components of a car
Procedure:
Code:
cars = ["Nissan", "Mercedes Benz", "Ferrari", "Maserati", "Jeep", "Maruti Suzuki"]
new_list = []
for i in cars:
if "M" in i:
new_list.append(i)
print(new_list)
Tuple:
output:
Result:
4 C) Implementing real-time/technical applications using Lists, Tuples - Materials required
for construction of a building.
Aim:
Write a python program to implement materials required for construction of
building
Procedure:
Code:
materialsforconstruction = ["cementbags", "bricks", "sand", "Steelbars", "Paint"]
materialsforconstruction.append(“ Tiles”)
materialsforconstruction.insert(3,"Aggregates")
materialsforconstruction.remove("sand")
materialsforconstruction[5]="electrical"
print(materialsforconstruction)
Tuple:
output:
Result:
5a) Implementing real-time/technical applications using Sets, Dictionaries. - Language
Aim:
Write a python program to implement language system using Sets and Dictionaries
Procedure:
Code:
import re
ulysses_txt = open("books/james_joyce_ulysses.txt").read().lower()
words = re.findall(r"\b[\w-]+\b", ulysses_txt)
print("The novel ulysses contains " + str(len(words)))
for word in ["the", "while", "good", "bad", "ireland", "irish"]:
print("The word '" + word + "' occurs " + \
str(words.count(word)) + " times in the novel!" )
diff_words = set(words)
print("'Ulysses' contains " + str(len(diff_words)) + " different words!")
output:
Result:
Ref: https://python-course.eu/python-tutorial/sets-examples.php
5b) Implementing real-time/technical applications using Sets, Dictionaries. – Components
of an automobile
Aim:
Write a python program to implement Components of an automobile using Sets and
Dictionaries
Procedure:
Code:
cars = {'BMW', 'Honda', 'Audi', 'Mercedes', 'Honda', 'Toyota', 'Ferrari', 'Tesla'}
print('Approach #1= ', cars)
print('==========')
print('Approach #2')
for car in cars:
print('Car name = {}'.format(car))
print('==========')
cars.add('Tata')
print('New cars set = {}'.format(cars))
cars.discard('Mercedes')
print('discard() method = {}'.format(cars))
output:
Result:
https://www.javacodegeeks.com/sets-in-python.html
6a. Implementing programs using Functions – Factorial
Aim:
Write a python program to implement Factorial program using functions
Procedure:
Code:
def factorial(n):
if n == 0:
return 1
else:
return n * factorial(n-1)
n=int(input("Input a number to compute the factiorial : "))
print(factorial(n))
output:
Result:
6b. Implementing programs using Functions – largest number in a list
Aim:
Write a python program to implement largest number in a list using functions
Procedure:
Code:
def myMax(list1):
max = list1[0]
for x in list1:
if x > max :
max = x
return max
list1 = [10, 20, 4, 45, 99]
print("Largest element is:", myMax(list1))
Output:
Result:
6c. Implementing programs using Functions – area of shape
Aim:
Write a python program to implement area of shape using functions
Procedure:
Code:
def calculate_area(name):\
name = name.lower()
if name == "rectangle":
l = int(input("Enter rectangle's length: "))
b = int(input("Enter rectangle's breadth: "))
rect_area = l * b
print(f"The area of rectangle is
{rect_area}.")
elif name == "square":
s = int(input("Enter square's side length: "))
sqt_area = s * s
print(f"The area of square is
{sqt_area}.")
elif name == "triangle":
h = int(input("Enter triangle's height length: "))
b = int(input("Enter triangle's breadth length: "))
tri_area = 0.5 * b * h
print(f"The area of triangle is
{tri_area}.")
elif name == "circle":
r = int(input("Enter circle's radius length: "))
pi = 3.14
circ_area = pi * r * r
print(f"The area of triangle is
{circ_area}.")
else:
print("Sorry! This shape is not available")
if __name__ == "__main__" :
calculate_area(shape_name)
Output:
Result:
7 a. Implementing programs using Strings –Reverse
Aim:
Write a python program to implement reverse of a string using string functions
Procedure:
Code:
def reverse(string):
string = string[::-1]
return string
s = "Firstyearece"
print ("The original string is : ",end="")
print (s)
print ("The reversed string(using extended slice syntax) is : ",end="")
print (reverse(s))
output:
Result:
7 b. Implementing programs using Strings -palindrome
Aim:
Write a python program to implement palindrome using string functions
Procedure:
Code:
string=input(("Enter a string:"))
if(string==string[::-1]):
print("The string is a palindrome")
else:
print("Not a palindrome")
output:
Result:
7 c. Implementing programs using Strings - character count
Aim:
Write a python program to implement Characters count using string functions
Procedure:
Code:
test_str = "Countthethesisthirdtime"
count = 0
for i in test_str:
if i == 't':
count = count + 1
print ("Count of e in Countthethesisthirdtim is : " + str(count))
output:
Result:
7.d) Implementing programs using Strings – Replacing Characters
Aim:
Write a python program to implement Replacing Characetrs using string functions
Procedure:
Code:
output:
Result:
8.a) Implementing programs using written modules and Python Standard Libraries –pandas
Aim:
Procedure:
Code:
In command prompt install this package
pip install pandas
import pandas as pd
df = pd.DataFrame(
{
"Name": [ "Braund, Mr. Owen Harris",
"Allen, Mr. William Henry",
"Bonnell, Miss. Elizabeth",],
"Age": [22, 35, 58],
"Sex": ["male", "male", "female"],
}
)
print(df)
print(df[“Age”])
ages = pd.Series([22, 35, 58], name="Age")
print(ages)
df["Age"].max()
print(ages.max())
print(df.describe())
output:
Result:
8.b) Implementing programs using written modules and Python Standard Libraries – numpy
Aim:
Procedure:
import numpy as np
a = np.arange(6)
a2 = a[np.newaxis, :]
a2.shape
output:
a = np.array([1, 2, 3, 4, 5, 6])
a = np.array([[1, 2, 3, 4], [5, 6, 7, 8], [9, 10, 11, 12]])
print(a[0])
print(a[1])
np.zeros(2)
np.ones(2)
np.arange(4)
np.arange(2, 9, 2)
np.linspace(0, 10, num=5)
x = np.ones(2, dtype=np.int64)
print(x)
arr = np.array([2, 1, 5, 3, 7, 4, 6, 8])
np.sort(arr)
a = np.array([1, 2, 3, 4])
b = np.array([5, 6, 7, 8])
np.concatenate((a, b))
Array Dimensions:
array_example.ndim
array_example.size
array_example.shape
a = np.arange(6)
print(a)
b = a.reshape(3, 2)
print(b)
np.reshape(a, newshape=(1, 6), order='C')
outputs:
Result:
8.c) Implementing programs using written modules and Python Standard Libraries –matplotlib
Aim:
Procedure:
output:
import matplotlib.pyplot as plt
import numpy as np
plt.style.use('_mpl-gallery')
np.random.seed(1)
x = 4 + np.random.normal(0, 1.5, 200)
fig, ax = plt.subplots()
ax.hist(x, bins=8, linewidth=0.5, edgecolor="white")
ax.set(xlim=(0, 8), xticks=np.arange(1, 8),
ylim=(0, 56), yticks=np.linspace(0, 56, 9))
plt.show()
output
Result:
8.d) Implementing programs using written modules and Python Standard Libraries – scipy
Aim:
Procedure:
Output:
from scipy.fft import fft, fftfreq
>>> # Number of sample points
>>> N = 600
>>> # sample spacing
>>> T = 1.0 / 800.0
>>> x = np.linspace(0.0, N*T, N, endpoint=False)
>>> y = np.sin(50.0 * 2.0*np.pi*x) + 0.5*np.sin(80.0 * 2.0*np.pi*x)
>>> yf = fft(y)
>>> xf = fftfreq(N, T)[:N//2]
>>> import matplotlib.pyplot as plt
>>> plt.plot(xf, 2.0/N * np.abs(yf[0:N//2]))
>>> plt.grid()
>>> plt.show()
Output:
Result:
9.a) Implementing real-time/technical applications using File handling - copy from one file
to another.
Aim:
Write a python program to implement File Copying
Procedure:
Code:
import shutil
original = r'original path where the file is currently stored\file name.file extension'
target = r'target path where the file will be copied\file name.file extension'
shutil.copyfile(original, target)
Steps to follow:
Step 1: Capture the original path
To begin, capture the path where your file is currently stored.
For example, I stored a CSV file in a folder called Test_1:
C:\Users\Ron\Desktop\Test_1\products.csv
Where the CSV file name is „products„ and the file extension is csv.
Step 2: Capture the target path
Next, capture the target path where you‟d like to copy the file.
C:\Users\Ron\Desktop\Test_2\products.csv
import shutil
original = r'C:\Users\Ron\Desktop\Test_1\products.csv'
target = r'C:\Users\Ron\Desktop\Test_2\products.csv'
shutil.copyfile(original, target)
Ref :https://datatofish.com/copy-file-python/
Result:
9.b ) Implementing real-time/technical applications using File handling word count
Aim:
Write a python program to implement word count in File operations in python
Procedure:
Code:
Welcome to python examples. Here, you will find python programs for all
general use cases.
output:
Result:
9.c ) Implementing real-time/technical applications using File handling - Longest word
Aim:
Write a python program to implement longest word in File operations
Procedure:
Code:
output:
Result:
10. a. Implementing real-time/technical applications using Exception handling.- divide by
zero error.
Aim:
Write a exception handling program using python to depict the divide by zero
error.
Procedure:
Code:
(i) marks = 10000
a = marks / 0
print(a)
(ii) program
a=int(input("Entre a="))
b=int(input("Entre b="))
try:
c = ((a+b) / (a-b))
#Raising Error
if a==b:
raise ZeroDivisionError
#Handling of error
except ZeroDivisionError:
print ("a/b result in 0")
else:
print (c)
output:
Result:
10. C. Implementing real-time/technical applications using Exception handling.- Check
voters eligibility
Aim:
Write a exception handling program using python to depict the voters eligibility
Procedure:
Code:
try:
#this program check voting eligibility
def main():
try:
age=int(input("Enter your age"))
if age>18:
print("Eligible to vote")
else:
print("Not eligible to vote")
except:
print("age must be a valid number")
main()
output:
Result:
11. Exploring Pygame tool.
Aim:
Write a python program to implement pygame
Procedure:
Code:
To install Pygame in command prompt
import pygame
class Square(pygame.sprite.Sprite):
def __init__(self):
super(Square, self).__init__()
self.surf = pygame.Surface((25, 25))
self.surf.fill((0, 200, 255))
self.rect = self.surf.get_rect()
pygame.init()
while gameOn:
Output:
Result:
12.a ) Developing a game activity using Pygame like bouncing ball.
Aim:
Procedure:
Code:
pygame.init()
speed = [1, 1]
screen = pygame.display.set_mode(size)
pygame.display.set_caption("Bouncing ball")
ball = pygame.image.load("ball.png")
ballrect = ball.get_rect()
while 1:
if event.type == pygame.QUIT:
sys.exit()
ballrect = ballrect.move(speed)
speed[0] = -speed[0]
if ballrect.top < 0 or ballrect.bottom > height:
speed[1] = -speed[1]
screen.fill(background)
screen.blit(ball, ballrect)
pygame.display.flip()
output:
Result:
12.b ) Developing a game activity using Pygame like Car race
Aim:
Procedure:
Code:
WINDOWWIDTH = 800
WINDOWHEIGHT = 600
TEXTCOLOR = (255, 255, 255)
BACKGROUNDCOLOR = (0, 0, 0)
FPS = 40
BADDIEMINSIZE = 10
BADDIEMAXSIZE = 40
BADDIEMINSPEED = 8
BADDIEMAXSPEED = 8
ADDNEWBADDIERATE = 6
PLAYERMOVERATE = 5
count=3
def terminate():
pygame.quit()
sys.exit()
def waitForPlayerToPressKey():
while True:
for event in pygame.event.get():
if event.type == QUIT:
terminate()
if event.type == KEYDOWN:
if event.key == K_ESCAPE: #escape quits
terminate()
return
def playerHasHitBaddie(playerRect, baddies):
for b in baddies:
if playerRect.colliderect(b['rect']):
return True
return False
# fonts
font = pygame.font.SysFont(None, 30)
# sounds
gameOverSound = pygame.mixer.Sound('music/crash.wav')
pygame.mixer.music.load('music/car.wav')
laugh = pygame.mixer.Sound('music/laugh.wav')
# images
playerImage = pygame.image.load('image/car1.png')
car3 = pygame.image.load('image/car3.png')
car4 = pygame.image.load('image/car4.png')
playerRect = playerImage.get_rect()
baddieImage = pygame.image.load('image/car2.png')
sample = [car3,car4,baddieImage]
wallLeft = pygame.image.load('image/left.png')
wallRight = pygame.image.load('image/right.png')
# "Start" screen
drawText('Press any key to start the game.', font, windowSurface, (WINDOWWIDTH / 3) -
30, (WINDOWHEIGHT / 3))
drawText('And Enjoy', font, windowSurface, (WINDOWWIDTH / 3), (WINDOWHEIGHT /
3)+30)
pygame.display.update()
waitForPlayerToPressKey()
zero=0
if not os.path.exists("data/save.dat"):
f=open("data/save.dat",'w')
f.write(str(zero))
f.close()
v=open("data/save.dat",'r')
topScore = int(v.readline())
v.close()
while (count>0):
# start of the game
baddies = []
score = 0
playerRect.topleft = (WINDOWWIDTH / 2, WINDOWHEIGHT - 50)
moveLeft = moveRight = moveUp = moveDown = False
reverseCheat = slowCheat = False
baddieAddCounter = 0
pygame.mixer.music.play(-1, 0.0)
if event.type == QUIT:
terminate()
if event.type == KEYDOWN:
if event.key == ord('z'):
reverseCheat = True
if event.key == ord('x'):
slowCheat = True
if event.key == K_LEFT or event.key == ord('a'):
moveRight = False
moveLeft = True
if event.key == K_RIGHT or event.key == ord('d'):
moveLeft = False
moveRight = True
if event.key == K_UP or event.key == ord('w'):
moveDown = False
moveUp = True
if event.key == K_DOWN or event.key == ord('s'):
moveUp = False
moveDown = True
if event.type == KEYUP:
if event.key == ord('z'):
reverseCheat = False
score = 0
if event.key == ord('x'):
slowCheat = False
score = 0
if event.key == K_ESCAPE:
terminate()
for b in baddies:
if not reverseCheat and not slowCheat:
b['rect'].move_ip(0, b['speed'])
elif reverseCheat:
b['rect'].move_ip(0, -5)
elif slowCheat:
b['rect'].move_ip(0, 1)
for b in baddies[:]:
if b['rect'].top > WINDOWHEIGHT:
baddies.remove(b)
windowSurface.blit(playerImage, playerRect)
for b in baddies:
windowSurface.blit(b['surface'], b['rect'])
pygame.display.update()
mainClock.tick(FPS)
Output:
Result:
Refrences:
www.geeksforgeeks.org/
https://Pygame.com
https://www.freecodecamp.org/news/exception-handling-python/
https://www.rebootacademy.in/exception-handling/
https://www.goeduhub.com/3552/python-program-to-bouncing-ball-in-pygame
https://github.com
www.matplotlib.com
www.scipy.com
www.pandas.com
www.numpy.com