I have a df that looks like this:
JavaScript
x
4
1
pd.DataFrame.from_dict({'master_feature':['ab',float('NaN'),float('NaN')],
2
'feature':[float('NaN'),float('NaN'),'pq'],
3
'epic':[float('NaN'),'fg',float('NaN')]})
4
I want to create a new column named promoted
from the columns master_feature, epic, and feature:
value of promoted
will be :
master feature
if adjacentmaster_feature
column value is not null.feature
if adjacentfeature
column value is not null ,and likewise forepic
something like:
JavaScript
1
5
1
df.promoted = 'master feature' if not pd.isnull(df.master_feature)
2
elseif 'feature' if not pd.isnull(df.feature)
3
elseif 'epic' pd.isnull(df.epic)
4
else 'Na'
5
how can I achieve this using a df.apply
?
is it much more efficient if I use np.select
?
Advertisement
Answer
np.select
is the way to go. Try below . . . I think I got the logic correct based on your question. Also, there is some discrepancy in your logic: “feature if adjacent feature column value is not null ,and likewise for epic” is not the same as “elseif ‘epic’ pd.isnull(df.epic)” So I went with if df['epic'] is not null then 'epic'
Let me know if that is correct.
JavaScript
1
15
15
1
cond = [~df['master_feature'].isna(), # if master_feater is not null then 'master feater'
2
~df['feature'].isna(), # if feature is not null then 'feature
3
~df['epic'].isna()] # if epic is not null then 'epic'
4
5
choice = ['master feature',
6
'feature',
7
'epic']
8
9
df['promoted'] = np.select(cond, choice, np.nan)
10
11
master_feature feature epic promoted
12
0 ab NaN NaN master feature
13
1 NaN NaN fg epic
14
2 NaN pq NaN feature
15