3

我有一堆不同形状和大小的多边形质心。我想计算从每个质心到其各自多边形的最远点的距离。

此问题已在此处使用 package::sp 和 package::rgeos 解决。

根据其小插图, sf 包“旨在长期接替 sp”。浏览文档我无法找到解决方案,但我不是简单功能方面的专家。有没有使用 sf 包完成此操作的好方法,或者我现在应该坚持使用 sf 和 rgeos 吗?

4

2 回答 2

5

将多边形投射到 POINT(从而获得顶点),然后计算质心的距离应该可以工作。就像是:

library(sf)

# build a test poly
geometry <- st_sfc(st_polygon(list(rbind(c(0,0), c(1,0), c(1,3),  c(0,0))))) 
pol <- st_sf(r = 5, geometry)

# compute distances 
distances <- pol %>% 
  st_cast("POINT") %>% 
  st_distance(st_centroid(pol))

distances
#>          [,1]
#> [1,] 1.201850
#> [2,] 1.054093
#> [3,] 2.027588
#> [4,] 1.201850

# maximum dist:
max_dist <- max(distances)
max_dist
#> [1] 2.027588

# plot to see if is this correct: seems so.
plot(st_geometry(pol))
plot(st_centroid(pol), add = T)
plot(st_cast(pol, "POINT")[which.max(distances),],
     cex =3, add = T, col = "red")

您两次获得相同的距离,因为第一个和最后一个顶点是相同的,但是由于您对最大值感兴趣,所以这无关紧要。

高温高压

于 2018-01-25T22:04:39.227 回答
1

我不确定你到底想要什么:到最远点的距离(这是你问的)或最远点的坐标(这是你指向的答案所提供的)。

这是计算距离的解决方案(可以轻松更改以提取坐标)

# This is an example for one polygon.
# NB the polygon is the same as in the answer pointed to in the question

library(sf)
sfPol <- st_sf(st_sfc(st_polygon(list(cbind(c(5,4,2,5),c(2,3,2,2))))))

center <- st_centroid(sfPol)
vertices <-  st_coordinates(sfPol)[,1:2]
vertices <-  st_as_sf(as.data.frame(vertices), coords = c("X", "Y"))
furthest <- max(st_distance(center, vertices))
furthest

## [1] 1.699673



# You can adapt this code into a function that will work 
# for multiple polygons

furthest <- function(poly) {
    # tmpfun find the furthest point from the centroid of one unique polygon
    tmpfun <- function(x) {
        center <- st_centroid(x)
        vertices <-  st_coordinates(x)[,1:2]
        vertices <-  st_as_sf(as.data.frame(vertices), coords = c("X", "Y"))
        furthest <- max(st_distance(center, vertices))
        return(furthest)
    }

    # We apply tmpfun on each polygon
    return(lapply(st_geometry(poly), tmpfun))
}


poly1 <- cbind(c(5,4,2,5),c(2,3,2,2))
poly2 <- cbind(c(15,10,8,15),c(5,4,12,5))

sfPol <- st_sf(st_sfc(list(st_polygon(list(poly1)), 
                           st_polygon(list(poly2)))))

furthest(sfPol)

## [[1]]
## [1] 1.699673
## 
## [[2]]
## [1] 5.830952
于 2018-01-25T23:15:54.953 回答