Масштабування MKMapView для розміщення шпильок для анотацій?


193

Я використовую MKMapView і додав на карту декілька шпильок для анотацій про площу 5-10 кілометрів. Коли я запускаю програму, моя карта починає зменшуватися, щоб показати весь світ, який найкращий спосіб збільшити масштаб карти, щоб шпильки підходили до виду?

РЕДАКТУВАТИ: Моє первісне мислення було б використовувати MKCoordinateRegionMake та обчислити координатний центр, довготуDelta та latitudeDelta з моїх анотацій. Я майже впевнений, що це спрацює, але я просто хотів перевірити, чи не пропускав нічого очевидного.

Код додано, BTW: FGLocation - це клас, який відповідає MKAnnotation, locationFake є одним NSMutableArrayіз цих об'єктів. Коментарі завжди вітаються ....

- (MKCoordinateRegion)regionFromLocations {
    CLLocationCoordinate2D upper = [[locationFake objectAtIndex:0] coordinate];
    CLLocationCoordinate2D lower = [[locationFake objectAtIndex:0] coordinate];

    // FIND LIMITS
    for(FGLocation *eachLocation in locationFake) {
        if([eachLocation coordinate].latitude > upper.latitude) upper.latitude = [eachLocation coordinate].latitude;
        if([eachLocation coordinate].latitude < lower.latitude) lower.latitude = [eachLocation coordinate].latitude;
        if([eachLocation coordinate].longitude > upper.longitude) upper.longitude = [eachLocation coordinate].longitude;
        if([eachLocation coordinate].longitude < lower.longitude) lower.longitude = [eachLocation coordinate].longitude;
    }

    // FIND REGION
    MKCoordinateSpan locationSpan;
    locationSpan.latitudeDelta = upper.latitude - lower.latitude;
    locationSpan.longitudeDelta = upper.longitude - lower.longitude;
    CLLocationCoordinate2D locationCenter;
    locationCenter.latitude = (upper.latitude + lower.latitude) / 2;
    locationCenter.longitude = (upper.longitude + lower.longitude) / 2;

    MKCoordinateRegion region = MKCoordinateRegionMake(locationCenter, locationSpan);
    return region;
}

10
Примітка iOS 7: Новий метод showAnnotations: animied: допоможе вам уникнути цього ручного обчислення регіону.

Відповіді:


123

Ви правильно зрозуміли.

Знайдіть свої максимальні та мінімальні широти та довготи, застосуйте просту арифметику та використовуйте MKCoordinateRegionMake.

Для прошивки 7 і вище, використання showAnnotations:animated:, з MKMapView.h:

// Position the map such that the provided array of annotations are all visible to the fullest extent possible. 
- (void)showAnnotations:(NSArray *)annotations animated:(BOOL)animated NS_AVAILABLE(10_9, 7_0);

158
Для iOS 7 і вище (посилаючись на MKMapView.h): // Position the map such that the provided array of annotations are all visible to the fullest extent possible. - (void)showAnnotations:(NSArray *)annotations animated:(BOOL)animated NS_AVAILABLE(10_9, 7_0);
Abhishek Bedi

1
Це працює добре, але час від часу, коли я збільшую масштаб (на карті), то намагаюся відцентрувати його (за допомогою кнопки, яка викликає цей метод), схоже, це не працює.
RPM

5
Важливо зазначити, що showAnnotationsтакож додає анотації на карту, навіть якщо анотація до цього місця вже існує.
Енеко Алонсо

@EnekoAlonso Ви можете подолати це, подзвонивши removeAnnotations(_ annotations:)одразу після цьогоshowAnnotations(_ annotations:animated)
Ален Штульц

1
Також варто відзначити, що хоча showAnnotations встановлює область для відображення анотацій, регіон все ще коригується відповідно до співвідношення сторін; і це часто виключає деякі примітки. Також зауважте, що showAnnotations - єдине правильне рішення, представлене тут; жоден з інших відповідей навіть не намагається обробити анотації, що охоплюють міжнародний рядок дати.
Гордон Голуб

