获取numpy中对角线下的项目数

Getting the count of items under diagonal in numpy

我有一个相关矩阵,我想计算对角线下方的项目数。最好是 numpy.

[[1,   0,   0,   0,  0], 
[.35,  1,   0,   0,  0], 
[.42, .31,  1,   0,  0], 
[.25, .38, .41,  1,  0], 
[.21, .36, .46, .31, 1]]

我想要 return 10。或者,return 对角线下所有数字的平均值。

设置

a = np.array([[1.  , 0.  , 0.  , 0.  , 0.  ],
              [0.35, 1.  , 0.  , 0.  , 0.  ],
              [0.42, 0.31, 1.  , 0.  , 0.  ],
              [0.25, 0.38, 0.41, 1.  , 0.  ],
              [0.21, 0.36, 0.46, 0.31, 1.  ]])

numpy.tril_indices 将给出对角线下所有元素的索引(如果您提供 -1 的偏移量),从那里开始,它变得与索引和调用 [=14= 一样简单] 和 size


n, m = a.shape

m = np.tril_indices(n=n, k=-1, m=m)

a[m]
# array([0.35, 0.42, 0.31, 0.25, 0.38, 0.41, 0.21, 0.36, 0.46, 0.31])

a[m].mean()
# 0.346

a[m].size
# 10

由于 numpy 提供了 np.tril_indices ,因为 user3483203 提到了一个更原始和笨重的答案,但是你想要的每行迭代 i 是以下内容(根据 [row,col] 索引):

                      (i=0)
[1,0]                 (i=1) 
[2,0] [2,1]           (i=2)
[3,0] [3,1] [3,2]     (i=3)
...

这基本上是列表 [i,i,i,...] = [i]*izip(i 的 i 重复)和 [0,1,...,i-1] = range(i)。因此迭代 table 的行,您实际上可以获得每次迭代的索引并执行您选择的运算符。

示例设置:

test = np.array(
[[1,   0,   0,   0,  0], 
[.35,  1,   0,   0,  0], 
[.42, .31,  1,   0,  0], 
[.25, .38, .41,  1,  0], 
[.21, .36, .46, .31, 1]])

函数定义:

def countdiag(myarray):
    numvals = 0
    totsum = 0


    for i in range(myarray.shape[0]): # row iteration
        colc = np.array(range(i)) # calculate column indices
        rowc = np.array([i]*i) # calculate row indices

        if any(rowc):
            print(np.sum(myarray[rowc,colc]))
            print(len(myarray[rowc,colc]))

            numvals += len(myarray[rowc,colc])
            totsum += np.sum(myarray[rowc,colc])


        print(list(zip([i]*i, np.arange(i))))

    mean = totsum / numvals

    return mean, numvals

测试:

 [165]: countdiag(test)



[]
0.35
1
[(1, 0)]
0.73
2
[(2, 0), (2, 1)]
1.04
3
[(3, 0), (3, 1), (3, 2)]
1.34
4
[(4, 0), (4, 1), (4, 2), (4, 3)]
0.346
Out[165]:
(0.346, 10)