我如何首先将两个特定列的数据帧索引为一个?

2024-05-27 11:18:13 发布

您现在位置:Python中文网/ 问答频道 /正文

在c列映射后, 如果A列有值,则插入A列的值;如果没有,则插入B列

data1                               data2

a    b    c                      a    c    d
a1   b1   c1                     1a   c1   1d   
     b2   c2                     2a   c2   2d
a3        c3                     3a   c3   3d
                                 4a   c4   4d

我想要的结果

^{pr2}$

我尝试了以下方法,但并不满意。在

->>> result = data1.merge(data2, on=['c'])
Prefixes _x and _y are created. combine_first is not applied.

->>> result = data1.combine_first(data2)
It is not mapped by column c.

我怎样才能得到好的结果? 我请求你的帮助。 谢谢你


Tags: isa1notresultb2a3b1first
3条回答

使用@IdoS安装程序:

import pandas as pd
data1 = pd.DataFrame({'a': ['a1', None, 'a3'],
                      'b': ['b1', 'b2', None],
                      'c': ['c1', 'c2', 'c3']})

data2 = pd.DataFrame({'a': ['1a', '2a', '3a', '4a'],
                      'c': ['c1', 'c2', 'c3', 'c4'],
                      'd': ['1d', '2d', '3d', '4d']})

您可以使用set_indexcombine_first,然后重新编制索引:

^{pr2}$

输出:

    c   a     b   d
0  c1  a1    b1  1d
1  c2  2a    b2  2d
2  c3  a3  None  3d

你也可以试试这个方法:

# set indexes
data1 = data1.set_index('c')
data2 = data2.set_index('c')

# join data on indexes
datax = data1.join(data2.drop('d', axis=1), rsuffix='_rr').reset_index()

# fill missing value in column a
datax['a'] = datax['a'].fillna(datax['a_rr'])

# drop unwanted columns
datax.drop('a_rr', axis=1, inplace=True)

# fill missing values with blank spaces
datax.fillna('', inplace=True)

# output
    a   b   c
0   a1  b1  c1
1   2a  b2  c2
2   a3      c3

^{pr2}$

我不是百分之百的清楚你如何索引你的数据帧(data1data2),但是如果你在列'c'上对它们进行索引,那就可以了。在

我是这样创建你的数据的:

import pandas as pd
data1 = pd.DataFrame({'a': ['a1', None, 'a3'],
                      'b': ['b1', 'b2', None],
                      'c': ['c1', 'c2', 'c3']})

data2 = pd.DataFrame({'a': ['1a', '2a', '3a', '4a'],
                      'c': ['c1', 'c2', 'c3', 'c4'],
                      'd': ['1d', '2d', '3d', '4d']})

然后我将两者的索引设置为列'c'

^{pr2}$

然后我像您一样使用combine_first

data_combined = data1.combine_first(data_2)

我明白了:

    a   b   d
c           
c1  a1  b1  1d
c2  2a  b2  2d
c3  a3  None    3d
c4  4a  NaN 4d

不知道为什么不需要索引为'c4'的行或列'd',但删除它们很容易:

data_combined = data_combined.drop('d', axis=1)
data_combined = data_combined.loc[data_combined.index != 'c4']

然后我重新排序以得到你想要的结果:

data_combined = data_combined.reset_index()
data_combined = data_combined[['a', 'b', 'c']]
data_combined = data_combined.fillna('')


    a   b   c
0   a1  b1  c1
1   2a  b2  c2
2   a3      c3

相关问题 更多 >

    热门问题