335

Це я знайшов тут, який працював на мене:

(EDIT: я оновив рішення, використовуючи пропозицію @ Міхея збільшити pointRect на 0,1, щоб переконатися, що прямо не закінчується нескінченно мало!)

MKMapRect zoomRect = MKMapRectNull;
for (id <MKAnnotation> annotation in mapView.annotations)
{
    MKMapPoint annotationPoint = MKMapPointForCoordinate(annotation.coordinate);
    MKMapRect pointRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);
    zoomRect = MKMapRectUnion(zoomRect, pointRect);
}
[mapView setVisibleMapRect:zoomRect animated:YES];

 

Ви також можете оновити це, щоб включити PIN-код користувачаLocation, замінивши перший рядок на:

MKMapPoint annotationPoint = MKMapPointForCoordinate(mapView.userLocation.coordinate);
MKMapRect zoomRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);

4
Справді добре. Вам не потрібно перевіряти isNull, хоча. MKMapRectUnion робить це за вас. З документів: "Якщо будь-який прямокутник є нульовим, цей метод повертає інший прямокутник."
Фелікс Ламуру

37
Дуже приємне рішення !!! Ось додатковий штрих, щоб додати трохи прокладки: подвійний вклад = -zoomRect.size.width * 0,1; [self.mapView setVisibleMapRect: MKMapRectInset (zoomRect, вставка, вставка) анімований: ТАК];
Крейг Б

1
Дивовижно! Потенційне доповнення: якщо ви хочете , щоб виключити «поточне місце розташування анотації» просто додати , якщо оператор протягом циклу: якщо ([анотація isKindOfClass: [MKUserLocation клас]]) {// Do матеріал тут}
kgaidis

2
@CraigB рішення для набивання відмінне, але воно не працює добре, коли шлях вертикальний, наприклад, рух з півдня на північ, щоб виправити це використання подвійного вставки = MIN (-zoomRect.size.width * 0,1, -zoomRect.size висота * 0,1);
Фархад Малекпур

1
Покращення за допомогою прокладки: подвійний insetWidth = -zoomRect.size.width * 0,2; подвійний insetHeight = -zoomRect.size.height * 0,2; MKMapRect insetRect = MKMapRectInset (zoomRect, insetWidth, insetHeight); Потім використовуйте цю нову вставкуRect
dulgan

121

Apple додала новий метод для IOS 7, щоб трохи спростити життя.

[mapView showAnnotations:yourAnnotationArray animated:YES];

Ви можете легко витягнути з масиву, збереженого у поданні карти:

yourAnnotationArray = mapView.annotations;

і швидко налаштуйте камеру!

mapView.camera.altitude *= 1.4;

це не буде працювати, якщо у користувача не встановлено iOS 7+ або OS X 10.9+. перегляньте тут власну анімацію


Я не впевнений, що це пов’язано з деякими іншими факторами моєї реалізації, але я вважаю, що showAnnotationsце не настільки сильно збільшує масштаб / відповідність анотацій, як це робить ручна реалізація, тому я затримався з ручним.
Тед Евери

1
спробуйте помножити висоту камер на частку одиниці, наприклад mapView.camera.altitude * = .85; для ближчого огляду
Райан Берг

Я також вважаю це корисним для вибору анотацій поза поточною видимою областю карти. За замовчуванням MapView не вибирає невидимі примітки. Зателефонуйте showAnnotations з масивом ваших невидимих ​​приміток до виклику selectAnnotation, і карта має оновити область видимості.
MandisaW

42

Я використовую цей код і добре працює для мене:

-(void)zoomToFitMapAnnotations:(MKMapView*)aMapView
{
    if([aMapView.annotations count] == 0)
        return;

    CLLocationCoordinate2D topLeftCoord;
    topLeftCoord.latitude = -90;
    topLeftCoord.longitude = 180;

    CLLocationCoordinate2D bottomRightCoord;
    bottomRightCoord.latitude = 90;
    bottomRightCoord.longitude = -180;

    for(MapViewAnnotation *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 = [aMapView regionThatFits:region];
    [mapView setRegion:region animated:YES];
}

Не працюйте на: ▿ 2 елементи ▿ 0: CLLocationCoordinate2D - широта: 46.969995730376894 - довгота: -109.2494943434474 ▿ 1: CLLocationCoordinate2D - широта: 63.23212154333072 - довгота: 174.13666611126533
Олексій

23

У користуванні Swift

mapView.showAnnotations(annotationArray, animated: true)

В Цілі c

[mapView showAnnotations:annotationArray animated:YES];

2
Якщо анотації вже встановлені на mapView, ви можете посилатися на них безпосередньо:mapView.showAnnotations(mapView.annotations, animated: true)
Justin Vallely

14

Я перетворив відповідь Рафаеля Морейра. Кредит йому належить. Для тих, хто шукає версію Swift, ось код:

 func zoomToFitMapAnnotations(aMapView: MKMapView) {
    guard aMapView.annotations.count > 0 else {
        return
    }
    var topLeftCoord: CLLocationCoordinate2D = CLLocationCoordinate2D()
    topLeftCoord.latitude = -90
    topLeftCoord.longitude = 180
    var bottomRightCoord: CLLocationCoordinate2D = CLLocationCoordinate2D()
    bottomRightCoord.latitude = 90
    bottomRightCoord.longitude = -180
    for annotation: MKAnnotation in myMap.annotations as! [MKAnnotation]{
        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)
    }

    var region: MKCoordinateRegion = MKCoordinateRegion()
    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.4
    region.span.longitudeDelta = fabs(bottomRightCoord.longitude - topLeftCoord.longitude) * 1.4
    region = aMapView.regionThatFits(region)
    myMap.setRegion(region, animated: true)
}

14

Swift 3 Це правильний спосіб підгонки всіх анотацій на карті.

func zoomMapaFitAnnotations() {

        var zoomRect = MKMapRectNull
        for annotation in mapview.annotations {

            let annotationPoint = MKMapPointForCoordinate(annotation.coordinate)

            let pointRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0, 0)

            if (MKMapRectIsNull(zoomRect)) {
                zoomRect = pointRect
            } else {
                zoomRect = MKMapRectUnion(zoomRect, pointRect)
            }
        }
        self.mapview.setVisibleMapRect(zoomRect, edgePadding: UIEdgeInsetsMake(50, 50, 50, 50), animated: true)

    }

