Skip to main content

GRADE XII IP - DATAFRAME OPERATIONS | 9-4-26

 

PYTHON PANDAS BASIC DATAFRAME OPERATIONS

import pandas as pd

import numpy as np

print("\nPYTHON PANDAS BASIC DATAFRAME OPERATIONS")


# Creating DataFrame

data = {

    'Name': ['Amba', 'Radha', 'Sharada', 'Ayan'],

    'Score': [90, 76, 88, 89]

}

df = pd.DataFrame(data)


print("\nINITIAL DATAFRAME IS:\n")

print(df)


# Basic Operations

print("\nMaximum Value in the Entire DataFrame is:", df.values.max())

print("\nMinimum Value in Score Column is:", df['Score'].min())

print("\nMaximum Value in Score Column is:", df['Score'].max())

print("\nMean of Score Column is:", df['Score'].mean())

print("\nNumber of Records in DataFrame:\n", df.count())

print("\nSum of Score Column:", df['Score'].sum())


# Sorting

print("\nSorting DataFrame by Name:\n", df.sort_values('Name'))


# Updating using loc

print("\nUpdating Score of Second Row using loc")

df.loc[1, 'Score'] = 85

print(df)


# Accessing specific row

print("\nPrinting Fourth Row:\n", df.loc[3, ['Name', 'Score']])


# Adding new column

print("\nAdding New Column 'Position'")

df['Position'] = [1, 2, 3, 4]

print(df)


# Fill NaN values

print("\nUsing fillna to Replace NaN with 0")

df = df.fillna(0)

print(df)


# Where condition

print("\nRows where Score > 88:\n", df.where(df['Score'] > 88))


# Replace values using where

print("\nReplacing 90 with 92 in Score column")

df['Score'] = df['Score'].where(df['Score'] != 90, 92)

print(df)


# Deleting row

print("\nDeleting Row with Index 1")

df = df.drop(1)

print(df)


# DataFrame from Nested List

print("\nCreating DataFrame from Nested List")

lst = [['S1', 'Himachal', 17],

       ['S2', 'Punjab', 16],

       ['S3', 'Haryana', 18]]


df2 = pd.DataFrame(lst, index=[1, 2, 3],

  columns=['State Code', 'State Name', 'Rank'])

print(df2)


# Arithmetic Operations on DataFrames

print("\nPerforming Arithmetic Operations")


L1 = [[10, 20, 30], [40, 50, 60]]

L2 = [[15, 25, 35], [10, 60, 70]]


D1 = pd.DataFrame(L1)

D2 = pd.DataFrame(L2)


print("\nDATAFRAME D1:\n", D1)

print("\nDATAFRAME D2:\n", D2)


print("\nAddition (D1 + D2):\n", D1 + D2)

print("\nSubtraction (D1 - D2):\n", D1 - D2)

print("\nMultiplication (D1 * D2):\n", D1 * D2)

print("\nInteger Division (D2 // D1):\n", D2 // D1)


# Mean of selected columns

print("\nMean of selected columns in D1:\n", D1.iloc[:, 1:3].mean())

Comments

Popular posts from this blog

GRADE XII - Python Connectivity with MySQL

  Python Connectivity with MySQL In real-life applications, the data inputted by the user and processed by the application needs to be saved permanently, so that it can be used for future manipulation. Usually, input and output data is displayed during execution but not stored, as it resides in main memory , which is temporary — i.e., it gets erased once the application is closed. This limitation can be overcome by sending the data to be stored in a database , which is made accessible to the user through a Front-End interface . Key Concepts Database A database is an organized collection of data that is stored and accessed electronically from a computer system. DBMS (Database Management System) A DBMS is software that interacts with end-users, applications, and the database to capture and analyze data. Front-End The Front-End is the user interface of the application, responsible for input/output interaction with the user. Back-End The Back-End refe...

GRADE XII - CSV FILE

CSV FILE (COMMA SEPERATED VALUE) CSV NOTES LINK :  CSV NOTES - CLICK HERE Writing data to a CSV file involves the following steps: Import the csv module Open the CSV file in write mode ( "w" ) using open() Create the writer object Write the data into the file using the writer object Close the file using close() writerow() Method This method is used to write a single row to a CSV file. It takes a sequence (list or tuple) as its parameter, and writes the items as a comma-separated line in the file. You do not need to add a newline character (\n) — it automatically places the end-of-line marker.     EXAMPLE 1: import csv  # Importing the csv module # CSV file opened using relative path csv_fobj = open("emp.csv", "w")   # Writer object created wtr_obj = csv.writer(csv_fobj) # Record with field heading is written wtr_obj.writerow(["Empno", "Name", "Salary"]) # Records with data are...