I have the following dataframes:
JavaScript
x
7
1
df1 = pd.DataFrame(index = [0], columns=['price', 'action', 'amount'])
2
df1['price'] = 3
3
df1['action'] = 'deposit'
4
df1['amount'] = 2
5
6
df2 = pd.DataFrame()
7
where df1 represents deposits and df2 represents withdrawals. I want to concat them to get
JavaScript
1
5
1
df:
2
price action amount
3
0 3 deposit 2
4
1 nan withdrawal nan
5
I am calling an API that fetches withdrawals and deposits. So far, no withdrawals have been made but I want to display that as shown in “df” whenever the code is executed.
Any suggestions on how to do that without hardcoding?
Thank you.
Advertisement
Answer
Use df.empty
:
JavaScript
1
10
10
1
df1 = df1 if not df1.empty else pd.DataFrame({'action': ['deposit']})
2
df2 = df2 if not df2.empty else pd.DataFrame({'action': ['withdrawal']})
3
out = pd.concat([df1, df2])
4
print(out)
5
6
# Output
7
price action amount
8
0 3.0 deposit 2.0
9
0 NaN withdrawal NaN
10