@ArshadShaik Ваша запропонована редакція була відхилена, якщо ви хочете надати нову відповідь для Swift 4.2, не соромтеся, але додайте її як відповідь, а не редагуючи її у публікації іншого користувача.
Нік

13

@ рішення jowie чудово працює. Один улов, якщо на карті є лише одна примітка, ви отримаєте повністю зменшену карту. Я додав 0,1 до прямого розміру make, щоб переконатися, що setVisibleMapRect має щось для збільшення.

MKMapRect pointRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);

12

Якщо ви шукаєте iOS 8 і вище , найпростіший спосіб зробити це - встановити режим var layoutMargins: UIEdgeInsets { get set }перегляду вашої карти перед тим, як дзвонитиfunc showAnnotations(annotations: [MKAnnotation], animated: Bool)

Наприклад (Swift 2.1):

@IBOutlet weak var map: MKMapView! {
    didSet {
        map.delegate = self
        map.mapType = .Standard
        map.pitchEnabled = false
        map.rotateEnabled = false
        map.scrollEnabled = true
        map.zoomEnabled = true
    }
}

// call 'updateView()' when viewWillAppear or whenever you set the map annotations
func updateView() {
    map.layoutMargins = UIEdgeInsets(top: 25, left: 25, bottom: 25, right: 25)
    map.showAnnotations(map.annotations, animated: true)
}

12

Я створив розширення, щоб швидко відобразити всі примітки, використовуючи якийсь код звідси і там. Це не відображатиме всі анотації, якщо вони не можуть бути показані навіть при максимальному масштабі.

import MapKit

