I have two DataFrames
and I want to perform the same list of cleaning ops.
I realized I can merge into one, and to everything in one pass, but I am still curios why this method is not working
test_1 = pd.DataFrame({
"A": [1, 8, 5, 6, 0],
"B": [15, 49, 34, 44, 63]
})
test_2 = pd.DataFrame({
"A": [np.nan, 3, 6, 4, 9, 0],
"B": [-100, 100, 200, 300, 400, 500]
})
Let's assume I want to only take the raws without NaN
s: I tried
for df in [test_1, test_2]:
df = df[pd.notnull(df["A"])]
but test_2
is left untouched. On the other hand if I do:
test_2 = test_2[pd.notnull(test_2["A"])]
Now I the first raw went away.
By using
pd.concat
All these slicing/indexing operations create views/copies of the original dataframe and you then reassign
df
to these views/copies, meaning the originals are not touched at all.Option 1
dropna(...inplace=True)
Try an in-place
dropna
call, this should modify the original object in-placeNote, this is one of the few times that I will ever recommend an in-place modification, because of this use case in particular.
Option 2
enumerate
with reassignmentAlternatively, you may re-assign to the list -
You are modifying copies of the dataframes rather than the original dataframes.
One way to deal with this issue is to use a dictionary. As a convenience, you can use
pd.DataFrame.pipe
together with dictionary comprehensions to modify your dictionaries.Note: In your result
dfs[1]['A']
remainsfloat
: this is becausenp.nan
is consideredfloat
and we have not triggered a conversion toint
.