我想将Numpy 2D数组的每一行与所有其他行进行比较,并获得二进制矩阵的输出,该输出指示每对行的不匹配特征。
也许是输入内容:
index col1 col2 col3 col4
0 2 1 3 3
1 2 3 3 4
2 4 1 3 2
我想得到以下输出:
index col1 col2 col3 col4 i j
0 0 1 0 1 0 1
1 1 0 0 1 0 2
2 1 1 0 1 1 2
由于'i'和'j'保留了比较行的原始索引
最有效的方法是什么?
由于“ for”循环,我当前的实现花费了太长时间:
df = pd.DataFrame([[2,1,3,3],[2,3,3,4],[4,1,3,2]],columns=['A','B','C','D']) # example of a dataset
r = df.values
rows, cols = r.shape
additional_cols = ['i', 'j'] # original df indexes
allArrays = np.empty((0, cols + len(additional_cols)))
for i in range(0, rows):
myArray = np.not_equal(r[i, :], r[i+1:, :]).astype(np.float32)
myArray_with_idx = np.c_[myArray, np.repeat(i, rows-1-i), np.arange(i+1, rows)] # save original df indexes
allArrays = np.concatenate((allArrays, myArray_with_idx), axis=0)
答案 0 :(得分:1)
方法1::这里是np.triu_indices
-
a = df.values
R,C = np.triu_indices(len(a),1)
out = np.concatenate((a[R] != a[C],R[:,None],C[:,None]),axis=1)
方法2::我们还可以使用slicing
并反复填写-
a = df.values
n = a.shape[0]
N = n*(n-1)//2
idx = np.concatenate(( [0], np.arange(n-1,0,-1).cumsum() ))
start, stop = idx[:-1], idx[1:]
out = np.empty((N,a.shape[1]+2),dtype=a.dtype)
for j,i in enumerate(range(n-1)):
s0,s1 = start[j],stop[j]
out[s0:s1,:-2] = a[i,None] != a[i+1:]
out[s0:s1,-2] = j
out[s0:s1,-1] = np.arange(j+1,n)
out
将是您的allArrays
。