縮約距離行列から全距離行列へ
pdist によって返される圧縮された距離行列は、以下を使用して完全な距離行列に変換できますscipy.spatial.distance.squareform
。
>>> import numpy as np
>>> from scipy.spatial.distance import pdist, squareform
>>> points = np.array([[0,1],[1,1],[3,5], [15, 5]])
>>> dist_condensed = pdist(points)
>>> dist_condensed
array([ 1. , 5. , 15.5241747 , 4.47213595,
14.56021978, 12. ])
squareform
完全な行列に変換するために使用します。
>>> dist = squareform(dist_condensed)
array([[ 0. , 1. , 5. , 15.5241747 ],
[ 1. , 0. , 4.47213595, 14.56021978],
[ 5. , 4.47213595, 0. , 12. ],
[ 15.5241747 , 14.56021978, 12. , 0. ]])
ポイント i,j 間の距離は、dist[i, j] に格納されます。
>>> dist[2, 0]
5.0
>>> np.linalg.norm(points[2] - points[0])
5.0
圧縮インデックスへのインデックス
正方行列の要素にアクセスするために使用されるインデックスを、圧縮された行列のインデックスに変換できます。
def square_to_condensed(i, j, n):
assert i != j, "no diagonal elements in condensed matrix"
if i < j:
i, j = j, i
return n*j - j*(j+1)//2 + i - 1 - j
例:
>>> square_to_condensed(1, 2, len(points))
3
>>> dist_condensed[3]
4.4721359549995796
>>> dist[1,2]
4.4721359549995796
索引への要約索引
また、ランタイムとメモリ消費の点で優れている sqaureform なしで、他の方向も可能です。
import math
def calc_row_idx(k, n):
return int(math.ceil((1/2.) * (- (-8*k + 4 *n**2 -4*n - 7)**0.5 + 2*n -1) - 1))
def elem_in_i_rows(i, n):
return i * (n - 1 - i) + (i*(i + 1))//2
def calc_col_idx(k, i, n):
return int(n - elem_in_i_rows(i + 1, n) + k)
def condensed_to_square(k, n):
i = calc_row_idx(k, n)
j = calc_col_idx(k, i, n)
return i, j
例:
>>> condensed_to_square(3, 4)
(1.0, 2.0)
squareform との実行時間の比較
>>> import numpy as np
>>> from scipy.spatial.distance import pdist, squareform
>>> points = np.random.random((10**4,3))
>>> %timeit dist_condensed = pdist(points)
1 loops, best of 3: 555 ms per loop
squaureform の作成は非常に遅いことがわかります。
>>> dist_condensed = pdist(points)
>>> %timeit dist = squareform(dist_condensed)
1 loops, best of 3: 2.25 s per loop
最大距離で 2 点を検索する場合、完全な行列での検索が O(n) であるのに対し、圧縮された形式では O(n/2) であることは驚くべきことではありません。
>>> dist = squareform(dist_condensed)
>>> %timeit dist_condensed.argmax()
10 loops, best of 3: 45.2 ms per loop
>>> %timeit dist.argmax()
10 loops, best of 3: 93.3 ms per loop
どちらの場合も、2 つのポイントの inideces を取得するのにほとんど時間はかかりませんが、もちろん、圧縮されたインデックスを計算するためのオーバーヘッドがあります。
>>> idx_flat = dist.argmax()
>>> idx_condensed = dist.argmax()
>>> %timeit list(np.unravel_index(idx_flat, dist.shape))
100000 loops, best of 3: 2.28 µs per loop
>>> %timeit condensed_to_square(idx_condensed, len(points))
100000 loops, best of 3: 14.7 µs per loop