从python pandas中的列名获取列索引


220

在R中,当您需要根据列名检索列索引时,可以执行此操作

idx <- which(names(my_data)==my_colum_name)

有没有办法对熊猫数据框做同样的事情?

Answers:


359

当然可以使用.get_loc()

In [45]: df = DataFrame({"pear": [1,2,3], "apple": [2,3,4], "orange": [3,4,5]})

In [46]: df.columns
Out[46]: Index([apple, orange, pear], dtype=object)

In [47]: df.columns.get_loc("pear")
Out[47]: 2

虽然老实说,我自己通常不需要这个。通常,通过名称进行访问可以实现我想要的功能(df["pear"],,df[["apple", "orange"]]或者也许df.columns.isin(["orange", "pear"])),尽管我可以肯定地看到一些您需要索引号的情况。


7
使用.iloc运算符时,列号很有用,在该运算符中,行和列都必须仅传递整数。
安倍晋三

4
或者在使用希望DF转换为numpy数组和具有特定功能的列的索引的库时。例如,CatBoost想要一个分类特征索引列表。
汤姆·沃克

1
使用ExcelWriter创建工作表后添加条件格式时,我需要此功能。我需要通过其Excel坐标引用列(和单元格)。
亚历杭德罗

我在制作子图数组时使用了它。每列数据中的一个子图。
戴维·柯林斯

2
当我想要insert在现有列之后的新列时使用它。
阿米尔·沙巴尼

33

这是通过列表理解的解决方案。cols是要获取索引的列的列表:

[df.columns.get_loc(c) for c in cols if c in df]

4
由于cols元素少于df.columns,因此执行for c in cols if c in df速度会更快。
埃里克·O·勒比格

15

DSM的解决方案有效,但是如果您想要直接等效的解决方案,则which可以这样做(df.columns == name).nonzero()


10

当您要查找多个列匹配项时,可以使用使用searchsorted方法的矢量化解决方案。因此,df作为query_cols要搜索的数据框和列名,实现将是-

def column_index(df, query_cols):
    cols = df.columns.values
    sidx = np.argsort(cols)
    return sidx[np.searchsorted(cols,query_cols,sorter=sidx)]

样品运行-

In [162]: df
Out[162]: 
   apple  banana  pear  orange  peach
0      8       3     4       4      2
1      4       4     3       0      1
2      1       2     6       8      1

In [163]: column_index(df, ['peach', 'banana', 'apple'])
Out[163]: array([4, 1, 0])

8

如果您希望从列位置获得列名(OP问题的另一种方法),则可以使用:

>>> df.columns.get_values()[location]

使用@DSM示例:

>>> df = DataFrame({"pear": [1,2,3], "apple": [2,3,4], "orange": [3,4,5]})

>>> df.columns

Index(['apple', 'orange', 'pear'], dtype='object')

>>> df.columns.get_values()[1]

'orange'

其他方法:

df.iloc[:,1].name

df.columns[location] #(thanks to @roobie-nuby for pointing that out in comments.) 

2
为什么不只是df.columns[location]呢?
Roobie Nuby

1

这个怎么样:

df = DataFrame({"pear": [1,2,3], "apple": [2,3,4], "orange": [3,4,5]})
out = np.argwhere(df.columns.isin(['apple', 'orange'])).ravel()
print(out)
[1 2]
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.