将数据帧中的列(即 df['constant'] 添加到数据帧 df 的所有其他列。当 NAN + 浮点数出现时,返回浮点数



我有一个数据帧 df,其中包含列 a、b、c 和常量。

   |a |b   |c   |constant|
id |  |    |    |        |
000|0 |0.2 |0.5 |0.7     |
111|0 |-0.3|0.1 |0.9     |
222|0 |NAN |0.6 |0.3     |
333|0 |1   |0.8 |0.5     |
444|0 |0.2 |1   |1.1     |
555|0 |0.8 |NAN |-0.3    |
666|0 |-0.5|-0.6|NAN     |   

我想将列 df['constant'] 添加到数据帧的所有其他列中,并将当前列替换为总和。 即 df['a'] 将与 df['常量'] 相同,因为它都是 0。 新数据帧应如下所示:

   |a   |b   |c   |constant|
id |    |    |    |        |
000|0.7 |0.9 |1.2 |0.7     |
111|0.9 |0.6 |1   |0.9     |
222|0.3 |0.3 |0.9 |0.3     |
333|0.5 |1.5 |1.3 |0.5     |
444|1.1 |1.3 |2.1 |1.1     |
555|-0.3|0.5 |-0.3|-0.3    |
666|0   |-0.5|-0.6|NAN     |   

注意:如果将 NAN 添加到浮点数,则应返回浮点数

我的 3 次尝试如下所示:

尝试 1 使用了函数并pd.to_numeric

尝试 2 我使用了 2 个函数,我希望 def adds(x,y( 能够修复类型错误

尝试

3 我厌倦了与尝试 2 相同的操作,但带有 lambda 表达式

df2['constant'] = pd.to_numeric(df2['constant'], errors='coerce')
df2['constant'] = df2['constant'].fillna(0)
dataframe_columns = ['a','b','c']
##attempt number 1
# add merged-constant across df
for c in dataframe_columns:
    df2[c] = pd.to_numeric(df2[c], errors='coerce')
    df2[c] = df2[c].add(df2['constant'])

##attempt number 2
def adds(x,y):
    if isinstance(x, float) and isinstance(y, float)==True:
        return x+y
    elif isinstance(x, float) and isinstance(y, object):
        return x
    elif isinstance(x, object) and isinstance(y, float):
        return y
    else:
        return y
# add merged-constant across df2
for c in dataframe_columns:
    df2[c] = adds(df2[c], dfc['constant'])

##attempt number 3
def adds(x,y):
    if isinstance(x, float) and isinstance(y, float)==True:
        return x+y
    elif isinstance(x, float) and isinstance(y, object):
        return x
    elif isinstance(x, object) and isinstance(y, float):
        return y
    else:
        return y
#lambda test add merged-constant across df2
for c in dataframe_columns:
    return c
df2[dataframe_columns] = df2.apply(lambda x: adds(x[dataframe_columns], x['constant']), axis =  1)

我想要一个新的数据帧,即 a、b 和 c 列都将常量列添加到其总数中,如上所示。

我使用fillnaaddjoin

df[['a', 'b', 'c']].fillna(0).add(df['constant'].fillna(0), axis=0).join(df.constant)

Out[391]:
        a    b    c  constant
id
000   0.7  0.9  1.2       0.7
111   0.9  0.6  1.0       0.9
222   0.3  0.3  0.9       0.3
333   0.5  1.5  1.3       0.5
444   1.1  1.3  2.1       1.1
555  -0.3  0.5 -0.3      -0.3
666   0.0 -0.5 -0.6       NaN

因为在 pd 中。Series.add 我们有 fill_value=0(不确定为什么数据帧 +系列剂量不起作用(,所以我们只对每一列使用它,然后concat update原始 df

df=df.apply(pd.to_numeric,errors='coerce')
df.update(pd.concat([df[x].add(df.constant,fill_value=0) for x in df.columns[:-1]],keys=df.columns[:-1],axis=1))
df
Out[116]: 
     a    b    c  constant
0                         
1  0.7  0.9  1.2       0.7
2  0.9  0.6  1.0       0.9
3  0.3  0.3  0.9       0.3
4  0.5  1.5  1.3       0.5
5  1.1  1.3  2.1       1.1
6 -0.3  0.5 -0.3      -0.3
7  0.0 -0.5 -0.6       NaN

相关内容

  • 没有找到相关文章

最新更新