2

我试图在我的地图上显示一条折线,但这条线没有出现。我尝试了很多东西,但注意到似乎有效。

我检查了核心数据函数,它正在返回数据,所以这不是问题。它必须是我在地图点创建或地图上的某个地方(我猜)。我确定它一定是某个地方的一个小错误,但我找不到它。

我的代码:

- (void)viewDidLoad
{
    [super viewDidLoad];

    AppDelegate *appDelegate = [[UIApplication sharedApplication] delegate];
    mapView.delegate = self;
}

- (void)createLine
{
    AppDelegate *appDelegate = [[UIApplication sharedApplication] delegate];
    NSManagedObjectContext *context = [appDelegate managedObjectContext];

    NSEntityDescription *entityDescription = [NSEntityDescription entityForName:@"Logs" inManagedObjectContext:context];
    NSFetchRequest *request = [[NSFetchRequest alloc] init];
    [request setEntity:entityDescription];

    NSError *error;
    NSArray *logs = [context executeFetchRequest:request error:&error];

    int logsCount = [logs count];
    MKMapPoint points[logsCount];

    // loop logs
    for (int i = 0; i < logsCount; i++)
    {
        MKMapPoint point;
        point = MKMapPointMake([[[logs objectAtIndex:i] valueForKey:@"lat"] doubleValue], [[[logs objectAtIndex:i] valueForKey:@"lng"] doubleValue]);

        points[i] = point;
    }

    MKPolyline *routeLine = [MKPolyline polylineWithPoints:points count:logsCount];
    [mapView addOverlay:routeLine];
}

- (MKOverlayView *)mapView:(MKMapView *)mapView viewForOverlay:(id <MKOverlay>)overlay
{
    MKOverlayView *mapOverlayView = [[MKOverlayView alloc] initWithOverlay:overlay];
    return mapOverlayView;
}
4

1 回答 1

2

显示的代码有两个问题:

  1. 正在使用MKMapPoints 创建折线,而这些 s 被错误地设置为纬度/经度值。AnMKMapPoint不是纬度/经度度数。它是平面地图投影上纬度/经度的 x/y 变换。将纬度/经度值转换为s usingMKMapPointMKMapPointForCoordinate仅使用CLLocationCoordinate2D。仅CLLocationCoordinate2D在具有纬度/经度时使用就更容易编码和理解。
  2. 在中,代码正在创建一个不可见viewForOverlay的空。MKOverlayView创建一个MKPolylineView相反(MKOverlayView绘制MKPolylines 的子类)并设置其strokeColor.


对于第一个问题,使用:

  • CLLocationCoordinate2D而不是MKMapPoint,
  • CLLocationCoordinate2DMake而不是MKMapPointMake,
  • polylineWithCoordinates不是polylineWithPoints


对于第二个问题,这里有一个例子:

- (MKOverlayView *)mapView:(MKMapView *)mapView viewForOverlay:(id <MKOverlay>)overlay
{
    if ([overlay isKindOfClass:[MKPolyline class]])
    {
        MKPolylineView *mapOverlayView = [[MKPolylineView alloc] initWithPolyline:overlay];
        //add autorelease if not using ARC
        mapOverlayView.strokeColor = [UIColor redColor];
        mapOverlayView.lineWidth = 2;
        return mapOverlayView;
    }

    return nil;
}


其他几件事:

  • 而不是valueForKey:@"lat",我会使用objectForKey:@"lat"(对于@"lng")。
  • 确保delegate设置了地图视图,否则viewForOverlay即使进行了所有其他更改,也不会调用委托方法。
于 2013-05-30T15:12:37.980 回答