Python Pandas program to replace NaNs with mean in a DataFrame

In this python pandas program, we will replace NaNs with mean in a DataFrame using the pandas library.

Steps to solve the program
  1. Import pandas library as pd.
  2. Create a dataframe using pd.DataFrame().
  3. Replace the NaN values in the age column with the mean age using df[‘Age’].fillna(df[‘Age’].mean(),inplace=True).
  4. Print the output.
				
					import pandas as pd
import numpy as np
df = pd.DataFrame({'Sr.no.':[1,2,3,4],
                   'Name':['Alex','John','Peter','Klaus'],
                   'Age':[30,np.nan,29,22]})
print("Original Dataframe: \n",df)
df['Age'].fillna(df['Age'].mean(),inplace=True)
print("After replacing missing values by mean: \n",df)
				
			

Output :

				
					Original Dataframe: 
    Sr.no.   Name   Age
0       1   Alex  30.0
1       2   John   NaN
2       3  Peter  29.0
3       4  Klaus  22.0
After replacing missing values by mean: 
    Sr.no.   Name   Age
0       1   Alex  30.0
1       2   John  27.0
2       3  Peter  29.0
3       4  Klaus  22.0
				
			

replace NaNs with the value from the next row in a DataFrame

replace the missing values with the most frequent values present in each column of a given DataFrame

Leave a Comment