KEMBAR78
Python Programs Solutions 2025 | PDF | String (Computer Science) | Filename
0% found this document useful (0 votes)
89 views11 pages

Python Programs Solutions 2025

The document provides a comprehensive set of Python programming exercises covering various topics such as string manipulation, operators, flow control, loops, functions, lists, dictionaries, and regular expressions. Each section includes example programs with user inputs and outputs, demonstrating practical applications of Python concepts. Additionally, it includes tasks related to file handling and data processing, aimed at enhancing programming skills.

Uploaded by

deekshasn18
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
89 views11 pages

Python Programs Solutions 2025

The document provides a comprehensive set of Python programming exercises covering various topics such as string manipulation, operators, flow control, loops, functions, lists, dictionaries, and regular expressions. Each section includes example programs with user inputs and outputs, demonstrating practical applications of Python concepts. Additionally, it includes tasks related to file handling and data processing, aimed at enhancing programming skills.

Uploaded by

deekshasn18
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 11

1

Introduction to Python Programming (BPLCK24205B)


CIE Lab Programs

Programs on data types, string concatenation and replication.

1) a) Program to demonstrate String Concatenation and String Replication

studName=input('Enter the student name: ')


section=input('Enter the section: ')
concat='I am ' + studName + ' of ' + section + ' Section'
print(concat)
subject='LearningPython'
replica=subject*3
print(replica)

Output:
Enter the student name: Suma
Enter the section: M
I am Suma of M Section
LearningPythonLearningPythonLearningPython

b) Python Program to convert temperature in celsius to fahrenheit.

c=float(input('Enter the Temperature in Celsius : '))


f = (c * (9/5)) + 32
print(str(c) + 'degree Celsius is equal to ' + str(f) + 'degree Fahrenheit')

Output:
Enter the Temperature in Celsius : 98
98.0degree Celsius is equal to 208.4degree Fahrenheit

Program on operators and Flow Control Statements

2)a)Write a Python program to find out if a given year is a leap year or not.

year=int(input("Enter year to be checked:"))


if(year%4==0 and year%100!=0 or year%400==0):
print("The year is a leap year!")
else:
print("The year is not a leap year!")

Output:
Enter year to be checked:2025
The year is not a leap year!
1

b) Write a program that prints a user’s grade given a percent of points achieved in the
class. The program should prompt the user to enter his/her percent of points. It should then
print a letter grade A, A-, B+, B, B-, C+, C, C-, D+, D, D- and F respectively as shown in the table
below.

while True:
point = float(input("Enter your scored point (0-100) for grading: "))
if point > 100:
print('Max. marks is 100!!!')
elif point >=93.33:
print('A')
elif point >=90:
print('A-')
elif point >=86.67:
print('B+')
elif point >=83.33:
print('B')
elif point >=80:
print('B-')
elif point >=76.67:
print('C+')
elif point >=73.33:
print('C')
elif point >=70:
print('C-')
elif point >=66.67:
print('D+')
elif point >=63.33:
print('D')
elif point >=60:
print('D-')
elif point >=0:
print('F')
else:
print('Invalid input')
break
1

Output:

Enter your scored point (0-100) for grading: 95


A
Enter your scored point (0-100) for grading: 10
F

Programs on loops

3) a) Write a program to check a number whether it is palindrome or not

num=int(input("Enter a number : "))


temp=num
res=0
while num>0:
remainder=num%10
res=res*10+remainder
num=num//10
if res==temp:
print("Number is Palindrome")
else:
print("Number is not Palindrome")

Output:
Enter a number : 345
Number is not Palindrome
Enter a number : 131
Number is Palindrome

b) Write a python program to find multiplication table of a number using loop.

num=int(input('Enter a number:'))
for i in range(1,11):
print(num, ' X ',i,'=',num*i)

Output:
Enter a number:5
5 X 1=5
5 X 2 = 10
5 X 3 = 15
5 X 4 = 20
5 X 5 = 25
5 X 6 = 30
5 X 7 = 35
5 X 8 = 40
5 X 9 = 45
5 X 10 = 50
1

Programs on Functions

4) a) Write a function called check-season, it takes a month parameter and returns the
season: Autumn, Winter, Spring or Summer.

def check_season(month):
if month == 2 or month==3:
return "Spring"
elif month == 4 or month== 5 or month==6:
return "Summer"
elif month == 7 or month ==8 or month==9 or month == 10:
return "Autumn"
elif month ==11 or month == 12 or month==1:
return "Winter"
else:
return "Invalid month"

month = int(input("Enter the month (as a number): "))


print("Season:", check_season(month))

Output:
Enter the month (as a number): 9
Season: Autumn

b) Write a python script to define a function called fibonacci_num, to generate the Fibonacci
series.
def fib(n):
first=0
second=1
if n >= 1:
print(first, end=" ")
if n >= 2:
print(second, end=" ")
i=3
while i<=n:
third=first+second
print(third, end=" ")
first=second
second=third
i=i+1

