DATA IMPUTATION
DATA IMPUTATION
Data are characteristics or information, usually numerical, that are collected through observation. In a more technical sense, data are a set of values of qualitative or quantitative variables about one or more persons or objects, while a datum (singular of data) is a single value of a single variable.
In statistics, Imputation is the process of replacing missing data with substituted values.
Missing Data Mechanism
- The first step is to understand your data and more importantly, the data collection process. This can lead to the possibility of reducing data collection errors. The nature or mechanism of missing data can be categorized into three major classes. These categories are based on the degree of relationship between the nature of the missing data and observed values. Understanding the mechanism is very useful in understanding the appropriate analysis to use.
Mechanisms :
1) Missing Completely at Random (MCAR): The nature of the missing data is not related to any of the variables, whether missing or observed. In this case, the missingness on the variable is completely unsystematic.
Ex:- A study that involves determining the reason for obesity among K12 children. MCAR is when the parents forgot to take their kids to the clinic for the study.
2) Missing at Random (MAR): The nature of the missing data is related to the observed data but not the missing data. Using the above study, missing data in this case is due to parents moving to a different city and hence, the children had to leave the study — missingness has nothing to do with the study.
3) Missing Not at Random (MNAR): This is also known as Non-Ignorable because the missingness mechanism cannot be ignored. They exist when the missing values are neither MCAR or MAR. The missing values on the variable are related to that of both the observed and unobserved variables. The difficulty with MNAR data is intrinsically associated with the issue of identifiability.
Ex:- the parents are offended by the nature of the study and do not want their children to be bullied, so they withdrew kids from the study.
The easiest way to assume a missing data mechanism from data is understanding the data collection process and use substantive scientific knowledge (determining randomness in a missing data).
- The second method to understand the type of missing data mechanism is statistical testing. This method is mostly used when trying to figure out if the mechanism is either MAR or MCAR.
Exploring Data Missingness
The package is a very flexible missing data visualization tool built with matplotlib and it takes any pandas DataFrame thrown at it. The Kaggle/Zillow data has a training set and a properties dataset that describes the properties of all the homes. These are merged both dataset and presented a plot of the missing value matrix.
import matplotlib
import missingno as msno
%matplotlib inline
train_df = pd.read_csv('train_2016_v2.csv', parse_dates=["transactiondate"])
properties_df = pd.read_csv('properties_2016.csv')
merged_df = pd.merge(train_df,properties_df)
missingdata_df = merged_df.columns[merged_df.isnull().any()].tolist()
msno.matrix(merged_df[missingdata_df])
Finally, a simple correlation heatmap is shown below. This map describes the degree of nullity relationship between the different features. The range of this nullity correlation is from -1 to 1 (-1 ≤ R ≤ 1). Features with no missing value are excluded in the heatmap. If the nullity correlation is very close to zero (-0.05 < R < 0.05), no value will be displayed. Also, a perfect positive nullity correlation (R=1) indicates when the first feature and the second feature both have corresponding missing values while a perfect negative nullity correlation (R=-1) means that one of the features is missing and the second is not missing.
msno.heatmap(merged_df[missingdata_df], figsize=(20,20))
Handling Missing Data
There are several methods used for treating missing data in literature, textbooks and standard courses. Some of these methods started gaining a resurgence in the last decade because of their importance in clinical trials and biomedical studies. In addition, there are certain drawbacks associated with each of these methods when used for data mining and one needs to be careful to avoid bias or the under- or over-estimation of variability The underlying principles of model-based imputation methods and machine learning methods (different from machine learning imputation methods) is beyond the scope of this article.
Handling Missing Data and the Different Data Mechanism
Case Deletion
It removes all the instances with missing values while in pair deletion, you remove the missing cases from your dataset on an analysis-by-analysis basis.
There are two types
- List deletion (also known as complete case analysis)
- Pair deletion.
- df.dropna() removes all the missing value
- df.dropna(how =’all’) removes just the rows with missing values.
- df.dropna(axis=1, how=’all’) removes a column
- df[‘New’]=np.nan creates a column with missing value
- df.dropna(thresh=x) creates a threshold for the number of observations
import fancyimpute
from sklearn.preprocessing import Imputer
data = {'Name': ['John','Paul', np.NaN, 'Wale', 'Mary', 'Carli', 'Steve'], 'Age': [21,23,np.nan,19,25,np.nan,15],'Sex': ['M',np.nan,np.nan,'M','F','F','M'],'Goals': [5,10,np.nan,19,5,0,7],'Assists': [7,4,np.nan,9,7,6,4],'Value': [55,84,np.nan,90,63,15,46]}
df=pd.DataFrame(data, columns =['Name','Age','Sex','Goals', 'Assists', 'Value'])
Mean, Median and Mode Imputation
Using the measures of central tendency involves substituting the missing values with the mean or median for numerical variables and the mode for categorical variables. The limitation of using this method is that it leads to biased estimates of the variances and covariance. The standard errors and test statistics can also be underestimated and overestimated respectively. This technique works well with when the values are missing completely at random. Scikit-learn comes with an imputed function in the form sklearn.preprocessing.Imputer(missing_values='NaN', strategy='mean', axis=0, verbose=0, copy=True).
Strategy is the imputation strategy and the default is the "mean" of the axis (0 for columns and 1 for rows). The other strategies are "median" and "most_frequent". Another API that can be used for this imputation is fancyimpute.SimpleFill().
Imputation with Regression
This is an imputation technique that uses information from the observed data to replace the missing values with predicted values from a regression model. The drawback of using this method is that it reduces variability and overestimates the model fit and correlation coefficient. Scikit-learn preprocessing Imputer function can be utilized for this imputation technique.
k-Nearest Neighbor (kNN) Imputation
The missing values are based on a kNN(k-Nearest Neighbor ) algorithm. These values are obtained by using similarity-based methods that rely on distance metrics (Euclidean distance, Jaccard similarity, Minkowski norm etc). They can be used to predict both discrete and continuous attributes. The disadvantage of using kNN imputation is that it becomes time-consuming when analyzing large datasets because it searches for similar instances through all the dataset.
fancyimpute.kNN(k=x).complete(data matrix) can be used for kNN imputation. Choosing the correct value for the number of neighbors (k) is also an important factor to consider when using kNN imputation.
Multiple Imputation using MICE (Multiple Imputation by Chained Equations)
It a process where the missing values are filled multiple times to create “complete” datasets. It has a lot of advantages over traditional single imputation methods. This method works with the assumption that the missing data are Missing at Random (MAR). MAR has the nature of the missing data is related to the observed data but not the missing data. This algorithm works by running multiple regression models and each missing value is modeled conditionally depending on the observed (non-missing) values. A complete explanation of the MICE algorithm can be seen here. fancyimpute.MICE().complete(data matrix) can be used for MICE implementation.
Sources:-
ANYTHING THAT IS MEASURED AND WATCHED IMPROVES. – BOB PARSONS






 
Very helpfull🙌
ReplyDelete