有没有办法检查和汇总相同值的特定数据帧列。
例如,在以下数据框中
column name 1, 2, 3, 4, 5
-------------
a, g, h, t, j
b, a, o, a, g
c, j, w, e, q
d, b, d, q, i
比较第1列和第2列时,相同值的总和为2(a和b)
由于
答案 0 :(得分:2)
您可以使用isin
和sum
来实现此目标:
In [96]:
import pandas as pd
import io
t="""1, 2, 3, 4, 5
a, g, h, t, j
b, a, o, a, g
c, j, w, e, q
d, b, d, q, i"""
df = pd.read_csv(io.StringIO(t), sep=',\s+')
df
Out[96]:
1 2 3 4 5
0 a g h t j
1 b a o a g
2 c j w e q
3 d b d q i
In [100]:
df['1'].isin(df['2']).sum()
Out[100]:
2
isin
将生成一个布尔系列,在布尔系列上调用sum分别将True
和False
转换为1
和0
:
In [101]:
df['1'].isin(df['2'])
Out[101]:
0 True
1 True
2 False
3 False
Name: 1, dtype: bool
修改强>
要检查并计算所有感兴趣的列中存在的值的数量,以下方法可以正常工作,请注意,对于您的数据集,所有列中都没有值:
In [123]:
df.ix[:, :'4'].apply(lambda x: x.isin(df['1'])).all(axis=1).sum()
Out[123]:
0
打破上面的内容将显示每个步骤的作用:
In [124]:
df.ix[:, :'4'].apply(lambda x: x.isin(df['1']))
Out[124]:
1 2 3 4
0 True False False False
1 True True False True
2 True False False False
3 True True True False
In [125]:
df.ix[:, :'4'].apply(lambda x: x.isin(df['1'])).all(axis=1)
Out[125]:
0 False
1 False
2 False
3 False
dtype: bool