Blog coding and discussion of coding about JavaScript, PHP, CGI, general web building etc.

Monday, August 1, 2016

Drawing a route in MapKit in iPhone SDK

Drawing a route in MapKit in iPhone SDK


I want to draw a route between two locations on the map. Something like a tour guide. When the tourist clicks another location, I want to be able to draw a route; as well as, inform about the distance from the current location.

I am aware of sites on the Internet which tell how to draw polylines on map. But, most of the examples had a preloaded .csv file with various coordinates.

Is there an alternative way to get the coordinates from Google or any other provider, as the location is selected dynamically.

If NO, how do I get the information for intermediate coordinates?

Does iOS 6 provide any direct way for this problem?

Answer by Andiih for Drawing a route in MapKit in iPhone SDK


This is a tricky one. There is no way to do that with MapKit: it's easy enough to draw lines when you know the coordinates, but MapKit won't give you access to the roads or other routing information. I'd say you need to call an external API to get your data.

I've been playing with cloudmade.com API. The vector stream server should return what you need, and then you can draw that over your map. However, discrepancies between the Google maps and the OSM maps used by cloudmade may make you want to use cloudmade maps all the way: they have an equivalent to MapKit.

P.S.: Other mapping providers - Google, Bing, etc. may also provide equivalent data feeds. I've just been looking at OSM/Cloudmade recently.

P.P.S.: None of this is trivial newbie stuff! Best of luck!

Answer by Daniel Amitay for Drawing a route in MapKit in iPhone SDK


Andiih's got it right. MapKit won't let you do that. Unfortunately, Google won't let you do what you want to do either.

When Apple announced MapKit and all, they also explicitly stated that any navigational applications would be BYOM: Bring Your Own Maps, so any navigation application uses their own set of mapping tools.

Google's Terms of Service restrict you from even displaying routes on top of their maps:

http://code.google.com/intl/de/apis/maps/iphone/terms.html

License Restrictions:

10.9 use the Service or Content with any products, systems, or applications for or in connection with:

(a) real time navigation or route guidance, including but not limited to turn-by-turn route guidance that is synchronized to the position of a user's sensor-enabled device;

(b) any systems or functions for automatic or autonomous control of vehicle behavior; or

(c) dispatch, fleet management, business asset tracking, or similar enterprise applications (the Google Maps API can be used to track assets (such as cars, buses or other vehicles) as long as the tracking application is made available to the public without charge. For example, you may offer a free, public Maps API Implementation that displays real-time public transit or other transportation status information.

Sadly, this includes what you would like to do. Hopefully one day MapKit will be expanded to allow such features... although unlikely.

Good luck.

Answer by leviathan for Drawing a route in MapKit in iPhone SDK


You might want to have a look at https://github.com/leviathan/nvpolyline This solution is especially targeted at iPhone OS versions prior to v.4.0

Although it can also be used in v.4.0 Hope this helps.

Answer by iOS_User for Drawing a route in MapKit in iPhone SDK


Try MapKit-Route-Directions (GitHub).

Answer by Fabian for Drawing a route in MapKit in iPhone SDK


MapQuest has an SDK that's a drop-in replacement for MapKit. It's currently in beta, but under active development.

It allows overlays, routing, and geocoding.

MapQuest iOS Maps API

Answer by Roman for Drawing a route in MapKit in iPhone SDK


Just to clarify, it looks like there are a couple of things being discussed. One is a way to get the vertices of a route and the other is to draw an overlay on the map using those vertices. I know the MapQuest APIs, so I have some links for those below - Google and Bing have equivalents I think.

1) Getting vertices of a route
If you're looking for the new coordinates of a route to draw a route overlay, you can either use a web service call to a routing web service - I'm assuming you're using JavaScript here to display the map. If you're using native code, you can still hit a web service or you can use a native call (that is, the MapQuest iPhone SDK has a native route call in it).

Most of the directions services should return the "shapepoints" of the route so that you can draw.

Here are some examples using MapQuest- Directions Web Service to get shapepoints (see the Shape return object) - http://www.mapquestapi.com/directions/

