3

我周围有一堆点y=x(见下面的例子),我希望计算每个点到 this的正交距离y=x。假设一个点有坐标(a,b),那么很容易在y=x有坐标上看到投影点((a+b)/2, (a+b)/2)。我使用以下本机代码进行计算,但我认为我需要一个没有for循环的更快的代码。非常感谢你!

set.seed(999)
n=50
typ.ord = seq(-2,3, length=n)   # x-axis
#
good.ord = sort(c(rnorm(n/2, typ.ord[1:n/2]+1,0.1),rnorm(n/2,typ.ord[(n/2+1):n]-0.5,0.1)))
y.min = min(good.ord)
y.max = max(good.ord)
#
plot(typ.ord, good.ord, col="green", ylim=c(y.min, y.max))
abline(0,1, col="blue")
# 
# a = typ.ord
# b = good.ord
cal.orth.dist = function(n, typ.ord, good.ord){
  good.mid.pts = (typ.ord + good.ord)/2
  orth.dist = numeric(n)
  for (i in 1:n){
    num.mat = rbind(rep(good.mid.pts[i],2), c(typ.ord[i], good.ord[i]))
    orth.dist[i] = dist(num.mat)
  }
  return(orth.dist)
}
good.dist = cal.orth.dist(50, typ.ord, good.ord)
sum(good.dist)
4

2 回答 2

4

一样容易

good.dist <- sqrt((good.ord - typ.ord)^2 / 2)

这一切都归结为计算点和线之间的距离。在 2D 的情况下y = x,这变得特别容易(自己尝试一下)。

于 2013-02-25T16:15:27.473 回答
4

在更一般的情况下(扩展到可能超过二维空间的其他行),您可以使用以下内容。它的工作原理是从您想要将点投影到的子空间(这里是向量)构造一个投影矩阵 。从点中减去投影分量会留下正交分量,因此很容易计算距离。PAx

x <- cbind(typ.ord, good.ord)          # Points to be projected
A <- c(1,1)                            # Subspace to project onto
P <- A %*% solve(t(A) %*% A) %*% t(A)  # Projection matrix P_A = A (A^T A)^-1 A^T
dists <- sqrt(rowSums(x - x %*% P)^2)  # Lengths of orthogonal residuals
于 2013-02-25T17:02:02.230 回答