我正在缩放MKMapView以适应一组引脚的边界区域,但是当显示引脚时,我注意到变焦可以理想地做得更紧。我提出的解决方案是让区域增量略小:
// SMALL ZOOM
region.span.latitudeDelta = (upper.latitude - lower.latitude) * 0.9;
region.span.longitudeDelta = (upper.longitude - lower.longitude) * 0.9;
但是我注意到微调似乎没有转化为小的变焦增加,是否有某种形式的缩放对齐?实际上小的值可以工作,就像真正的大值一样,但只是将区域大小调整几个百分点似乎不适用于视图几乎总是跳跃/放大到远端并削减我的引脚。
快速测试显示该地区不同比例因子的结果:
// SCALE FACTOR
// V
region.span.latitudeDelta = (upper.latitude - lower.latitude) * 0.9;
region.span.longitudeDelta = (upper.longitude - lower.longitude) * 0.9;
结果如下:
我的观点是,非常小的调整(例如0.6到0.9)似乎没有任何区别。
答案 0 :(得分:6)
较小的调整永远不会使mapview缩放级别发生变化。当您传递区域时,mapview会决定使用哪种缩放级别以获得最佳匹配。它永远不会使用“中间”级别。原因是“中间”缩放级别看起来很模糊。你给它想要显示的区域,它会产生一个包含整个区域的缩放级别。将您想要的区域提供给regionThatFits:
应该返回它使用的级别。
如果你用捏缩放地图,你可以达到两个缩放级别之间的水平,但如果你双击(放大)或做两个手指点击(缩小)你将只能看到“标准”缩放级别。
我在这里谈论缩放级别,但实际上它们在iOS中不存在,就像它们存在于Google地图中一样。只要将地图设置为某个级别,就只存在区域。
考虑到你最适合引脚的问题,我发现在iOS 4中发生了一些变化,我用来装入引脚的代码突然间给了太多空间。我将增量除以3,然后再次起作用。您可能希望将其包装在条件中以仅定位到iOS 4。
region.span.longitudeDelta = (maxCoord.longitude - minCoord.longitude) / 3.0;
region.span.latitudeDelta = (maxCoord.latitude - minCoord.latitude) / 3.0;
查看代码,使用* 0.9
来获得完全相同的内容。
我发现的一个奇怪的事情是regionThatFits:
返回的值并不总是mapview最终设置的区域。它可能是一个错误,但它自iOS 4.0以来一直存在。您可以通过从MKCoordinateRegion
记录regionThatFits:
并在缩放后将其与mapview的区域进行比较来自行测试。我似乎记得它出现在Apple开发者论坛上。
答案 1 :(得分:4)
我发现这种方法非常有用。您需要做的只是调用它并传递MKMapView
作为参数,它将确定适合所有注释的最佳缩放级别。可以通过修改注释行(目前为1.1)的常数乘数来调整“紧密度”。
What's the best way to zoom out and fit all annotations in MapKit
- (void)zoomToFitMapAnnotations:(MKMapView *)mapView
{
if ([mapView.annotations count] == 0)
return;
CLLocationCoordinate2D topLeftCoord;
topLeftCoord.latitude = -90;
topLeftCoord.longitude = 180;
CLLocationCoordinate2D bottomRightCoord;
bottomRightCoord.latitude = 90;
bottomRightCoord.longitude = -180;
for (MapAnnotation *annotation in mapView.annotations)
{
topLeftCoord.longitude = fmin(topLeftCoord.longitude, annotation.coordinate.longitude);
topLeftCoord.latitude = fmax(topLeftCoord.latitude, annotation.coordinate.latitude);
bottomRightCoord.longitude = fmax(bottomRightCoord.longitude, annotation.coordinate.longitude);
bottomRightCoord.latitude = fmin(bottomRightCoord.latitude, annotation.coordinate.latitude);
}
MKCoordinateRegion region;
region.center.latitude = topLeftCoord.latitude - (topLeftCoord.latitude - bottomRightCoord.latitude) * 0.5;
region.center.longitude = topLeftCoord.longitude + (bottomRightCoord.longitude - topLeftCoord.longitude) * 0.5;
region.span.latitudeDelta = fabs(topLeftCoord.latitude - bottomRightCoord.latitude) * 1.1; // Add a little extra space on the sides
region.span.longitudeDelta = fabs(bottomRightCoord.longitude - topLeftCoord.longitude) * 1.1; // Add a little extra space on the sides
region = [mapView regionThatFits:region];
[mapView setRegion:region animated:YES];
}