2) Drawing an overlay
Once you have your vertices, you need to draw them. I think most JavaScript map APIs will have an overlay class of some sort. Here's the MapQuest one: http://developer.mapquest.com/web/documentation/sdk/javascript/v7.0/overlays#line

3) Doing it with one call
MapQuest also have some convenience functions to make the route call and draw the line for you - I can't post more than two links! So go to the link above and look for "routing" in the navigation bar on the left.

Answer by iOS App Dev for Drawing a route in MapKit in iPhone SDK


The following viewDidLoad will (1) set two locations, (2) remove all the previous annotations, and (3) call user defined helper functions (to get route points and draw the route).

-(void)viewDidLoad  {      [super viewDidLoad];        // Origin Location.      CLLocationCoordinate2D loc1;      loc1.latitude = 29.0167;      loc1.longitude = 77.3833;      Annotation *origin = [[Annotation alloc] initWithTitle:@"loc1" subTitle:@"Home1" andCoordinate:loc1];      [objMapView addAnnotation:origin];        // Destination Location.      CLLocationCoordinate2D loc2;      loc2.latitude = 19.076000;      loc2.longitude = 72.877670;      Annotation *destination = [[Annotation alloc] initWithTitle:@"loc2" subTitle:@"Home2" andCoordinate:loc2];      [objMapView addAnnotation:destination];        if(arrRoutePoints) // Remove all annotations          [objMapView removeAnnotations:[objMapView annotations]];        arrRoutePoints = [self getRoutePointFrom:origin to:destination];      [self drawRoute];      [self centerMap];  }  

The following is the MKMapViewDelegate method, which draws overlay (iOS 4.0 and later).

/* MKMapViewDelegate Meth0d -- for viewForOverlay*/  - (MKOverlayView*)mapView:(MKMapView*)theMapView viewForOverlay:(id )overlay  {      MKPolylineView *view = [[MKPolylineView alloc] initWithPolyline:objPolyline];      view.fillColor = [UIColor blackColor];      view.strokeColor = [UIColor blackColor];      view.lineWidth = 4;      return view;  }  

The following function will get both the locations and prepare URL to get all the route points. And of course, will call stringWithURL.

/* This will get the route coordinates from the Google API. */  - (NSArray*)getRoutePointFrom:(Annotation *)origin to:(Annotation *)destination  {      NSString* saddr = [NSString stringWithFormat:@"%f,%f", origin.coordinate.latitude, origin.coordinate.longitude];      NSString* daddr = [NSString stringWithFormat:@"%f,%f", destination.coordinate.latitude, destination.coordinate.longitude];        NSString* apiUrlStr = [NSString stringWithFormat:@"http://maps.google.com/maps?output=dragdir&saddr=%@&daddr=%@", saddr, daddr];      NSURL* apiUrl = [NSURL URLWithString:apiUrlStr];        NSError *error;      NSString *apiResponse = [NSString stringWithContentsOfURL:apiUrl encoding:NSUTF8StringEncoding error:&error];      NSString* encodedPoints = [apiResponse stringByMatching:@"points:\\\"([^\\\"]*)\\\"" capture:1L];        return [self decodePolyLine:[encodedPoints mutableCopy]];  }  

The following code is the real magic (decoder for the response we got from the API). I would not modify that code unless I know what I am doing :)

- (NSMutableArray *)decodePolyLine:(NSMutableString *)encodedString  {      [encodedString replaceOccurrencesOfString:@"\\\\" withString:@"\\"                                    options:NSLiteralSearch                                      range:NSMakeRange(0, [encodedString length])];      NSInteger len = [encodedString length];      NSInteger index = 0;      NSMutableArray *array = [[NSMutableArray alloc] init];      NSInteger lat=0;      NSInteger lng=0;      while (index < len) {          NSInteger b;          NSInteger shift = 0;          NSInteger result = 0;          do {              b = [encodedString characterAtIndex:index++] - 63;              result |= (b & 0x1f) << shift;              shift += 5;          } while (b >= 0x20);          NSInteger dlat = ((result & 1) ? ~(result >> 1) : (result >> 1));          lat += dlat;          shift = 0;          result = 0;          do {              b = [encodedString characterAtIndex:index++] - 63;              result |= (b & 0x1f) << shift;              shift += 5;         } while (b >= 0x20);          NSInteger dlng = ((result & 1) ? ~(result >> 1) : (result >> 1));          lng += dlng;          NSNumber *latitude = [[NSNumber alloc] initWithFloat:lat * 1e-5];          NSNumber *longitude = [[NSNumber alloc] initWithFloat:lng * 1e-5];          printf("\n[%f,", [latitude doubleValue]);          printf("%f]", [longitude doubleValue]);          CLLocation *loc = [[CLLocation alloc] initWithLatitude:[latitude floatValue] longitude:[longitude floatValue]];          [array addObject:loc];      }      return array;  }  