n=int(input("How many fibonacci numbers to genearate : "))


fib(n)

Output:
How many fibonacci numbers to genearate : 5
01123
1

Programs on List

5) a) The following is a list of 10 students ages: ages = [19, 22, 19, 24, 20, 25, 26, 24, 25, 24]
i. Sort the list and find the min and max age
ii. Add the min age and the max age again to the list
iii. Find the median age (one middle item or two middle items divided by two)
iv. Find the average age (sum of all items divided by their number)
v. Find the range of the ages (max minus min)

ages = [19, 22, 19, 24, 20, 25, 26, 24, 25, 24]
print(ages)
ages.sort()
print(ages)

min= ages[0]
max=ages[-1]
print( "minimum age in list is", min, "maximum age in list is", max )
add_min_max_age= ages[0]+ages[-1]
print( "addition of minimum and maximum ages is", add_min_max_age)

mid = len(ages) // 2
res = (ages[mid] + ages[~mid]) / 2

print("Median of list is : " + str(res))

Average= sum(ages) / len(ages)


print("Average age of list is : " + str(Average))

Output:
[19, 22, 19, 24, 20, 25, 26, 24, 25, 24]
[19, 19, 20, 22, 24, 24, 24, 25, 25, 26]
minimum age in list is 19 maximum age in list is 26
addition of minimum and maximum ages is 45
Median of list is : 24.0
Average age of list is : 22.8

b) Declare a list variable named IT_companies and assign initial values Facebook, Google,
Microsoft, Apple, IBM, Oracle and Amazon.
i. Sort the list using sort() method
ii. Reverse the list in descending order using reverse() method
iii. Slice out the first 3 companies from the list
iv. Slice out the last 3 companies from the list
v. Slice out the middle IT company or companies from the list
vi. Remove the first IT company from the list
vii. Remove the middle IT company or companies from the list
viii. Remove the last IT company from the list
1

IT_Companies = ["Facebook", "Google","Microsoft", "Apple", "IBM", "Oracle", "Amazon"]


print(IT_Companies)

IT_Companies.sort()
print(IT_Companies)

IT_Companies.reverse()
print(IT_Companies)

newlist1= IT_Companies[0:3]
print(newlist1)

newlist1= IT_Companies[-3:]
print(newlist1)

mid = len(IT_Companies) // 2
if(mid%2!=0):
midlist = IT_Companies[mid]
print(midlist)

if(mid%2==0):
midlist = IT_Companies[mid:mid+1]
print(midlist)

del IT_Companies[0]
print(IT_Companies)

del IT_Companies[mid]
print(IT_Companies)

del IT_Companies[-1]
print(IT_Companies)

Output:
['Facebook', 'Google', 'Microsoft', 'Apple', 'IBM', 'Oracle', 'Amazon']
['Amazon', 'Apple', 'Facebook', 'Google', 'IBM', 'Microsoft', 'Oracle']
['Oracle', 'Microsoft', 'IBM', 'Google', 'Facebook', 'Apple', 'Amazon']
['Oracle', 'Microsoft', 'IBM']
['Facebook', 'Apple', 'Amazon']
Google
['Microsoft', 'IBM', 'Google', 'Facebook', 'Apple', 'Amazon']
['Microsoft', 'IBM', 'Google', 'Apple', 'Amazon']
['Microsoft', 'IBM', 'Google', 'Apple']
1

Programs on dictionaries

6.) a) Create a student dictionary and add first_name, last_name, gender, age, marital
status, skills, country, city and address as keys for the dictionary
a. Get the length of the student dictionary
b. Get the value of skills and check the data type, it should be a list
c. Modify the skills values by adding one or two skills
d. Get the dictionary keys as a list
e. Get the dictionary values as a list
f. Change the dictionary to a list of tuples using items() method
g. Delete one of the items in the dictionary

