在今年早些时候我问的SO question中,我得到了这段代码:

MKPolygonView *polygonView = (MKPolygonView *)[self.mapView viewForOverlay:polygon];
MKMapPoint mapPoint = MKMapPointForCoordinate(tapCoord);
CGPoint polygonViewPoint = [polygonView pointForMapPoint:mapPoint];

if (CGPathContainsPoint(polygonView.path, NULL, polygonViewPoint, FALSE)) {
    // do stuff
}

直到iOS7都可以使用。现在,它始终返回false,并且不会检测到路径上的点。

我正在尝试查找说明该方法已更改的任何文档,但找不到任何文档。

任何想法为什么它坏了?还是新的解决方案?

最佳答案

由于某些原因(可能是错误),path属性在当前版本的iOS 7中返回NULL

一种解决方法是根据多边形的CGPathRef构造自己的points
使用此方法,您无需引用MKPolygonViewMKPolygonRenderer

例如:

CGMutablePathRef mpr = CGPathCreateMutable();

MKMapPoint *polygonPoints = myPolygon.points;
//myPolygon is the MKPolygon

for (int p=0; p < myPolygon.pointCount; p++)
{
    MKMapPoint mp = polygonPoints[p];
    if (p == 0)
        CGPathMoveToPoint(mpr, NULL, mp.x, mp.y);
    else
        CGPathAddLineToPoint(mpr, NULL, mp.x, mp.y);
}

CGPoint mapPointAsCGP = CGPointMake(mapPoint.x, mapPoint.y);
//mapPoint above is the MKMapPoint of the coordinate we are testing.
//Putting it in a CGPoint because that's what CGPathContainsPoint wants.

BOOL pointIsInPolygon = CGPathContainsPoint(mpr, NULL, mapPointAsCGP, FALSE);

CGPathRelease(mpr);

这也应该适用于iOS 6。
但是,仅当叠加 View 的path属性返回NULL时,才可能要进行手动构建。

10-07 18:42