This function will draw a route and will add an overlay.

- (void)drawRoute  {      int numPoints = [arrRoutePoints count];      if (numPoints > 1)      {          CLLocationCoordinate2D* coords = malloc(numPoints * sizeof(CLLocationCoordinate2D));          for (int i = 0; i < numPoints; i++)          {              CLLocation* current = [arrRoutePoints objectAtIndex:i];              coords[i] = current.coordinate;          }            self.objPolyline = [MKPolyline polylineWithCoordinates:coords count:numPoints];          free(coords);            [objMapView addOverlay:objPolyline];          [objMapView setNeedsDisplay];      }  }  

The following code will center align the map.

- (void)centerMap  {      MKCoordinateRegion region;        CLLocationDegrees maxLat = -90;      CLLocationDegrees maxLon = -180;      CLLocationDegrees minLat = 90;      CLLocationDegrees minLon = 180;        for(int idx = 0; idx < arrRoutePoints.count; idx++)      {          CLLocation* currentLocation = [arrRoutePoints 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;      region.center.longitude    = (maxLon + minLon) / 2;      region.span.latitudeDelta  = maxLat - minLat;      region.span.longitudeDelta = maxLon - minLon;        [objMapView setRegion:region animated:YES];  }  

I hope this would help someone.

Answer by NAlexN for Drawing a route in MapKit in iPhone SDK


Obtaining and drawing a route on the map is super easy with iOS 7 API:

MKDirectionsRequest *directionsRequest = [[MKDirectionsRequest alloc] init];    // Set the origin of the route to be current user location  [directionsRequest setSource:[MKMapItem mapItemForCurrentLocation]];    // Set the destination point of the route  CLLocationCoordinate2D destinationCoordinate = CLLocationCoordinate2DMake(34.0872, 76.235);  MKPlacemark *destinationPlacemark = [[MKPlacemark alloc] initWithCoordinate:destinationCoordinate addressDictionary:nil];  [directionsRequest setDestination:[[MKMapItem alloc] initWithPlacemark:destinationPlacemark]];    MKDirections *directions = [[MKDirections alloc] initWithRequest:directionsRequest];    // Requesting route information from Apple Map services  [directions calculateDirectionsWithCompletionHandler:^(MKDirectionsResponse *response, NSError *error) {      if (error) {          NSLog(@"Cannot calculate directions: %@",[error localizedDescription]);      } else {          // Displaying the route on the map          MKRoute *route = [response.routes firstObject];          [mapView addOverlay:route.polyline];      }  }];  

Answer by Omaty for Drawing a route in MapKit in iPhone SDK


To update this question, there is no need to external apk since iOS7.

Here a very simple and effective solution :

http://technet.weblineindia.com/mobile/draw-route-between-2-points-on-map-with-ios7-mapkit-api/2/

I know the question was about iOS 6 but I believe that this solution will be useful for many people.

The only thing missing in this solution is implementing the following delegate method to display the beginning and ending pin

-(MKAnnotationView *) mapView:(MKMapView *)mapView viewForAnnotation:(id)annotation  


Fatal error: Call to a member function getElementsByTagName() on a non-object in D:\XAMPP INSTALLASTION\xampp\htdocs\endunpratama9i\www-stackoverflow-info-proses.php on line 72

0 comments:

Post a Comment

Popular Posts

Powered by Blogger.