14

我一直在查看 Apple 的 iOS 类参考文档,但不幸的是我并不明智。我已经下载了他们的示例代码KMLViewer,但他们过于复杂了......我真正想知道的是如何生成路径并将其添加到MKMapView. 文档谈到使用 a CGPathRef,但并没有真正解释如何使用。

4

1 回答 1

20

以下是如何生成路径并将其作为覆盖添加到MKMapView. 我将使用 an MKPolylineView,它是 的一个子类,它使MKOverlayPathView您不必引用任何CGPath内容,因为您改为创建一个MKPolyline(包含路径的数据)并使用它来创建MKPolylineView(数据在地图)。

MKPolyline必须使用 C 点数组 ( )MKMapPoint或 C 坐标数组 ( CLLocationCoordinate2D) 创建。遗憾的是 MapKit 不使用更高级的数据结构,例如NSArray,但就这样吧!我将假设您有一个NSArrayor对象来演示如何转换NSMutableArrayCLLocation适合MKPolyline. 这个数组被调用locations,你如何填充它将由你的应用程序决定——例如,通过处理用户的触摸位置来填充,或者填充从 Web 服务下载的数据等。

在负责的视图控制器中MKMapView

int numPoints = [locations count];
if (numPoints > 1)
{
    CLLocationCoordinate2D* coords = malloc(numPoints * sizeof(CLLocationCoordinate2D));
    for (int i = 0; i < numPoints; i++)
    {
         CLLocation* current = [locations objectAtIndex:i];
         coords[i] = current.coordinate;
    }

    self.polyline = [MKPolyline polylineWithCoordinates:coords count:numPoints];
    free(coords);

    [mapView addOverlay:self.polyline];
    [mapView setNeedsDisplay];
}

请注意, self.polyline 在 .h 中声明为:

@property (nonatomic, retain) MKPolyline* polyline;

这个视图控制器也应该实现这个MKMapViewDelegate方法:

- (MKOverlayView*)mapView:(MKMapView*)theMapView viewForOverlay:(id <MKOverlay>)overlay
{
    MKPolylineView* lineView = [[[MKPolylineView alloc] initWithPolyline:self.polyline] autorelease];
    lineView.fillColor = [UIColor whiteColor];
    lineView.strokeColor = [UIColor whiteColor];
    lineView.lineWidth = 4;
    return lineView;
}

您可以使用 fillColor、strokeColor 和 lineWidth 属性来确保它们适合您的应用程序。我刚刚在这里画了一条简单、中等宽度的纯白线。

如果你想从地图中删除路径,例如用一些新坐标更新它,那么你会这样做:

[mapView removeOverlay:self.polyline];
self.polyline = nil;

然后重复上述过程,创建一条新的 MKPolyline 并将其添加到地图中。

虽然乍一看 MapKit 可能看起来有点可怕和复杂,但可以很容易地做一些如本例所示的事情。唯一可怕的一点 - 至少对于非 C 程序员来说 - 是使用 malloc 创建缓冲区,使用数组语法将 CLLocationCoordinates 复制到其中,然后释放内存缓冲区。

于 2012-04-19T09:30:50.660 回答