繁体   English   中英

如何使用python计算一组3d点之间的距离?

[英]How can I calculate the distances of a set of 3d points with each other using python?

我有一组3D点,需要在其中找到每个点与所有其他点的距离。 到目前为止,我想出了以下代码来计算两个连续(按数组顺序)的点之间的距离,但无法弄清楚如何计算每个点与所有其他点的距离。 每个点将有9个距离(还有9个其他点),因此10个点总共有45个距离(一半为90)。 到目前为止,我仅发现9个距离。 知道如何使用python有效地获得所有距离吗?

import numpy as np
import scipy as sp

rij_mat = np.zeros((9,1),dtype=np.float32) """created a 9x1 matrix for storing 9 distances for 10 points"""

npoints = 10

x = sp.randn(npoints,3)

print "here are the 3-d points..."
print x

for i in xrange(npoints-1):

 rij_mat[i] = np.linalg.norm(x[i+1]-x[i])

print "the distances are..."
print rij_mat

我现在的输出是这样的:

here are the 3-d points...
[[-0.89513316  0.05061497 -1.19045606]
 [ 0.31999847 -0.68013916 -0.14576028]
 [ 0.85442751 -0.64139512  1.70403995]
 [ 0.55855264  0.56652717 -0.17086825]
 [-1.22435021  0.25683649  0.85128921]
 [ 0.80310031  0.82236372 -0.40015387]
 [-1.34356018  1.034942    0.00878305]
 [-0.65347726  1.1697195  -0.45206805]
 [ 0.65714623 -1.07237429 -0.75204526]
 [ 1.17204207  0.89878048 -0.54657068]]
the distances are...
[[ 1.7612313 ]
 [ 1.92584431]
 [ 2.24986649]
 [ 2.07833028]
 [ 2.44877243]
 [ 2.19557977]
 [ 0.84069204]
 [ 2.61432695]
 [ 2.04763007]]

两个循环而不是一个循环怎么样?

distances = []
for i in xrange(npoints-1):
    for j in range(i+1, npoints):
        distances.append(np.linalg.norm(x[i]-x[j])

对于您的每个npoints点,确切都有npoints - 1要与其他npoints - 1个点进行比较, npoints - 1距离。 并且, x[m]x[n]之间的距离与x[n]x[m]之间的距离相同,因此将距离的总数减少了一半。 itertools软件包有一个很好的方法来处理此问题:

import numpy as np
import scipy as sp
import itertools as its

npoints = 10
nCombos = (npoints * (npoints - 1))/2
x = sp.randn(npoints,3)
rij_mat = np.zeros(nCombos)

ii = 0
for i1, i2 in its.combinations(range(npoints), 2):
    rij_mat[ii] = np.linalg.norm(x[i1]-x[i2])
    ii += 1

print "the distances are..."
print rij_mat

如果您是一个非常谨慎的人,则可以在最后检查ii == nCombos

由于您调用了输出矩阵rij_mat ,也许您希望将其作为二维矩阵? 然后,您需要类似:

import numpy as np
import scipy as sp
import itertools as its

npoints = 10

x = sp.randn(npoints,3)
rij_mat = np.zeros((npoints, npoints))

for i1, i2 in its.combinations(range(npoints), 2):
    rij_mat[i2, i1] = rij_mat[i1, i2] = np.linalg.norm(x[i1]-x[i2])

print "the distances are..."
print rij_mat

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM