Pandas: Comparing 2 dataframes without iterating - python
Considering I have 2 dataframes as shown below (DF1 and DF2), I need to compare DF2 with DF1 such that I can identify all the Matching, Different, Missing values for all the columns in DF2 that match columns in DF1 (Col1, Col2 & Col3 in this case) for rows with same EID value (A, B, C & D). I do not wish to iterate on each row of a dataframe as it can be time-consuming.
Note: There can around 70 - 100 columns. This is just a sample dataframe I am using.
DF1
EID Col1 Col2 Col3 Col4
0 A a1 b1 c1 d1
1 B a2 b2 c2 d2
2 C None b3 c3 d3
3 D a4 b4 c4 d4
4 G a5 b5 c5 d5
DF2
EID Col1 Col2 Col3
0 A a1 b1 c1
1 B a2 b2 c9
2 C a3 b3 c3
3 D a4 b4 None
Expected output dataframe
EID Col1 Col2 Col3 New_Col
0 A a1 b1 c1 Match
1 B a2 b2 c2 Different
2 C None b3 c3 Missing in DF1
3 D a4 b4 c4 Missing in DF2
Firstly, you will need to filter df1 based on df2.
new_df = df1.loc[df1['EID'].isin(df2['EID']), df2.columns]
EID Col1 Col2 Col3
0 A a1 b1 c1
1 B a2 b2 c2
2 C None b3 c3
3 D a4 b4 c4
Next, since you have a big dataframe to compare, you can change both the new_df and df2 to numpy arrays.
array1 = new_df.to_numpy()
array2 = df2.to_numpy()
Now you can compare it row-wise using np.where
new_df['New Col'] = np.where((array1 == array2).all(axis=1),'Match', 'Different')
EID Col1 Col2 Col3 New Col
0 A a1 b1 c1 Match
1 B a2 b2 c2 Different
2 C None b3 c3 Different
3 D a4 b4 c4 Different
Finally, to convert the row with None value, you can use df.loc and df.isnull
new_df.loc[new_df.isnull().any(axis=1), ['New Col']] = 'Missing in DF1'
new_df.loc[df2.isnull().any(axis=1), ['New Col']] = 'Missing in DF2'
EID Col1 Col2 Col3 New Col
0 A a1 b1 c1 Match
1 B a2 b2 c2 Different
2 C None b3 c3 Missing in DF1
3 D a4 b4 c4 Missing in DF2
One thing to note is that "Match", "Different", "Missing in DF1", and "Missing in DF1" are not mutually exclusive.
You can have some values missing in DF1, but also missing in DF2.
However, based on your post, the priority seems to be:
"Match" > "Missing in DF1" > "Missing in DF2" > "Different".
Also, it seems like you're using EID as an index, so it makes more sense to use it as the dataframe index. You can call .reset_index() if you want it as a column.
The approach is to use the equality operator / null check element-wise, then call .all and .any across columns.
import numpy as np
import pandas as pd
def compare_dfs(df1, df2):
# output dataframe has df2 dimensions, but df1 values
result = df1.reindex(index=df2.index, columns=df2.columns)
# check if values match; note that None == None, but np.nan != np.nan
eq_check = (result == df2).all(axis=1)
# null values are understood to be "missing"
# change the condition otherwise
null_check1 = result.isnull().any(axis=1)
null_check2 = df2.isnull().any(axis=1)
# create New_Col based on inferred priority
result.loc[:, "New_Col"] = None
result.loc[result["New_Col"].isnull() & eq_check, "New_Col"] = "Match"
result.loc[
result["New_Col"].isnull() & null_check1, "New_Col"
] = "Missing in DF1"
result.loc[
result["New_Col"].isnull() & null_check2, "New_Col"
] = "Missing in DF2"
result["New_Col"].fillna("Different", inplace=True)
return result
You can test your inputs in a jupyter notebook:
import itertools as it
df1 = pd.DataFrame(
np.array(["".join(i) for i in it.product(list("abcd"), list("12345"))])
.reshape((4, 5))
.T,
index=pd.Index(list("ABCDG"), name="EID"),
columns=[f"Col{i + 1}" for i in range(4)],
)
df1.loc["C", "Col1"] = None
df2 = df1.iloc[:4, :3].copy()
df2.loc["B", "Col3"] = "c9"
df2.loc["D", "Col3"] = None
display(df1)
display(df2)
display(compare_dfs(df1, df2))
Which should give these results:
Col1 Col2 Col3 Col4
EID
A a1 b1 c1 d1
B a2 b2 c2 d2
C None b3 c3 d3
D a4 b4 c4 d4
G a5 b5 c5 d5
Col1 Col2 Col3
EID
A a1 b1 c1
B a2 b2 c9
C None b3 c3
D a4 b4 None
Col1 Col2 Col3 New_Col
EID
A a1 b1 c1 Match
B a2 b2 c2 Different
C None b3 c3 Missing in DF1
D a4 b4 c4 Missing in DF2
On my i7 6600U local machine, the function takes ~1 sec for a dataset with 1 million rows, 80 columns.
rng = np.random.default_rng(seed=0)
test_size = (1_000_000, 100)
df1 = (
pd.DataFrame(rng.random(test_size))
.rename_axis(index="EID")
.rename(columns=lambda x: f"Col{x + 1}")
)
df2 = df1.sample(frac=0.8, axis=1)
# add difference
df2 += rng.random(df2.shape) > 0.9
# add nulls
df1[rng.random(df1.shape) > 0.99] = np.nan
df2[rng.random(df2.shape) > 0.99] = np.nan
%timeit compare_dfs(df1, df2)
953 ms ± 199 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)
Underneath it all, you're still going to be doing iterations. However, what you can do is merge the two columns on the EID, perform and outer join, and then use an apply function to generate your new_col.
df3 = pd.merge(df1, df2, on='EID', how='outer', lsuffix='df1_', rsuffix='df2_')
df3['comparison'] = df3.apply(lambda x: comparison_function(x), axis=1)
# your comparison_function will have your checks that result in missing in df1, df2, etc
You can then use
try:
#1.
DF1 = DF1.drop('Col4', axis=1)
df= pd.merge(DF2, DF1.loc[df['EID'].ne('G')], on=['Col1','Col2', 'Col3', 'EID'], how='left', indicator='New Col')
df['New Col'] = np.where(df['New Col'] == 'left_only', "Missing in DF1", df['New Col'])
df = df.merge(pd.merge(DF2.loc[:, ['EID','Col1','Col2']], DF1.loc[DF1['EID'].ne('G'), [ 'EID', 'Col1','Col2',]], on=['EID', 'Col1','Col2', ], how='left', indicator='col1_col2'), on=['EID','Col1','Col2'], how='left')
df = df.merge(pd.merge(DF2.loc[:, ['EID','Col2','Col3']], DF1.loc[DF1['EID'].ne('G'), [ 'EID', 'Col2','Col3',]], on=['EID', 'Col2','Col3', ], how='left', indicator='col2_col3'), on=['EID','Col2','Col3'], how='left')
df = df.merge(pd.merge(DF2.loc[:, ['EID','Col1','Col3']], DF1.loc[DF1['EID'].ne('G'), [ 'EID', 'Col1','Col3',]], on=['EID', 'Col1','Col3', ], how='left', indicator='col1_col3'), on=['EID','Col1','Col3'], how='left')
a1 = df['New Col'].eq('both') #match
a2 = df['col1_col2'].eq('both') & df['New Col'].eq('Missing in DF1') #same by Col1 & Col2 --> Different
a3 = df['col2_col3'].eq('both') & df['New Col'].eq('Missing in DF1') #same by Col2 & Col3 --> Different
a4 = df['col1_col3'].eq('both') & df['New Col'].eq('Missing in DF1') #same by Col1 & Col3 --> Different
df['New Col'] = np.select([a1, a2, a3, a4], ['match', 'Different/ same Col1 & Col2', 'Different/ same Col2 & Col3', 'Different/ same Col1 & Col3'], df['New Col'])
df = df.drop(columns=['col1_col2', 'col2_col3', 'col1_col3'])
EID Col1 Col2 Col3 New Col
0 A a1 b1 c1 match
1 B a2 b2 c9 Different/ same Col1 & Col2
2 C a3 b3 c3 Different/ same Col2 & Col3
3 D a4 b4 None Different/ same Col1 & Col2
or
#2.
DF1 = DF1.drop('Col4', axis=1)
df= pd.merge(DF2, DF1.loc[df['EID'].ne('G')], on=['Col1','Col2', 'Col3', 'EID'], how='left', indicator='New Col')
df['New Col'] = np.where(df['New Col'] == 'left_only', "Missing in DF1", df['New Col'])
df = df.merge(pd.merge(DF2.loc[:, ['EID','Col1','Col2']], DF1.loc[DF1['EID'].ne('G'), [ 'EID', 'Col1','Col2',]], on=['EID', 'Col1','Col2', ], how='left', indicator='col1_col2'), on=['EID','Col1','Col2'], how='left')
a1 = df['New Col'].eq('both') #match
a2 = df['col1_col2'].eq('both') & df['New Col'].eq('Missing in DF1') #Different
df['New Col'] = np.select([a1, a2], ['match', 'Different'], df['New Col'])
df = df.drop(columns=['col1_col2'])
EID Col1 Col2 Col3 New Col
0 A a1 b1 c1 match
1 B a2 b2 c9 Different
2 C a3 b3 c3 Missing in DF1
3 D a4 b4 None Different
Note1: no iteration
Note2: goal of this solution: compare DF2 with DF1 such that you can identify all the Matching, Different, Missing values for all the columns in DF2 that match columns in DF1 (Col1, Col2 & Col3 in this case) for rows with same EID value (A, B, C & D)
temp_df1 = df1[df2.columns] # to compare the only available columns in df2
joined_df = df2.merge(temp_df1, on='EID') # default indicator is '_x' for left table (df2) and '_y' for right table (df1)
# getting the columns that need to be compared
cols = list(df2.columns)
cols.remove('EID')
cols_left = [i+'_x' for i in cols]
cols_right = [i+'_y' for i in cols]
# getting back the table
temp_df2 = joined_df[cols_left]
temp_df2.columns=cols
temp_df1 = joined_df[cols_right]
temp_df1.columns=cols
output_df = joined_df[['EID']].copy()
output_df[cols] = temp_df1
filt = (temp_df2 == temp_df1).all(axis=1)
output_df.loc[filt, 'New_Col'] = 'Match'
output_df.loc[~filt, 'New_Col'] = 'Different'
output_df.loc[temp_df2.isna().any(axis=1), 'New_Col'] = 'Missing in df2' # getting missing values in df2
output_df.loc[temp_df1.isna().any(axis=1), 'New_Col'] = 'Missing in df1' # getting missing values in df1
output_df
EID Col1 Col2 Col3 New_Col
0 A a1 b1 c1 Match
1 B a2 b2 c2 Different
2 C NaN b3 c3 Missing in df1
3 D a4 b4 c4 Missing in df2
Related
Add a column matching other two columns, one contains representative values
I have three data frames as follows: df1 col1 CAND_SNP 1 a1 1 a2 1 a3 1 a4 2 b1 3 c1 3 c2 3 c3 df2 col1 LEAD_SNP 1 a1 2 b1 3 c1 df3 snp col2 a3 x1 a21 x2 a31 x3 a41 x4 b11 x5 c11 x6 c21 x7 c31 x8 I need to match CAND_SNP of df1 with snp of df3 to populate a new column in df2 with values "yes" or "no". The match needs to be groupwise for col1 of df1. In the above example, there are 3 groups in col1 of df1. If any of these group's corresponding value in CAND_SNP matches with snp of df3 then the new column of df2 would be "yes" as below: Any help? df2 col1 LEAD_SNP col3 1 a1 Yes 2 b1 No 3 c1 No
If I understand correctly, you can group df1 by col1 and look up whether a value of col2 exists in col1 of df3. Then merge with df2: df1['col3'] = df1.groupby('col1')['CAND_SNP'].apply(lambda s: s.isin(df3['snp'])) df2 = df2.merge(df1.groupby('col1')['col3'].any(), left_on='col1', right_index=True, how='left') And if you need 'Yes'/'No' as values, use df2.col3.map({True: 'Yes', False: 'No'})
Split column based on input string into multiple columns in pandas python
I have below pandas data frame and I am trying to split col1 into multiple columns based on split_format string. Inputs: split_format = 'id-id1_id2|id3' data = {'col1':['a-a1_a2|a3', 'b-b1_b2|b3', 'c-c1_c2|c3', 'd-d1_d2|d3'], 'col2':[20, 21, 19, 18]} df = pd.DataFrame(data).style.hide_index() df col1 col2 a-a1_a2|a3 20 b-b1_b2|b3 21 c-c1_c2|c3 19 d-d1_d2|d3 18 Expected Output: id id1 id2 id3 col2 a a1 a2 a3 20 b b1 b2 b3 21 c c1 c2 c3 19 d d1 d2 d3 18 **Note: The special characters and column name in split_string can be changed.
I think I am able to figure it out. col_name = re.split('[^0-9a-zA-Z]+',split_format) df[col_name] = df['col1'].str.split('[^0-9a-zA-Z]+',expand=True) del df['col1'] df col2 id id1 id2 id3 0 20 a a1 a2 a3 1 21 b b1 b2 b3 2 19 c c1 c2 c3 3 18 d d1 d2 d3
I parse the symbols and then recursively evaluate the resulting strings from the token split on the string. I flatten the resulting list and their recursive evaluate the resulting list until all the symbols have been evaluated. split_format = 'id-id1_id2|id3' data = {'col1':['a-a1_a2|a3', 'b-b1_b2|b3', 'c-c1_c2|c3', 'd-d1_d2|d3'], 'col2':[20, 21, 19, 18]} df = pd.DataFrame(data) symbols=[] for x in split_format: if x.isalnum()==False: symbols.append(x) result=[] def parseTree(stringlist,symbols,result): #print("String list",stringlist) if len(symbols)==0: [result.append(x) for x in stringlist] return token=symbols.pop(0) elements=[] for item in stringlist: elements.append(item.split(token)) flat_list = [item for sublist in elements for item in sublist] parseTree(flat_list,symbols,result) df2=pd.DataFrame(columns=["id","id1","id2","id3"]) for key, item in df.iterrows(): symbols2=symbols.copy() value=item['col1'] parseTree([value],symbols2,result) a_series = pd. Series(result, index = df2.columns) df2=df2.append(a_series, ignore_index=True) result.clear() df2['col2']=df['col2'] print(df2) output: id id1 id2 id3 col2 0 a a1 a2 a3 20 1 b b1 b2 b3 21 2 c c1 c2 c3 19 3 d d1 d2 d3 18
How to compute each cell as a function of index and column?
I have a use-case where it naturally fits to compute each cell of a pd.DataFrame as a function of the corresponding index and column i.e. import pandas as pd import numpy as np data = np.empty((3, 3)) data[:] = np.nan df = pd.DataFrame(data=data, index=[1, 2, 3], columns=['a', 'b', 'c']) print(df) > a b c >1 NaN NaN NaN >2 NaN NaN NaN >3 NaN NaN NaN and I'd like (this is only a mock example) to get a result that is a function f(index, column): > a b c >1 a1 b1 c1 >2 a2 b2 c2 >3 a3 b3 c3 In order to accomplish this I need a way different to apply or applymap where the lambda gets the coordinates in terms of the index and col i.e. def my_cell_map(ix, col): return col + str(ix)
Here is possible use numpy - add index values to columns with broadcasting and pass to DataFrame constructor: a = df.columns.to_numpy() + df.index.astype(str).to_numpy()[:, None] df = pd.DataFrame(a, index=df.index, columns=df.columns) print (df) a b c 1 a1 b1 c1 2 a2 b2 c2 3 a3 b3 c3 EDIT: For processing by columns names is possible use x.name with index values: def f(x): return x.name + x.index.astype(str) df = df.apply(f) print (df) a b c 1 a1 b1 c1 2 a2 b2 c2 3 a3 b3 c3 EDIT1: For your function is necessary use another lambda function for loop by index values: def my_cell_map(ix, col): return col + str(ix) def f(x): return x.index.map(lambda y: my_cell_map(y, x.name)) df = df.apply(f) print (df) a b c 1 a1 b1 c1 2 a2 b2 c2 3 a3 b3 c3 EDIT2: Also is possible loop by index and columns values and set by loc, if large DataFrame performance should be slow: for c in df.columns: for i in df.index: df.loc[i, c] = my_cell_map(i, c) print (df) a b c 1 a1 b1 c1 2 a2 b2 c2 3 a3 b3 c3
How to merge duplicates as new columns
I am attempting to merge to dataframes on 1 column for which I would like the output of duplicates to be an extra column instead of a new row. What happens now: df1 = pd.DataFrame({'A': ['A0'], 'B': ['B0']}) df2 = pd.DataFrame({'A': ['A0', 'A0'], 'C': ['C4', 'C5']}) df1.merge(df2, on = 'A', how = 'left') Gives the output: A B C 0 A0 B0 C4 1 A0 B0 C5 What I would like the output to be: A B C_1 C_2 0 A0 B0 C4 C5 Thanks!
Create unique values of column A in df2 by MultiIndex by DataFrame.set_index with counter column by GroupBy.cumcount, reshape by Series.unstack and flatten Multiindex by map with join:: df2 = df2.set_index(['A', df2.groupby('A').cumcount().add(1).astype(str)]).unstack() df2.columns = df2.columns.map('_'.join) df2 = df2.reset_index() print (df2) A C_1 C_2 0 A0 C4 C5 df = df1.merge(df2, on = 'A', how = 'left') print (df) A B C_1 C_2 0 A0 B0 C4 C5
In one line of code: df1.merge(df2.assign(Cs=range(0,len(df2))).pivot(index='A',columns='Cs'),on='A') A B (C, 0) (C, 1) 0 A0 B0 C4 C5
groupby and remove pair records in pandas
I have a dataframe like this, col1 col2 col3 col4 a1 b1 c1 + a1 b1 c1 + a1 b2 c2 + a1 b2 c2 - a1 b2 c2 + If there two records with identical values in col1,col2 and col3 and opposite sign in col4, they should be removed from dataframe. Output: col1 col2 col3 col4 a1 b1 c1 + a1 b1 c1 + a1 b2 c2 + So far I tried pandas duplicated and groupby but didn't succeeded with finding pairs. How to do this ?
I think need cumcount for count groups define all 4 columns and then groupby again with helper Series define +- groups and compare with set: s = df.groupby(['col1','col2','col3', 'col4']).cumcount() df = df[~df.groupby(['col1','col2','col3', s])['col4'] .transform(lambda x: set(x) == set(['+','-']))] print (df) col1 col2 col3 col4 0 a1 b1 c1 + 1 a1 b1 c1 + 6 a1 b2 c2 + For better understanding create new column: df['help'] = df.groupby(['col1','col2','col3', 'col4']).cumcount() print (df) col1 col2 col3 col4 help 0 a1 b1 c1 + 0 1 a1 b1 c1 + 1 2 a1 b2 c2 + 0 3 a1 b2 c2 - 0 4 a1 b2 c2 + 1 df = df[~df.groupby(['col1','col2','col3', 'help'])['col4'] .transform(lambda x: set(x) == set(['+','-']))] print (df) col1 col2 col3 col4 help 0 a1 b1 c1 + 0 1 a1 b1 c1 + 1 4 a1 b2 c2 + 1
Here's my attempt: df[df.assign(ident=df.assign(count=df.col4.eq('+').astype(int))\ .groupby(['col1','col2','col3','count']).cumcount())\ .groupby(['col1','col2','col3','ident']).transform(lambda x: len(x) < 2)['col4']] Output: col1 col2 col3 col4 0 a1 b1 c1 + 1 a1 b1 c1 + 4 a1 b2 c2 + On a more robust test set: df = pd.DataFrame( [['a1', 'b1', 'c1', '+'], ['a1', 'b1', 'c1', '+'], ['a1', 'b2', 'c2', '+'], ['a1', 'b2', 'c2', '-'], ['a1', 'b2', 'c2', '+'], ['a1','b3','c3','+'],['a1','b3','c3','-'],['a1','b3','c3','-'],['a1','b3','c3','-'],['a1','b3','c3','+'],['a1','b3','c3','+'],['a1','b3','c3','+'],['a1','b3','c3','+']], columns=['col1', 'col2', 'col3', 'col4'] ) Input dataframe: col1 col2 col3 col4 0 a1 b1 c1 + 1 a1 b1 c1 + 2 a1 b2 c2 + 3 a1 b2 c2 - 4 a1 b2 c2 + 5 a1 b3 c3 + 6 a1 b3 c3 - 7 a1 b3 c3 - 8 a1 b3 c3 - 9 a1 b3 c3 + 10 a1 b3 c3 + 11 a1 b3 c3 + 12 a1 b3 c3 + df[df.assign(ident=df.assign(count=df.col4.eq('+').astype(int))\ .groupby(['col1','col2','col3','count']).cumcount())\ .groupby(['col1','col2','col3','ident']).transform(lambda x: len(x) < 2)['col4']] Output: col1 col2 col3 col4 0 a1 b1 c1 + 1 a1 b1 c1 + 4 a1 b2 c2 + 11 a1 b3 c3 + 12 a1 b3 c3 +
Considering the comment saying that " If there two records with identical values in col1,col2 and col3 and opposite sign in col4, they should be removed from dataframe", then: 1) Identify and drop duplicates: df.drop_duplicates() 2) Group them by the three first columns: df.groupby(['col1', 'col2', 'col3']) 3) Only keep groups that are of size 1 (otherwise, it means we have both "+" and "-"): .filter(lambda group: len(group) == 1) All in one: df.drop_duplicates().groupby(['col1', 'col2', 'col3']).filter(lambda g: len(g) == 1)
First, group dataframe by col1, col2 and col3. Then, apply method, that will subtract group's rows with different signs in col4. In this method, replace values of col4, + to 1 and - to -1. Then sum values in col4(let's call variable, that keeps that sum signed_row_count). There only 2 results that are possible, either + rows will dominate(positive sum value) or - rows will(negative sum value). So, you can return new dataframe, with, either signed_row_count number of rows with + sign in col4 or signed_row_count number of rows with - sign in col4, depending on sign of the sum. Here is code: df = pd.DataFrame( [['a1', 'b1', 'c1', '+'], ['a1', 'b1', 'c1', '+'], ['a1', 'b2', 'c2', '+'], ['a1', 'b2', 'c2', '-'], ['a1', 'b2', 'c2', '+']], columns=['col1', 'col2', 'col3', 'col4'] ) print(df) # col1 col2 col3 col4 # 0 a1 b1 c1 + # 1 a1 b1 c1 + # 2 a1 b2 c2 + # 3 a1 b2 c2 - # 4 a1 b2 c2 + def subtract_rows(df): signed_row_count = df['col4'].replace({'+': 1, '-': -1}).sum() if signed_row_count >= 0: result = pd.DataFrame([df.iloc[0][['col1', 'col2', 'col3']].tolist() + ['+']] * signed_row_count, columns=df.columns) else: result = pd.DataFrame([df.iloc[0][['col1', 'col2', 'col3']].tolist() + ['-']] * abs(signed_row_count), columns=df.columns) return result reduced_df = (df.groupby(['col1', 'col2', 'col3']) .apply(subtract_rows) .reset_index(drop=True)) print(reduced_df) # col1 col2 col3 col4 # 0 a1 b1 c1 + # 1 a1 b1 c1 + # 2 a1 b2 c2 +