手动定义的 p 和 q :
p = [[45.1024,7.7498],[45.1027,7.7513],[45.1072,7.7568],[45.1076,7.7563]]
q = [[45.0595,7.6829],[45.0595,7.6829],[45.0564,7.6820],[45.0533,7.6796],[45.0501,7.6775]]
可以的一部分代码
def _c(ca, i, j, p, q):
if ca[i, j] > -1:
return ca[i, j]
elif i == 0 and j == 0:
ca[i, j] = np.linalg.norm(p[i]-q[j])
elif i > 0 and j == 0:
ca[i, j] = max(_c(ca, i-1, 0, p, q), np.linalg.norm(p[i]-q[j]))
elif i == 0 and j > 0:
ca[i, j] = max(_c(ca, 0, j-1, p, q), np.linalg.norm(p[i]-q[j]))
elif i > 0 and j > 0:
ca[i, j] = max(
min(
_c(ca, i-1, j, p, q),
_c(ca, i-1, j-1, p, q),
_c(ca, i, j-1, p, q)
),
np.linalg.norm(p[i]-q[j])
)
else:
ca[i, j] = float('inf')
return ca[i, j]
def frdist(p, q):
# Remove nan values from p
p = np.array([i for i in p if np.any(np.isfinite(i))], np.float64) # ESSENTIAL PART TO REMOVE NaN
q = np.array([i for i in q if np.any(np.isfinite(i))], np.float64) # ESSENTIAL PART TO REMOVE NaN
len_p = len(p)
len_q = len(q)
if len_p == 0 or len_q == 0:
raise ValueError('Input curves are empty.')
# p and q no longer have to be the same length
if len(p[0]) != len(q[0]):
raise ValueError('Input curves do not have the same dimensions.')
ca = (np.ones((len_p, len_q), dtype=np.float64) * -1)
dist = _c(ca, len_p-1, len_q-1, p, q)
return(dist)
frdist(p, q)
0.09754839824415232
问题: 第2步中的操作,将代码应用于给定的(同样是示例数据集。真正的数据集非常大)数据集df:
1 1.1 2 2.1 3 3.1 4 4.1 5 5.1
0 43.1024 6.7498 NaN NaN NaN NaN NaN NaN NaN NaN
1 46.0595 1.6829 25.0695 3.7463 NaN NaN NaN NaN NaN NaN
2 25.0695 5.5454 44.9727 8.6660 41.9726 2.6666 84.9566 3.8484 44.9566 1.8484
3 35.0281 7.7525 45.0322 3.7465 14.0369 3.7463 NaN NaN NaN NaN
4 35.0292 7.5616 45.0292 4.5616 23.0292 3.5616 45.0292 6.7463 NaN
通过取p第一行和q第二行。然后计算距离frdist(p, q)
。再一次,p是第一行,q现在是第三行。然后是1和3。
最后,我应该得到对角线为0的行(行,行)大小的矩阵。因为它们之间的距离是0:
0 1 2 3 4 5 ... 105
0 0
1 0
2 0
3 0
4 0
5 0
... 0
105 0
答案 0 :(得分:1)
由于您的工作代码希望使用列表列表作为参数,因此您需要将数据框的每一行转换为列表列表,例如示例的p
和q
。假设df
是您的数据帧,则可以通过以下方式进行操作:
def pairwise(it):
a = iter(it)
return zip(a, a)
ddf = df.apply(lambda x : [pair for pair in pairwise(x)], axis=1)
我从this answer获得了pairwise
函数。
{ddf
是一个只有一列的数据框,每个元素都是一个像p
或q
之类的列表。
然后,您需要处理行索引的组合。看一下itertools模块。根据您的需要,可以使用product,permutations或combinations中的一种。
如果要进行每种组合,可以使用:
from itertools import product
idxpairs = product(ddf.index, repeat=2)
idxpairs
保留数据框中所有可能的索引对。您可以遍历它们。
您可以像这样构建最终矩阵:
fmatrix = pd.DataFrame(index=ddf.index, columns=ddf.index)
for pp in idxpairs:
fmatrix.loc[pp[0], pp[1]] = frdist(ddf.iloc[pp[0]], ddf.iloc[pp[1]])
现在,这将计算每个元素的蛮力。如果数据框很大,并且事先知道最终矩阵将具有给定的属性,例如对角线为0并且对称(我猜为frdist(p, q) == frdist(q, p)
),则可以使用例如{{1 }}(而不是combinations
)不会两次执行相同的计算:
product