extension MKMapView {
    func fitAllAnnotations() {
        var zoomRect = MKMapRectNull;
        for annotation in annotations {
            let annotationPoint = MKMapPointForCoordinate(annotation.coordinate)
            let pointRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);
            zoomRect = MKMapRectUnion(zoomRect, pointRect);
        }
        setVisibleMapRect(zoomRect, edgePadding: UIEdgeInsets(top: 50, left: 50, bottom: 50, right: 50), animated: true)
    }
}

Мені вдалося отримати кращі результати, змінивши UIEdgeInsetsMakeпараметри, значення між 30 і 100 були хорошими для мене. Я тестував за допомогою iPhone SE i) S 10.2 Simulator. Приклад коду: setVisibleMapRect(zoomRect, edgePadding: UIEdgeInsetsMake(100, 100, 100, 100), animated: true). Як зауваження, Цей Кодекс працює у Swift 3 та XCode 8.2.1.
nyxee

8

Додано це Якщо цикл у циклі for для виключення штифта про місцезнаходження користувачів із цього методу (потрібен у моєму випадку та, можливо, інші)

if (![annotation isKindOfClass:[MKUserLocation class]] ) {

//Code Here...

}

8

Для iOS 7 і вище (посилаючись на MKMapView.h):

// Position the map such that the provided array of annotations are all visible to the fullest extent possible.          

- (void)showAnnotations:(NSArray *)annotations animated:(BOOL)animated NS_AVAILABLE(10_9, 7_0);

зауваження від - Абхішек Беді

Ви просто телефонуєте:

 [yourMapView showAnnotations:@[yourAnnotation] animated:YES];

Для довідки, текст NS_AVAILABLE був там, оскільки в січні 2011 року наявність iOS 7 на пристрої не надто вірогідна, а NS_AVAILABLE захищав додаток від збоїв або збоїв у складанні.
Меттью Фредерік

5

У Свіфта

    var zoomRect = MKMapRectNull;

    for i in 0..<self.map.annotations.count {

        let annotation: MKAnnotation = self.map.annotations[i]

        let annotationPoint = MKMapPointForCoordinate(annotation.coordinate);
        let pointRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);
        zoomRect = MKMapRectUnion(zoomRect, pointRect);
    }

    self.map.setVisibleMapRect(zoomRect, animated: true)

5
    var zoomRect: MKMapRect = MKMapRect.null
    for annotation in mapView.annotations {
        let annotationPoint = MKMapPoint(annotation.coordinate)
        let pointRect = MKMapRect(x: annotationPoint.x, y: annotationPoint.y, width: 0.1, height: 0.1)
        zoomRect = zoomRect.union(pointRect)
    }
    mapView.setVisibleMapRect(zoomRect, animated: true)

// Відредаговано для швидкого 5


4

Завдяки jowie я оновив свою стару категорію на більш елегантне рішення. Спільний доступ, майже скопіюйте та вставте готове рішення

MKMapView + AnnotationsRegion.h

#import <MapKit/MapKit.h>

@interface MKMapView (AnnotationsRegion)

-(void)updateRegionForCurrentAnnotationsAnimated:(BOOL)animated;
-(void)updateRegionForCurrentAnnotationsAnimated:(BOOL)animated edgePadding:(UIEdgeInsets)edgePadding;

-(void)updateRegionForAnnotations:(NSArray *)annotations animated:(BOOL)animated;
-(void)updateRegionForAnnotations:(NSArray *)annotations animated:(BOOL)animated edgePadding:(UIEdgeInsets)edgePadding;

@end

MKMapView + AnnotationsRegion.m

#import "MKMapView+AnnotationsRegion.h"

@implementation MKMapView (AnnotationsRegion)

-(void)updateRegionForCurrentAnnotationsAnimated:(BOOL)animated{
    [self updateRegionForCurrentAnnotationsAnimated:animated edgePadding:UIEdgeInsetsZero];
}
-(void)updateRegionForCurrentAnnotationsAnimated:(BOOL)animated edgePadding:(UIEdgeInsets)edgePadding{
    [self updateRegionForAnnotations:self.annotations animated:animated edgePadding:edgePadding];
}

