2

我有几个位置的纬度和对数信息。这是一个示例:

lat<-c(17.48693,17.49222,17.51965,17.49359,17.49284,17.47077)
long<-c(78.38945,78.39643,78.37835,78.40079,78.40686,78.35874)

我想以某种顺序绘制这些位置(比如上述向量中第一个元素的经纬度组合将是起点,我需要以相同的顺序旅行直到最后一个位置)在 R 中使用谷歌地图方向。经过一些搜索我发现有一个谷歌地图 api,我可以从中获取指定位置的谷歌地图截图,在它之上我们需要绘制线来连接它们。但我需要的是谷歌地图行车路线来连接位置(不是 ggplot 线)。请帮忙。

4

2 回答 2

8

我已经编写了包googleway以使用有效的 API 密钥访问谷歌地图 API。

您可以使用该功能google_directions()获取路线,包括航点、路线步数、行程、距离、时间等。

例如

library(googleway)

## using a valid Google Maps API key
key <- "your_api_key"

## Using the first and last coordinates as the origin/destination
origin <- c(17.48693, 78.38945)
destination <- c(17.47077, 78.35874)

## and the coordinates in between as waypoints
waypoints <- list(via = c(17.49222, 78.39643),
                  via = c(17.51965, 78.37835),
                  via = c(17.49359, 78.40079),
                  via = c(17.49284, 78.40686))
## use 'stop' in place of 'via' for stopovers

## get the directions from Google Maps API
res <- google_directions(origin = origin,
                         destination = destination,
                         waypoints = waypoints,
                         key = key)  ## include simplify = F to return data as JSON

结果是从谷歌地图接收到的所有数据

## see the structure
# str(res)

您在 Google 地图上看到的线路包含在

res$routes$overview_polyline$points
# [1] "slviBqmm}MSLiA{B^wAj@sB}Ac@...

这是一条编码的折线。

要从中获取纬度/经度,请使用该功能decode_pl()

df_polyline <- decode_pl(res$routes$overview_polyline$points)
head(df_polyline)
#        lat      lon
# 1 17.48698 78.38953
# 2 17.48708 78.38946
# 3 17.48745 78.39008
# 4 17.48729 78.39052
# 5 17.48707 78.39110
# 6 17.48754 78.39128

当然,您可以根据需要进行绘图

library(leaflet)

leaflet() %>%
  addTiles() %>%
  addPolylines(data = df_polyline, lat = ~lat, lng = ~lon)

在此处输入图像描述


编辑 2017-07-21

googleway2.0 开始,您可以在 Google 地图中绘制折线,或者像以前一样使用解码的坐标,或者直接使用折线

google_map(key = key) %>%
    add_polylines(data = data.frame(polyline = res$routes$overview_polyline$points), 
                                polyline = "polyline")

在此处输入图像描述

于 2016-06-25T01:59:18.823 回答
2

这基本上归结为创建 aroute_df然后将结果绘制为geom_path. 例如,对于单个路由,您可以执行以下操作:

library(ggmap)

route_df <- route(from = "Hyderabad, Telangana 500085, India",
                  to = "Kukatpally, Hyderabad, Telangana 500072, India",
                  structure = "route")

my_map <- get_map("Hyderabad, Telangana 500085, India", zoom = 13)

ggmap(my_map) +
  geom_path(aes(x = lon, y = lat), color = "red", size = 1.5,
            data = route_df, lineend = "round")

带路线的地图

因此,您可能可以通过生成每条 from-to 路线并将rbind所有结果合并成一个大route_df文件并绘制最终结果来解决此问题。如果您尝试并显示(使用代码)您卡在哪里,其他人会更容易帮助您。您可能想要编辑您的原始问题,或者在展示您尝试过的内容后提交一个新问题。

带有此答案的此 SO 帖子应该会有所帮助。

于 2015-10-29T14:54:01.597 回答