PROGRAMMING IS
THE ART OF ALGORITHM
DESIGN AND THE CRAFT OF
DEBUGGING ERRANT CODE
[IP praticals]
[python pandas
SQL,
Matplotlib]
MAITREYEE DEVAL
s.no. index page
Python programmes using pandas
series
1. Create a Pandas Series from a Dictionary and a numpy ndarray 1
2. print All Elements Above the 75th Percentile in a Series 1
3. Create a Series of Famous Indian Monuments with States as Index. 2
4. Count Non-Null Values in a Series 2
5. Subtraction with and without Replacing NaN 3
6. Multiplication with and without replacing NaN 4
7. Division with and without replacing NaN 5
8. *Series Creation and Manipulation(Activity based) 6
Dataframe
9. Create a DataFrame for Quarterly Sales and Group by Category 7
10. Create DataFrame for Examination Results and Display Metadata 7
11. Filter Out Duplicate Rows in a DataFrame 8
12. Join two dataframes along rows and assign all data. 8
13. Join two dataframes along columns and assign all data. 8
14. Append a list of dictionaries or series to an existing DataFrame. 9
15. Select or filter rows based on values in columns using Relational and
9
Logical Operators
16. Filter out rows based on different criteria such as duplicate rows. 9
17. Create and Check Data Types of resultsheet 10
18. Accessing Data in resultsheet 10
19. DataFrame Creation and Manipulation(Activity based) 11
20. Activity Based question 13
21. Activity Based question 15
Python program in pandas
series
1. Create a Pandas Series from a Dictionary and a numpy ndarray
import pandas as pd
import numpy as np
Dict_data = {'X': 10, 'Y': 20, 'Z': 30}
Index_array = np.array(['X', 'Y', 'Z'])
Series = pd.Series(dict_data, index=index_array)
print(series)
output :
X 10
Y 20
Z 30
dtype: int64
2. print All Elements Above the 75th Percentile in a Series
import pandas as pd
Data = pd.Series([42, 12, 72, 85, 56, 100])
Q_v = data.quantile(0.75)
Above_75 = data[data > q_v]
print("Values above the 75th percentile:")
print(above_75)
output :
Values above the 75th percentile:
3 85
5 100
dtype: int64
3 Create a Series of Famous Indian Monuments with States as Index.
(A)
import pandas as pd
Monuments = ["Taj Mahal", "Qutub Minar", "Gateway of India", "Red Fort", "victoriamemorial"]
States = [ "Uttar Pradesh", "Delhi", "Maharashtra", "Delhi", "West Bengal"]
Monument_series =pd.Series(monuments
,index=states)
print(Monument_series)
output:
Uttar Pradesh Taj Mahal
Delhi Qutub Minar
Maharashtra Gateway of India
Delhi Red Fort
West Bengal Victoria Memorial
dtype: object
(B)Access "Delhi" Using Positional Index
print(Monument_series.iloc[1])
output :
Qutub Minar
4. Count Non-Null Values in a Series
import pandas as pd
import numpy as np
S2 = pd.Series([12, np.nan, 10])
Non_null_count = S2.count()
print(Non_null_count)
Output:
2.
Or
import pandas as pd
import numpy as np
S=pd.Series([1,2,3,np.NaN,5,6,7],index=["one","two","three","four","five","six","seven"])
print(S.count())
OUTPUT :
6
* operation with two serirs
5. Subtraction with and without Replacing NaN
(A)
import pandas as pd
A= pd.Series([100, 102, 103, 104], index=[1, 2, 3, 4])
B = pd.Series([5, None, 7], index=[1, 3, 4])
Result = A-B
print(Result)
0utput:
1 95.0
2 NaN
3 NaN
4 97.0
dtype: float64
(B) Subtraction with NaN replaced by 0
import pandas as pd
A= pd.Series([100, 102, 103, 104], index=[1, 2, 3, 4])
B = pd.Series([5, None, 7], index=[1, 3, 4])
Result= A.sub(B, fill_value=0)
print(Result)
output :
1 95.0
2 102.0
3 103.0
4 97.0
dtype: float64
=== Code Execution Successful ===
6. Multiplication with and without Replacing NaN
(A)
import pandas as pd
A= pd.Series([100, 102, 103, 104], index=[1, 2, 3, 4])
B = pd.Series([5, None, 7], index=[1, 3, 4])
Result = A * B
print(Result)
output :
1 500.0
2 NaN
3 NaN
4 728.0
dtype: float64
(B)
import pandas as pd
A= pd.Series([100, 102, 103, 104], index=[1, 2, 3, 4])
B = pd.Series([5, None, 7], index=[1, 3, 4])
Result= A.mul(B, fill_value=0)
print(Result)
output :
1 500.0
2 0.0
3 0.0
4 728.0
dtype: float64
=== Code Execution Successful ===
7. Division with and without Replacing NaN
(A)Without replacing NaN:
import pandas as pd
A= pd.Series([100, 102, 103, 104], index=[1, 2, 3, 4])
B = pd.Series([5, None, 7], index=[1, 3, 4])
Result = A/B
print(Result)
output :
1 20.000000
2 NaN
3 NaN
4 14.857143
dtype: float64
=== Code Execution Successful ===
(B)With replacing NaN with 0:
import pandas as pd
A= pd.Series([100, 102, 103, 104], index=[1, 2, 3, 4])
B = pd.Series([5, None, 7], index=[1, 3, 4])
Result= A.div(B, fill_value=0)
print(Result)
output :
1 20.000000
2 inf
3 inf
4 14.857143
dtype: float64
=== Code Execution Successful ===
**.Series Creation and Manipulation(Activity based)
(a.)Create a Pandas Series from a list of student names and their corresponding roll numbers.
import pandas as pd
Students =['Adhya', 'Samrat', 'Rohit', 'Dinesh']
Roll_numbers = [101, 102, 103, 104]
Series = pd.Series(Roll_numbers, index=Students)
print(Series)
output :
Adhya 101
Samrat 102
Rohit 103
Dinesh 104
dtype: int64
(B.) Access and print the names of students with roll numbers between a given range.
Filtered_students=Series[(Series>=102)&(Series<=103)]
print(Filtered_students)
output :
Samrat 102
Rohit 103
dtype: int64
(C). Add a new student to the series.
Series['Neha'] = 105
print(Series)
output :
Adhya 101
Samrat 102
Rohit 103
Dinesh 104
Neha 105
dtype: int64
DataFrame
1. Create a DataFrame for Quarterly Sales and Group by Category
import pandas as pd
Data = { 'Category': ['Electronics', 'Electronics', 'Furniture', 'Furniture', 'Clothing'], 'Item':
['Laptop', 'Smartphone', 'Sofa', 'Table', 'T-shirt'], 'Expenditure': [1200, 800, 600, 400, 100]}
Df = pd.DataFrame(Data)
Category_expenditure = Df.groupby('Category')['Expenditure'].sum()
print(Category_expenditure)
output :
Category
Clothing. 100
Electronics. 2000
Furniture. 1000
Name: Expenditure, dtype: int64
2. Create a DataFrame for Examination Results and Display Metadata
import pandas as pd
Data={'Student':['Ali','Bob','Chan'],'Math':[95,80,85],'Science':[90,85,88],'English':[92,78,84]}
df_exam = pd.DataFrame(Data)
print("Row Labels:", df_exam.index)
print("Column Labels:", df_exam.columns)
print("Data Types:\n", df_exam.dtypes)
print("Dimensions:", df_exam.shape)
output :
Row Labels: RangeIndex(start=0, stop=3, step=1)
Column Labels: Index(['Student', 'Math', 'Science', 'English'],dtype='object')
Data Types:
Student object
Math int64
Science int64
English int64
dtype: object
Dimensions: (3, 4)
3. Filter Out Duplicate Rows in a DataFrame
import pandas as pd
Data = { 'Name': ['Alice', 'Bob', 'Alice', 'David'], 'Age': [25, 30, 25, 40], 'City': ['NY', 'LA', 'NY',
'Chicago'] }
Df =pd.DataFrame(Data)
Df_unique = Df.drop_duplicates()
print(Df_unique)
output :
Name. Age. City
0 Alice. 25. NY
1 Bob. 30. LA
3 David. 40. Chicago
4. Join two dataframes along rows and assign all data.
Import pandas as pd
Df1 = pd.DataFrame({'A': [1, 2], 'B': [3, 4]})
Df2 = pd.DataFrame({'A': [5, 6], 'B': [7, 8]})
Df_rows = pd.concat([Df1,Df2],ignore_index=True)
print(Df_rows)
output :
A B
0 1 3
1 2 4
2 5 7
3 6 8
5. Join two dataframes along columns and assign all data.
Import pandas as pd
Df1 = pd.DataFrame({'A':[1, 2],'B':[3, 4]})
Df2 = pd.DataFrame({'C':[5, 6],'D':[7, 8]})
Df_columns = pd.concat([Df1,Df2], axis=1)
print(Df_columns)
Output :
A B C D
01 3 5 7
1 2 4 6 8
6. Append a list of dictionaries or series to an existing DataFrame.
import pandas as pd
Df=pd.DataFrame({'Name':['A','B'],'Score':[85,90]})
Data=[{'Name':'C','Score':95},{'Name':'D','Score':88}]
Df_new=Df._append(Data,ignore_index=True)
print("DataFrame after appending:")
print(Df_new)
output :
DataFrame after appending:
Name Score
0 A 85
1 B 90
2 C 95
3 D 88
7. Select or filter rows based on values in columns using Relational and Logical Operators.
import pandas as pd
Df=pd.DataFrame({'Name':['A','B','C'],'Age':[25,30,22],'Score':[85,90,85]})
filtered_data=Df[(Df['Age']>24)&(Df['Score']>80)]
print(filtered_data)
output :
Name Age Score
0 A 25 85
1 B 30 90
8. Filter out rows based on different criteria such as duplicate rows.
Import pandas as pd
Df=pd.DataFrame({'Name':['A','B','B','C'],'Score':[85,90,90,75]})
Df_noduplicates = Df.drop_duplicates()
print(Df_noduplicates)
output :
Name Score
0. A 85
1. B 90
3. C 75
9. Check Data Types of resultsheet
import pandas as pd
Data_sheet={
'Studentid':[101,102,103,104,105],
'Name':['Arnab','Bina','Chirag','Deepa','Esha'],
'Maths':[85,90,78,88,92],
'Science':[89,94,76,84,91],
'English':[88,92,80,85,90]}
Resultsheet=pd.DataFrame(Data_sheet)
print("Data types in Resultsheet:")
print(Resultsheet.dtypes)
output :
Data types in Resultsheet:
Studentid int64
Name object
Maths int64
Science int64
English int64
dtype: object
10. Accessing Data in Resultsheet
A) Access Marks of Arnab in Maths:
arnab_maths_marks = Resultsheet.loc[Resultsheet['Name'] == 'Arnab', 'Maths'].iloc[0]
print(f"Arnab's marks in Maths: {arnab_maths_marks}")
Output :
Arnab's marks in Maths: 85
B) Get the First 3 Rows:
First_3_rows = Resultsheet.head(3)
print("\nfirst 3 rows of the Resultsheet:",First_3_rows)
output :
first 3 rows of the Resultsheet:
Studentid Name Maths Science English
0 101 Arnab 85 89 88
1 102 Bina 90 94 92
2 103 Chirag 78 76 80
** DataFrame Creation and Manipulation(Activity based)
A.)Create a DataFrame to store student data including name, roll number, and marks in three
subjects.
import pandas as pd
Data={'Name':['Adhya','Samrat','Rohit','Deepak'],'Roll No':[101,102,103,104],'Maths':
[85,78,92,88],'Science':[90,85,88,92],'English':[88,80,85,87]}
Df=pd.DataFrame(Data)
print(Df)
output :
Name Roll No Maths Science English
0 Adhya 101 85 90 88
1 Samrat 102 78 85 80
2 Rohit 103 92 88 85
3 Deepak 104 88 92 87
B. Add a new column to calculate the total marks for each student.
Df['Total']=Df[['Maths','Science','English']].sum(axis=1)
print(Df)
output :
Name Roll No Maths Science English Total
0 Adhya 101 85 90 88 263
1 Samrat 102 78 85 80 243
2 Rohit 103 92 88 85 265
3 Deepak 104 88 92 87 267
C. Add a new row of student data to the DataFrame.
New_data={'Name':'Neha','Roll No':105,'Maths':90,'Science':88,'English':84,'Total':262}
Df=Df._append(New_data,ignore_index=True)
print(Df)
output :
Name Roll No Maths Science English Total
0 Adhya 101 85 90 88 263
1. Samrat 102 78 85 80 243
2 Rohit 103 92 88 85 265
3 Deepak 104 88 92 87. 267
4 Neha 105 90 88 84 262
D. Change the name of a column.
Df.rename(columns={'Maths': 'Mathematics'}, inplace=True)
print(Df)
output :
Name rollno Mathematics Science English Total
0 Adhya 101 85 90 88 263
1 Samrat 102 78 85 80 243
2 Rohit 103 92 88 85 265
3 Deepak 104 88 92 87 267
4 Neha 105 90 88 84. 262
E. Delete a column from the DataFrame.
Df.drop('Total', axis=1, inplace=True)
print(Df)
output :
Name Roll No Mathematics Science English
0 Adhya 101 85 90 88
1 Samrat 102 78 85 80
2 Rohit 103 92 88 85
3 Deepak 104 88 92 87
4 Neha 105 90 88 84
F. Sort the DataFrame based on the total marks in descending order.
print(Df.sort_values(by='Roll No',ascending=False) )
output:
Name Roll No Mathematics Science English
4 Neha 105 90 88 84
3 Deepak 104 88 92 87
2 Rohit 103 92 88 85
1 Samrat 102 78 85 80
0 Adhya 101 85 90 88
=== Code Execution Successful ===
Question (Activity based)
import pandas as pd
A) Create DataFrame
Data = {'Item': ['TV', 'TV', 'TV', 'AC'],
'Company': ['LG', 'VIDEOCON', 'LG','SONY'],
'Rupees': [12000, 10000, 15000, 14000],
'USD': [700, 650, 800, 750]}
Df_product = pd.DataFrame(Data)
print(Df_product)
output:
Item Company Rupees USD
0 TV LG 12000 700
1 TV VIDEOCON 10000 650
2 TV LG 15000 800
3 AC SONY 14000 750
(B) Add new row
New_rows = pd.DataFrame({'Item': ['TV','AC'],
'Company': ['SAMSUNG','LG'],
'Rupees': [13000, 16000],
'USD': [780, 850] })
Df_product = pd.concat([Df_product,New_rows], ignore_index=True)
print(Df_product)
output :
Item. Company Rupees USD
0 TV LG 12000 700
1 TV. VIDEOCON 10000 650
2 TV LG 15000 800
3 AC SONY 14000 750
4 TV SAMSUNG 13000 780
5 AC LG 16000 850
C) Maximum price of LG TV
max_lg_tv_price = Df_product[(Df_product['Item'] == 'TV') & (Df_product['Company'] == 'LG')]
['Rupees'].max()
print(f"\nMaximum price of LG TV: {max_lg_tv_price}")
output :
Maximum price of LG TV:15000
D) Sum of all products
Totalrupees = Df_product['Rupees'].sum()
print(Totalrupees)
output :
80000
E) Median of USD for Sony products
Median_sony_usd = Df_product[Df_product['Company'] == 'SONY']['USD'].median()
print(f"\nMedian USD of Sony products: {Median_sony_usd}")
output :
Median USD of Sony products: 750.0
F) Sort by Rupees
Sorted_df = Df_product.sort_values(by='Rupees')
print("\nsorted DataFrame:\n", Sorted_df)
output :
Sorted DataFrame:
Item Company Rupees USD
1 TV VIDEOCON 10000 650
0 TV LG 12000 700
3 AC SONY 14000 750
2 TV LG 15000 800
=== code execution successful===
Question (Activity based)
import pandas as pd
A) Create DataFrame
Student = {'Name': ['Aparna', 'Pankaj', 'Ram', 'Ramesh', 'Naveen', 'Krrishnav', 'Bhawna'],
'Degree': ['MBA', 'BCA', 'M.Tech', 'MBA', 'NaN', 'BCA', 'MBA'], 'Score': [90.0, float('NaN'),
80.0, 98.0, 97.0, 78.0, 89.0]}
Df_student = pd.DataFrame(Student)
print("Original DataFrame:\n",Df_student)
Original DataFrame:
Name. Degree Score
0 Aparna MBA 90.0
1 Pankaj BCA NaN
2 Ram M.Tech 80.0
3 Ramesh MBA 98.0
4 Naveen NaN 97.0
5 Krrishnav BCA 78.0
6 Bhawna MBA 89.0
B) print Degree and maximum marks in Each stream
Max_marks_by_degree = Df_student.groupby('Degree')['Score'].max()
print("\nMaximum marks in each stream:\n",Max_marks_by_degree)
output :
Maximum marks in each stream:
Degree
BCA 78.0
M.Tech 80.0
MBA 98.0
Nan 97.0
Name: Score, dtype: float64
D) Set index to Name
Df_student.set_index('Name', inplace=True)
print("\nDataframe with Name as index:\n",Df_student)
output :
DataFrame with Name as index:
Name Degree Score
Aparna MBA 90.0
Pankaj BCA 76.0
Ram M.Tech 80.0
Ramesh MBA 98.0
Naveen NaN 97.0
Krrishnav BCA 78.0
Bhawna MBA 89.0
E) Display name and degree wise average marks
Avg_marks_by_degree = Df_student.groupby('Degree')['Score'].mean()
print("\naverage marks by degree:\n", Avg_marks_by_degree)
output :
Average marks by degree:
Degree
BCA 78.000000
M.Tech 80.000000
MBA 92.333333
Nan 97.000000
Name: Score, dtype: float64
F) Count number of students in MBA
Mba_count = Df_student[Df_student['Degree'] == 'MBA'].shape[0]
print(f"\nNumber of students in MBA: {Mba_count}")
output :
Number of students in MBA: 3
G) print the mode marks BCA
Mode_bca_marks = Df_student[Df_student['Degree'] == 'BCA']['Score'].mode()
print(f"\nMode marks for BCA: {Mode_bca_marks.values}")
output :
Mode marks for BCA: [ 78.]
=== Code Execution Successful ===