-(void)updateRegionForAnnotations:(NSArray *)annotations animated:(BOOL)animated{
    [self updateRegionForAnnotations:annotations animated:animated edgePadding:UIEdgeInsetsZero];
}
-(void)updateRegionForAnnotations:(NSArray *)annotations animated:(BOOL)animated edgePadding:(UIEdgeInsets)edgePadding{
    MKMapRect zoomRect = MKMapRectNull;
    for(id<MKAnnotation> annotation in annotations){
        MKMapPoint annotationPoint = MKMapPointForCoordinate(annotation.coordinate);
        MKMapRect pointRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);
        zoomRect = MKMapRectUnion(zoomRect, pointRect);
    }
    [self setVisibleMapRect:zoomRect edgePadding:edgePadding animated:animated];
}

@end

Сподіваюся, що це комусь допомагає і ще раз дякую Джоузі!


4
 - (void)zoomMapViewToFitAnnotationsWithExtraZoomToAdjust:(double)extraZoom
{

    if ([self.annotations count] == 0) return;

   int i = 0;
  MKMapPoint points[[self.annotations count]];

   for (id<MKAnnotation> annotation in [self annotations])
  {
      points[i++] = MKMapPointForCoordinate(annotation.coordinate);
   }

  MKPolygon *poly = [MKPolygon polygonWithPoints:points count:i];

MKCoordinateRegion r = MKCoordinateRegionForMapRect([poly boundingMapRect]);
r.span.latitudeDelta += extraZoom;
r.span.longitudeDelta += extraZoom;

[self setRegion: r animated:YES];

}

4

Як в коментарі вказує Абхішек Беді, для iOS7 вперед найкращий спосіб зробити це:

//from API docs: 
//- (void)showAnnotations:(NSArray *)annotations animated:(BOOL)animated NS_AVAILABLE(10_9, 7_0);
[self.mapView showAnnotations:self.mapView.annotations animated:YES];

Для мого особистого проекту (до iOS7) я просто додав категорію до класу MKMapView, щоб інкапсулювати функцію "видима область" для дуже поширеної операції: встановивши її так, щоб вона змогла бачити всі завантажені в даний час анотації на екземплярі MKMapView ( сюди входить стільки штифтів, скільки ви можете розмістити, а також місцезнаходження користувача). результат був такий:

.h файл

#import <MapKit/MapKit.h>

@interface MKMapView (Extensions)

-(void)ij_setVisibleRectToFitAllLoadedAnnotationsAnimated:(BOOL)animated;
-(void)ij_setVisibleRectToFitAnnotations:(NSArray *)annotations animated:(BOOL)animated;


@end

.m файл

#import "MKMapView+Extensions.h"

@implementation MKMapView (Extensions)

/**
 *  Changes the currently visible portion of the map to a region that best fits all the currently loadded annotations on the map, and it optionally animates the change.
 *
 *  @param animated is the change should be perfomed with an animation.
 */
-(void)ij_setVisibleRectToFitAllLoadedAnnotationsAnimated:(BOOL)animated
{
    MKMapView * mapView = self;

    NSArray * annotations = mapView.annotations;

    [self ij_setVisibleRectToFitAnnotations:annotations animated:animated];

}


/**
 *  Changes the currently visible portion of the map to a region that best fits the provided annotations array, and it optionally animates the change.
    All elements from the array must conform to the <MKAnnotation> protocol in order to fetch the coordinates to compute the visible region of the map.
 *
 *  @param annotations an array of elements conforming to the <MKAnnotation> protocol, holding the locations for which the visible portion of the map will be set.
 *  @param animated    wether or not the change should be perfomed with an animation.
 */
