4 回答
TA贡献1936条经验 获得超6个赞
使用更全面的正则表达式:
from itertools import groupby
import re
for k, cols in groupby(sorted(df.columns), lambda x: x[:-2] if re.match(".+_(1|2)$", x) else None):
cols=list(cols)
if(len(cols)==2 and k):
df[f"{k}_check"]=df[cols[0]].eq(df[cols[1]])
它将仅将名称以和名称结尾的列配对在一起,而不管您之前在其名称中有什么,仅当有2-和(假设您没有2列具有相同名称)时才计算。_1_2_check_1_2
对于示例数据:
A_1 A_2 B_1 B_2 A_check B_check
0 charlie charlie beta cappa True False
1 charlie charlie beta delta True False
2 charlie charlie beta beta True True
TA贡献1982条经验 获得超2个赞
如果您知道列名称的第一部分,则可以使用wide_to_long,即...:A,B
(pd.wide_to_long(df.reset_index(), ['A','B'], 'index','part',sep='_')
.groupby('index').nunique().eq(1)
.add_suffix('_check')
)
输出:
A_check B_check
index
0 True False
1 True False
2 True True
TA贡献1796条经验 获得超7个赞
您可以拆分列并按拆分结果的第一个值的序列进行分组,并调用以进行比较axis=1agg
i_cols = df.columns.str.split('_')
df_check = (df.groupby(i_cols.str[0], axis=1).agg(lambda x: x.iloc[:,0] == x.iloc[:,-1])
.add_suffix('_check'))
In [69]: df_check
Out[69]:
A_check B_check
0 True False
1 True False
2 True True
TA贡献1858条经验 获得超8个赞
另一种方法是使用 pd 使用数据帧重整。多索引:
df = pd.DataFrame([['charlie', 'charlie', 'beta', 'cappa'],
['charlie', 'charlie', 'beta', 'delta'],
['charlie', 'charlie', 'beta', 'beta']],
columns=['A_1', 'A_2','B_1','B_2'])
df.columns = df.columns.str.split('_', expand=True) #Creates MultiIndex column header
dfs = df.stack(0) #move the 'A' and 'B' and any others to rows
df_out = (dfs == dfs.shift(-1, axis=1))['1'].unstack() #Compare column 1 to column 2 and move 'A's and 'B's back to columns.
print(df_out)
输出:
A B
0 True False
1 True False
2 True True
添加回答
举报