使用索引和列值重命名pandas dataframe indeces

时间:2017-09-06 13:52:43

标签: python pandas dataframe indexing

我有一个数据框df

df
 Name 
0   A
1   A
2   B
3   B
4   C
5   D
6   E
7   F
8   G
9   H

如何重命名数据框的构思以便

df
 Name 
0_A   A
1_A   A
2_B   B
3_B   B
4_C   C
5_D   D
6_E   E
7_F   F
8_G   G
9_H   H

1 个答案:

答案 0 :(得分:1)

<强> 1

分配给index连接字符串,首先将其转换为str

df.index = df.index.astype(str) + '_' + df['Name']
#for remove index name
df.index.name = None
print (df)
    Name
0_A    A
1_A    A
2_B    B
3_B    B
4_C    C
5_D    D
6_E    E
7_F    F
8_G    G
9_H    H

<强> 2

set_indexrename_axis类似的解决方案:

df = df.set_index(df.index.astype(str) + '_' + df['Name']).rename_axis(None)
print (df)
    Name
0_A    A
1_A    A
2_B    B
3_B    B
4_C    C
5_D    D
6_E    E
7_F    F
8_G    G
9_H    H

第3

str.cat的解决方案:

df = df.set_index(df.index.astype(str).str.cat(df['Name'], sep='_'))
print (df)
    Name
0_A    A
1_A    A
2_B    B
3_B    B
4_C    C
5_D    D
6_E    E
7_F    F
8_G    G
9_H    H

<强> 4

list comprehension解决方案:

df.index = ['{0[0]}_{0[1]}'.format(x) for x in zip(df.index, df['Name'])]
print (df)
    Name
0_A    A
1_A    A
2_B    B
3_B    B
4_C    C
5_D    D
6_E    E
7_F    F
8_G    G
9_H    H