-(void)ij_setVisibleRectToFitAnnotations:(NSArray *)annotations animated:(BOOL)animated
{
    MKMapView * mapView = self;

    MKMapRect r = MKMapRectNull;
    for (id<MKAnnotation> a in annotations) {
        ZAssert([a conformsToProtocol:@protocol(MKAnnotation)], @"ERROR: All elements of the array MUST conform to the MKAnnotation protocol. Element (%@) did not fulfill this requirement", a);
        MKMapPoint p = MKMapPointForCoordinate(a.coordinate);
        //MKMapRectUnion performs the union between 2 rects, returning a bigger rect containing both (or just one if the other is null). here we do it for rects without a size (points)
        r = MKMapRectUnion(r, MKMapRectMake(p.x, p.y, 0, 0));
    }

    [mapView setVisibleMapRect:r animated:animated];

}

@end

Як бачите, до цього часу я додав два методи: один для встановлення видимої області карти до того, який відповідає всім завантаженим в даний час анотаціям на екземпляр MKMapView, та інший спосіб встановити його для будь-якого масиву об'єктів. Отже, щоб встановити видимий регіон mapView, код тоді був би таким же простим, як:

   //the mapView instance  
    [self.mapView ij_setVisibleRectToFitAllLoadedAnnotationsAnimated:animated]; 

Я сподіваюся, що це допомагає =)


3

Усі відповіді на цій сторінці припускають, що карта займає весь екран . Насправді у мене є дисплей HUD (тобто кнопки, розкидані вгорі та внизу), які дають інформацію на вершині карти .. і тому алгоритми на сторінці відображатимуть шпильки в порядку, але деякі з них з’являться під кнопками відображення HUD .

Моє рішення збільшує карту, щоб відображати примітки в підмножині екрана і працює для різних розмірів екрана (тобто 3,5 "проти 4,0" тощо):

// create a UIView placeholder and throw it on top of the original mapview
// position the UIView to fit the maximum area not hidden by the HUD display buttons
// add an *other* mapview in that uiview, 
// get the MKCoordinateRegion that fits the pins from that fake mapview
// kill the fake mapview and set the region of the original map 
// to that MKCoordinateRegion.

Ось що я зробив у коді (зауважте: я використовую NSConstraintsдеякі допоміжні методи, щоб мій код працював у різних розмірах екрана .. в той час як код досить читабельний .. моя відповідь тут пояснює це краще .. це в основному той же робочий процес :)

// position smallerMap to fit available space
// don't store this map, it will slow down things if we keep it hidden or even in memory
[@[_smallerMapPlaceholder] mapObjectsApplyingBlock:^(UIView *view) {
    [view removeFromSuperview];
    [view setTranslatesAutoresizingMaskIntoConstraints:NO];
    [view setHidden:NO];
    [self.view addSubview:view];
}];

NSDictionary *buttonBindingDict = @{ @"mapPlaceholder": _smallerMapPlaceholder};

NSArray *constraints = [@[@"V:|-225-[mapPlaceholder(>=50)]-176-|",
                          @"|-40-[mapPlaceholder(<=240)]-40-|"
                          ] mapObjectsUsingBlock:^id(NSString *formatString, NSUInteger idx){
                              return [NSLayoutConstraint constraintsWithVisualFormat:formatString options:0 metrics:nil views:buttonBindingDict];
                          }];

[self.view addConstraints:[constraints flattenArray]];
[self.view layoutIfNeeded];

MKMapView *smallerMap = [[MKMapView alloc] initWithFrame:self.smallerMapPlaceholder.frame];
[_smallerMapPlaceholder addSubview:smallerMap];

MKCoordinateRegion regionThatFits = [smallerMap getRegionThatFits:self.mapView.annotations];
[smallerMap removeFromSuperview];
smallerMap = nil;
[_smallerMapPlaceholder setHidden:YES];

[self.mapView setRegion:regionThatFits animated:YES];

ось код, який отримує відповідний регіон:

