我想要的是从源到目的地获取地理点,点之间的距离可以是1米。我认为折线也是通过连接源和目的地之间的地理点来完成的。我不知道的是我们能获得这些地理位置吗?
答案 0 :(得分:2)
实际上,您可以在Directions API中获取构成路线的LatLng列表。如果您检查documentation的响应格式,您会看到每条路线中都有legs[]
数组,而每条路的每一条腿都有steps[]
数组,最后每一步都有polyline
属性。根据文件
折线包含单个点对象,该对象包含步骤的编码折线表示。该折线是该步骤的近似(平滑)路径。
我们的想法是获取响应,将其解析为JSON对象,并按腿和步骤创建路径循环。您应解码步骤的每个折线属性,并将结果LatLng添加到列表中。
解码折线有几种选择:
您可以编写自己的函数来解码encoded polyline文档中描述的以下算法
您可以使用具有编码/解码折线的实用功能的Google Maps Android API Utility Library
最后,你可以使用Java client library for Google Maps Web services同时实现编码/解码折线算法。
Google Maps Web服务的Java客户端库可能是实现它的最简单方法。代码段可能是以下
//Define list to get all latlng for the route
List<LatLng> path = new ArrayList();
//Execute Directions API request
GeoApiContext context = new GeoApiContext.Builder()
.apiKey("YOUR_API_KEY")
.build();
DirectionsApiRequest req = DirectionsApi.getDirections(context, "41.385064,2.173403", "40.416775,-3.70379");
try {
DirectionsResult res = req.await();
//Loop through legs and steps to get encoded polylines of each step
if (res.routes != null && res.routes.length > 0) {
DirectionsRoute route = res.routes[0];
if (route.legs !=null) {
for(int i=0; i<route.legs.length; i++) {
DirectionsLeg leg = route.legs[i];
if (leg.steps != null) {
for (int j=0; j<leg.steps.length;j++){
DirectionsStep step = leg.steps[j];
if (step.steps != null && step.steps.length >0) {
for (int k=0; k<step.steps.length;k++){
DirectionsStep step1 = step.steps[k];
EncodedPolyline points1 = step1.polyline;
if (points1 != null) {
//Decode polyline and add points to list of route coordinates
List<com.google.maps.model.LatLng> coords1 = points1.decodePath();
for (com.google.maps.model.LatLng coord1 : coords1) {
path.add(new LatLng(coord1.lat, coord1.lng));
}
}
}
} else {
EncodedPolyline points = step.polyline;
if (points != null) {
//Decode polyline and add points to list of route coordinates
List<com.google.maps.model.LatLng> coords = points.decodePath();
for (com.google.maps.model.LatLng coord : coords) {
path.add(new LatLng(coord.lat, coord.lng));
}
}
}
}
}
}
}
}
} catch(Exception ex) {
Log.e(TAG, ex.getLocalizedMessage());
}
//Draw the polyline
if (path.size() > 0) {
PolylineOptions opts = new PolylineOptions().addAll(path).color(Color.BLUE).width(5);
mMap.addPolyline(opts);
}
您可以从https://github.com/xomena-so/so47492459
下载完整的示例项目不要忘记用你的API替换API密钥。
我希望这有帮助!