python pandas - 用另一列分隔列

Cha*_*ron 16 python dataframe python-2.7 pandas

我正在尝试向我添加一个列,DataFrame这是另外两列的分区产品,如下所示:

df['$/hour'] = df['$']/df['hours']
Run Code Online (Sandbox Code Playgroud)

这工作正常,但如果值in ['hours']小于1,则该['$/hour']值大于in ['$'],这不是我想要的.

有没有办法控制操作,如果['hours'] < 1那么df['$/hour'] = df['$']

jez*_*ael 8

你可以使用numpy.where:

print df
    hours  $
0       0  8
1       0  9
2       0  9
3       3  6
4       6  4
5       3  7
6       5  5
7      10  1
8       9  3
9       3  6
10      5  4
11      5  7

df['$/hour'] = np.where(df['hours'] < 1, df['hours'], df['$']/df['hours'])
print df
    hours  $    $/hour
0       0  8  0.000000
1       0  9  0.000000
2       0  9  0.000000
3       3  6  2.000000
4       6  4  0.666667
5       3  7  2.333333
6       5  5  1.000000
7      10  1  0.100000
8       9  3  0.333333
9       3  6  2.000000
10      5  4  0.800000
11      5  7  1.400000
Run Code Online (Sandbox Code Playgroud)


Bri*_*uey 6

df['$/hour'] = df.apply(lambda x: x['$'] if x['$'] < 1 else x['$']/x['hours'], axis=1)
Run Code Online (Sandbox Code Playgroud)


ago*_*old 5

您还可以过滤和选择要设置的索引DataFrame.loc

df['$/hour'].loc[df['hours']>=1] = df['$']/df['hours']
df['$/hour'].loc[df['hours']<1] = df['$']
Run Code Online (Sandbox Code Playgroud)