- (MKCoordinateRegion)getRegionThatFits:(NSArray *)routes {
    MKCoordinateRegion region;
    CLLocationDegrees maxLat = -90.0;
    CLLocationDegrees maxLon = -180.0;
    CLLocationDegrees minLat = 90.0;
    CLLocationDegrees minLon = 180.0;
    for(int idx = 0; idx < routes.count; idx++)
    {
        CLLocation* currentLocation = [routes objectAtIndex:idx];
        if(currentLocation.coordinate.latitude > maxLat)
            maxLat = currentLocation.coordinate.latitude;
        if(currentLocation.coordinate.latitude < minLat)
            minLat = currentLocation.coordinate.latitude;
        if(currentLocation.coordinate.longitude > maxLon)
            maxLon = currentLocation.coordinate.longitude;
        if(currentLocation.coordinate.longitude < minLon)
            minLon = currentLocation.coordinate.longitude;
    }
    region.center.latitude     = (maxLat + minLat) / 2.0;
    region.center.longitude    = (maxLon + minLon) / 2.0;
    region.span.latitudeDelta = 0.01;
    region.span.longitudeDelta = 0.01;

    region.span.latitudeDelta  = ((maxLat - minLat)<0.0)?100.0:(maxLat - minLat);
    region.span.longitudeDelta = ((maxLon - minLon)<0.0)?100.0:(maxLon - minLon);

    MKCoordinateRegion regionThatFits = [self regionThatFits:region];
    return regionThatFits;
}

2

Я зробив невелику модифікацію коду Рафаеля для категорії MKMapView.

