在R中,当您需要根据列名检索列索引时,您可以这样做
idx <- which(names(my_data)==my_colum_name)
有没有办法对熊猫数据框架做同样的事情?
在R中,当您需要根据列名检索列索引时,您可以这样做
idx <- which(names(my_data)==my_colum_name)
有没有办法对熊猫数据框架做同样的事情?
当前回答
这个怎么样:
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]
其他回答
当然,你可以使用.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"]))),尽管我可以肯定地看到您想要索引号的情况。
DSM的解决方案是有效的,但是如果你想要一个直接等价的方法(df。Columns == name).nonzero()
当列可能存在,也可能不存在时,下面的(来自上面的变体)可以工作。
ix = 'none'
try:
ix = list(df.columns).index('Col_X')
except ValueError as e:
ix = None
pass
if ix is None:
# do something
稍微修改一下DSM的答案,get_loc有一些奇怪的属性,这取决于当前版本Pandas(1.1.5)中的索引类型,因此根据您的索引类型,您可能会返回索引、掩码或切片。这对我来说有点令人沮丧,因为我不想仅仅为了提取一个变量的索引而修改整个列。更简单的方法是完全避免这个函数:
list(df.columns).index('pear')
非常简单,而且可能相当快。
当您希望找到多个列匹配时,可以使用使用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])