person = { 'first_name':'Ambika', 'last_name':'S', 'age':25, 'country':'Bengaluru',


'is_married':True, 'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'], 'address':{ 'street':'K
R Road', 'zipcode':'5600008'} }
print(len(person))
print(person['skills'])
print(type(person['skills']))
person['skills'].append('c++')
print(person)
print(list(person.keys()))
print(list(person.values()))
print(list(person.items()))
del person['is_married']
person.clear()
print(person)

Output:
7
['JavaScript', 'React', 'Node', 'MongoDB', 'Python']
<class 'list'>
{'first_name': 'Ambika', 'last_name': 'S', 'age': 25, 'country': 'Bengaluru', 'is_married': True,
'skills': ['JavaScript', 'React', 'Node', 'MongoDB', 'Python', 'c++'], 'address': {'street': 'K R Road',
'zipcode': '5600008'}}
['first_name', 'last_name', 'age', 'country', 'is_married', 'skills', 'address']
['Ambika', 'S', 25, 'Bengaluru', True, ['JavaScript', 'React', 'Node', 'MongoDB', 'Python', 'c++'],
{'street': 'K R Road', 'zipcode': '5600008'}]
[('first_name', 'Ambika'), ('last_name', 'S'), ('age', 25), ('country', 'Bengaluru'), ('is_married',
True), ('skills', ['JavaScript', 'React', 'Node', 'MongoDB', 'Python', 'c++']), ('address', {'street': 'K R
Road', 'zipcode': '5600008'})]
{}
1

b) Program to count even and odd numbers present in a dictionary

d = {'a': 1, 'b': 2, 'c': 3, 'd': 4, 'e': 5, 'f': 6, 'g': 7, 'h': 8, 'i': 9}

even = 0
odd = 0

for num in d.values():


if num % 2 == 0:
even += 1
else:
odd += 1

print("Even numbers:", even)


print("Odd numbers:", odd)

Output:

Even numbers: 4
Odd numbers: 5

Programs on String manipulation functions.

7) a)Write a Python program to add 'ing' at the end of a given string (length should be at
least 3). If the given string already ends with 'ing' then add 'ly' instead. If the string length of
the given string is less than 3, leave it unchanged
def add_string(str1):
length = len(str1)
if length > 2:
if str1.endswith('ing'):
str1 += 'ly'
else:
str1 += 'ing'
return str1
s1= input('Enter the string: ')
print(add_string(s1))

output:
Enter the string: programming
programmingly
1

b) Program to count the occurrences of each character in a given sentence


def characterCount(sentence):
c={}
for w in sentence:
if w in c:
c[w]+=1
else:
c[w] = 1
return c

s="Programming is an Art"
print(characterCount(s))

Output:
{'P': 1, 'r': 3, 'o': 1, 'g': 2, 'a': 2, 'm': 2, 'i': 2, 'n': 2, ' ': 3, 's': 1, 'A': 1, 't': 1}

Programs on Pattern Matching with Regular Expressions

8) a) Write a python program to search for indian customer mobile number pattern with
2digits country code, (-) and 10digits telephone number using Regular Expression

import re
regExp = re.compile(r'(\d{2})-(\d{10})')
mo = regExp.search('mobile number is 91-9394746581')
print(mo.groups())

print(mo.group(1))
print(mo.group(2))
countryCode, uniqueCustNum = mo.groups()
print("customer mobile number is " + uniqueCustNum)

Output:
('91', '9394746581')
91
9394746581
customer mobile number is 9394746581

b) Write a Python program to extract year, month and date from a an url.
import re
def extractDate(url):
return re.findall(r'/(\d{4})/(\d{1,2})/(\d{1,2})/',url)

url1= "https://www.washingtonpost.com/nation/2023/03/04/pandemic-food-stamps-ending/"
print(extractDate(url1))
url2=input("Enter new url: ")
print(extractDate(url2))
1

Output:
[('2023', '03', '04')]
Enter new url: http://www.onlinecsehelp.com/cse/2025/04/01/notes.html
[('2025', '04', '01')]

9. a) Write a Python Program to identify/search of all email addresses in a given string.

import re
s=re.compile('''[a-zA-Z0-9._-]+
@
[a-zA-Z0-9]+
.[a-zA-Z]{2,4}''', re.VERBOSE)
print(s.findall("Contact : suma_12@gmail.com jG_1234@yahoo.com"))

Output:
['suma_12@gmail.com', 'jG_1234@yahoo.com']

b. Write a Python program that reads a string with five characters which starts with ‘a’ and
ends with ‘z’. Print ‘search successful’ if pattern matches the string.

import re
s = input("Enter the string: ")
pat = re.compile(r'^a[a-zA-Z]{3}z$')
matched = pat.search(s)
if matched != None:
print ("Search is successful")
else:
print ("Search is unsuccessful")

Output:
Enter the string: AmarSNz
Search is unsuccessful
Enter the string: amAnz
Search is successful
1

Programs on File Handling

10) a. Write a function in Python to count the words "this" and "these" present in a text file.
Note: Create text file by the name article.txt and store some data matching with pattern

def count_words():
file = open("article.txt","r")
count = 0
data = file.read()
words = data.split()
for word in words:
if word == 'this' or word =='these':
count+=1
print(count)
file.close()

count_words()
------
Create article.txt file, type the below contents and save.
this A201 class is in Annex Building. this class contains CSE branch Students.

Output:
2

b. Write a function in Python that allows you to count the frequency of repetition of each
word found in a given file.

filename = 'article.txt'
def countWords(filename):
d = {}
file= open(filename, 'r')
for line in file:
words = line.strip().split()
for word in words:
if word not in d:
d[word] = 1
else:
d[word] += 1
return d
d = countWords (filename)
print(d)
article.txt
this A201 class is in Annex Building. this class contains CSE branch Students.

Output:
{'this': 2, 'A201': 1, 'class': 2, 'is': 1, 'in': 1, 'Annex': 1, 'Building.': 1, 'contains': 1, 'CSE': 1,
'branch': 1, 'Students.': 1}

You might also like