R的新sf
包使得在 R 中处理地理数据变得非常容易,并且开发版本有一个用于绘制 sf 风格的地理数据ggplot2
的新
层。geom_sf()
在sf
处理数据的范式中,是否可以将 ggplot 美学映射到LINESTRING
几何图形?
例如,使用标准 ggplot,可以 使用 ggplot 和此数据重新创建Minard 著名的 1812 年拿破仑大军中幸存者的情节,并根据幸存者的数量确定军队的路径:
# Install the dev version of ggplot2 for geom_sf()
# devtools::install_github("tidyverse/ggplot2")
library(tidyverse)
troops <- read_csv("https://gist.githubusercontent.com/andrewheiss/69b9dffb7cca392eb7f9bdf56789140f/raw/3e2a48635ae44837955765b5e7747c429b0b5d71/troops.csv")
ggplot(troops) +
geom_path(aes(x = long, y = lat, color = direction,
group = group, size = survivors),
lineend = "round")
sf
我们可以通过创建一个新
geometry
列来将此部队数据作为对象使用,如下所示:
library(sf)
#> Linking to GEOS 3.6.1, GDAL 2.1.3, proj.4 4.9.3
troops_with_geometry <- troops %>%
st_as_sf(coords = c("long", "lat"))
head(troops_with_geometry)
#> Simple feature collection with 6 features and 3 fields
#> geometry type: POINT
#> dimension: XY
#> bbox: xmin: 24 ymin: 54.5 xmax: 28 ymax: 55
#> epsg (SRID): NA
#> proj4string: NA
#> # A tibble: 6 x 4
#> survivors direction group geometry
#> <int> <chr> <int> <simple_feature>
#> 1 340000 A 1 <POINT (24 54.9)>
#> 2 340000 A 1 <POINT (24.5 55)>
#> 3 340000 A 1 <POINT (25.5 ...>
#> 4 320000 A 1 <POINT (26 54.7)>
#> 5 300000 A 1 <POINT (27 54.8)>
#> 6 280000 A 1 <POINT (28 54.9)>
如果我们用 绘制它geom_sf
,ggplot 将使用点:
ggplot(troops_with_geometry) +
geom_sf(aes(color = direction, group = group))
我们可以通过分组、汇总和转换为每个组和方向创建线串。
troops_lines <- troops_with_geometry %>%
group_by(direction, group) %>%
summarize() %>%
st_cast("LINESTRING")
head(troops_lines)
#> Simple feature collection with 6 features and 2 fields
#> geometry type: LINESTRING
#> dimension: XY
#> bbox: xmin: 24 ymin: 54.1 xmax: 37.7 ymax: 55.8
#> epsg (SRID): NA
#> proj4string: NA
#> direction group geometry
#> 1 A 1 LINESTRING (24 54.9, 24.5 5...
#> 2 A 2 LINESTRING (24 55.1, 24.5 5...
#> 3 A 3 LINESTRING (24 55.2, 24.5 5...
#> 4 R 1 LINESTRING (24.1 54.4, 24.2...
#> 5 R 2 LINESTRING (28.3 54.2, 28.5...
#> 6 R 3 LINESTRING (24.1 54.4, 24.2...
ggplot 然后可以绘制这六条连接线并正确着色:
ggplot(troops_lines) +
geom_sf(aes(color = direction, group = group))
但是,幸存者数据现在已经消失,并且无法将尺寸美学映射到新线条。
有没有办法将其他美学(如大小)与sf
基于
LINESTRING
数据的数据相关联?或者,换句话说,有没有办法重新创建
ggplot(...) + geom_path(aes(x = long, y = lat, size = something))
使用geom_sf()
和使用地理数据的 sf 范式?