- (void)zoomToFitMapAnnotations {
    if ([self.annotations count] == 0)
        return;

    CLLocationCoordinate2D topLeftCoord;
    topLeftCoord.latitude = -90;
    topLeftCoord.longitude = 180;

    CLLocationCoordinate2D bottomRightCoord;
    bottomRightCoord.latitude = 90;
    bottomRightCoord.longitude = -180;

    for (id <MKAnnotation> annotation in self.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

    [self setRegion:[self regionThatFits:region] animated:YES];
}

2

На основі відповідей вище, ви можете використовувати універсальний метод масштабування карти, щоб одночасно вмістити всі примітки та накладки.

-(MKMapRect)getZoomingRectOnMap:(MKMapView*)map toFitAllOverlays:(BOOL)overlays andAnnotations:(BOOL)annotations includeUserLocation:(BOOL)userLocation {
    if (!map) {
        return MKMapRectNull;
    }

    NSMutableArray* overlaysAndAnnotationsCoordinateArray = [[NSMutableArray alloc]init];        
    if (overlays) {
        for (id <MKOverlay> overlay in map.overlays) {
            MKMapPoint overlayPoint = MKMapPointForCoordinate(overlay.coordinate);
            NSArray* coordinate = @[[NSNumber numberWithDouble:overlayPoint.x], [NSNumber numberWithDouble:overlayPoint.y]];
            [overlaysAndAnnotationsCoordinateArray addObject:coordinate];
        }
    }

    if (annotations) {
        for (id <MKAnnotation> annotation in map.annotations) {
            MKMapPoint annotationPoint = MKMapPointForCoordinate(annotation.coordinate);
            NSArray* coordinate = @[[NSNumber numberWithDouble:annotationPoint.x], [NSNumber numberWithDouble:annotationPoint.y]];
            [overlaysAndAnnotationsCoordinateArray addObject:coordinate];
        }
    }

    MKMapRect zoomRect = MKMapRectNull;
    if (userLocation) {
        MKMapPoint annotationPoint = MKMapPointForCoordinate(map.userLocation.coordinate);
        zoomRect = MKMapRectMake(annotationPoint.x, annotationPoint.y, 0.1, 0.1);
    }

    for (NSArray* coordinate in overlaysAndAnnotationsCoordinateArray) {
        MKMapRect pointRect = MKMapRectMake([coordinate[0] doubleValue], [coordinate[1] doubleValue], 0.1, 0.1);
        zoomRect = MKMapRectUnion(zoomRect, pointRect);
    }

    return zoomRect;
}

І потім:

MKMapRect mapRect = [self getZoomingRectOnMap:mapView toFitAllOverlays:YES andAnnotations:YES includeUserLocation:NO];
[mapView setVisibleMapRect:mapRect edgePadding:UIEdgeInsetsMake(10.0, 10.0, 10.0, 10.0) animated:YES];

1

Просто ділюся своїми спостереженнями з цього приводу:

Якщо ви використовуєте xCode> 6 із розмірними "розмірами" для екранів (див. "Імітовані показники" на інспекторі файлів) у дошці зображень, зателефонувавши

- (void)showAnnotations:(NSArray *)annotations animated:(BOOL)animated

в viewDidLoadрезультаті призведе до занадто великого масштабу на iPhone з 4 дюймами, оскільки макет карти все ще залежить від ширших екранів із розгортки.

Ви можете перенести свій дзвінок showAnnotations...на viewDidAppear. Тоді розмір карти вже відрегульовано на менший екран iPhone 4.

Або ж змініть значення "висновок" у інспекторі файлів у розділі "імітовані показники" на 4-дюймовий iphone.


1

Ви можете вибрати фігури, які хочете показати разом із Анотаціями.

extension MKMapView {
  func setVisibleMapRectToFitAllAnnotations(animated: Bool = true,
                                            shouldIncludeUserAccuracyRange: Bool = true,
                                            shouldIncludeOverlays: Bool = true,
                                            edgePadding: UIEdgeInsets = UIEdgeInsets(top: 35, left: 35, bottom: 35, right: 35)) {
    var mapOverlays = overlays

    if shouldIncludeUserAccuracyRange, let userLocation = userLocation.location {
      let userAccuracyRangeCircle = MKCircle(center: userLocation.coordinate, radius: userLocation.horizontalAccuracy)
      mapOverlays.append(MKOverlayRenderer(overlay: userAccuracyRangeCircle).overlay)
    }

    if shouldIncludeOverlays {
      let annotations = self.annotations.filter { !($0 is MKUserLocation) }
      annotations.forEach { annotation in
        let cirlce = MKCircle(center: annotation.coordinate, radius: 1)
        mapOverlays.append(cirlce)
      }
    }

    let zoomRect = MKMapRect(bounding: mapOverlays)
    setVisibleMapRect(zoomRect, edgePadding: edgePadding, animated: animated)
  }
}

extension MKMapRect {
  init(bounding overlays: [MKOverlay]) {
    self = .null
    overlays.forEach { overlay in
      let rect: MKMapRect = overlay.boundingMapRect
      self = self.union(rect)
    }
  }
}

0

@ "Я не впевнений, що це пов'язано з деякими іншими факторами в моїй реалізації, але я вважаю, що showAnnotations не робить настільки масштабний масштаб / відповідність приміток, як це робить ручна реалізація, тому я затримався з ручний. - Тед Евери 17 квітня о 0:35 "

У мене була така ж проблема, але потім я два рази намагався робити шоуАнотації (як нижче), і чомусь це спрацювало.

[mapView showAnnotations: yourAnnotationArray анімований: ТАК]; [mapView showAnnotations: yourAnnotationArray анімований: ТАК];


0

Сумісний спосіб iOS 7 - це використовувати наступне. Перший дзвінок showAnnotation, щоб отримати прямокутник, включаючи всі примітки. Після цього створіть і UIEdgeInsetз верхньою вставкою висоти штифта. Тим самим ти гарантуєш показати весь штифт на карті.

[self.mapView showAnnotations:self.mapView.annotations animated:YES];
MKMapRect rect = [self.mapView visibleMapRect];
UIEdgeInsets insets = UIEdgeInsetsMake(pinHeight, 0, 0, 0);
[self.mapView setVisibleMapRect:rect edgePadding:insets animated:YES];

0

Введіть це відповідно до свого коду:

  - (void)mapView:(MKMapView *)mv didAddAnnotationViews:(NSArray *)views
    {
    id<MKAnnotation> mp = [annotationView annotation];
        MKCoordinateRegion region = MKCoordinateRegionMakeWithDistance([mp coordinate] ,250,250);

       [mv setRegion:region animated:YES];

}
Використовуючи наш веб-сайт, ви визнаєте, що прочитали та зрозуміли наші Політику щодо файлів cookie та Політику конфіденційності.
Licensed under cc by-sa 3.0 with attribution required.