web-dev-qa-db-fra.com

Obtenir la latitude et la longitude en fonction de l'adresse à l'aide de la classe Geocoder dans iOS

J'ai obtenu l'emplacement actuel en fonction des valeurs de longitude et de latitude, puis plusieurs emplacements sur Google Map à l'aide d'annotations. Maintenant, je veux obtenir les valeurs de longitude et de latitude en fonction de l'adresse (par exemple, la rue, la ville et le comté). Besoin de conseils sur la manière de procéder. 

Jusqu'à présent, voici ce que j'ai essayé: -

#import "ViewController.h"

@interface ViewController ()

@end

@implementation ViewController
@synthesize streetField = _streetField, cityField = _cityField, countryField = _countryField, fetchCoordinatesButton = _fetchCoordinatesButton, nameLabel = _nameLabel, coordinatesLabel = _coordinatesLabel;
@synthesize geocoder = _geocoder;


- (void)viewDidLoad
{

    [super viewDidLoad];
    _streetField.delegate=self;
    _cityField.delegate=self;
    _countryField.delegate=self;

    // Do any additional setup after loading the view, typically from a nib.
}

- (IBAction)fetchCoordinates:(id)sender {
    NSLog(@"Fetch Coordinates");
    if (!self.geocoder) {
          NSLog(@"Geocdoing");
        self.geocoder = [[CLGeocoder alloc] init];
    }

    NSString *address = [NSString stringWithFormat:@"%@ %@ %@", self.streetField.text, self.cityField.text, self.countryField.text];
    NSLog(@"GET Addres%@",address);

    self.fetchCoordinatesButton.enabled = NO;

    [self.geocoder geocodeAddressString:address completionHandler:^(NSArray *placemarks, NSError *error) {
          NSLog(@"Fetch Gecodingaddress");
        if ([placemarks count] > 0) {
            CLPlacemark *placemark = [placemarks objectAtIndex:0];

             NSLog(@"GET placemark%@",placemark);

            CLLocation *location = placemark.location;

            NSLog(@"GET location%@",location);

            CLLocationCoordinate2D coordinate = location.coordinate;


            self.coordinatesLabel.text = [NSString stringWithFormat:@"%f, %f", coordinate.latitude, coordinate.longitude];

            NSLog(@"CoordinatesLabel%@",self.coordinatesLabel.text);


            if ([placemark.areasOfInterest count] > 0) {
                NSString *areaOfInterest = [placemark.areasOfInterest objectAtIndex:0];
                self.nameLabel.text = areaOfInterest;
                NSLog(@"NameLabe%@",self.nameLabel.text);
            }
        }

        self.fetchCoordinatesButton.enabled = YES;
    }];
}

- (void)didReceiveMemoryWarning
{
    [super didReceiveMemoryWarning];
    // Dispose of any resources that can be recreated.
}
-(BOOL)textFieldShouldReturn:(UITextField *)textField
{
    [textField resignFirstResponder];
    return YES;
}
@end

Le code ci-dessus ne fonctionne pas pour me donner la latitude et la longitude. Besoin d’aide sur ce que je fais de mal ici ou si quelque chose me manque.

Merci d'avance. 

10
user3792517

MODIFIER:

Avant d'utiliser cette vérification avec la mise à jour iOS8

NSLocationAlwaysUsageDescription
NSLocationWhenInUseUsageDescription

Ceci est destiné à obtenir une zone d’utilisations lat et longue comme le nom de la rue, le nom de l’état, le pays.

-(CLLocationCoordinate2D) getLocationFromAddressString: (NSString*) addressStr {
    double latitude = 0, longitude = 0;
    NSString *esc_addr =  [addressStr stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
    NSString *req = [NSString stringWithFormat:@"http://maps.google.com/maps/api/geocode/json?sensor=false&address=%@", esc_addr];
    NSString *result = [NSString stringWithContentsOfURL:[NSURL URLWithString:req] encoding:NSUTF8StringEncoding error:NULL];
    if (result) {
        NSScanner *scanner = [NSScanner scannerWithString:result];
        if ([scanner scanUpToString:@"\"lat\" :" intoString:nil] && [scanner scanString:@"\"lat\" :" intoString:nil]) {
            [scanner scanDouble:&latitude];
            if ([scanner scanUpToString:@"\"lng\" :" intoString:nil] && [scanner scanString:@"\"lng\" :" intoString:nil]) {
                [scanner scanDouble:&longitude];
            }
        }
    }
    CLLocationCoordinate2D center;
    center.latitude=latitude;
    center.longitude = longitude;
    NSLog(@"View Controller get Location Logitute : %f",center.latitude);
    NSLog(@"View Controller get Location Latitute : %f",center.longitude);
    return center;

}

appeler la méthode comme celle-ci dans la méthode viewdidload ou quelque part en fonction de votre projet

[self getLocationFromAddressString:@"chennai"];

il suffit de passer cela dans votre navigateur http://maps.google.com/maps/api/geocode/json?sensor=false&address=chennai

et vous aurez le format json avec lat et lon

http://maps.google.com/maps/api/geocode/json?sensor=false&address=@"your city name here"




 NSString *address = [NSString stringWithFormat:@"http://maps.google.com/maps/api/geocode/json?sensor=false&address=%@ %@ %@", self.streetField.text, self.cityField.text, self.countryField.text];

l'utilisation de cette méthode ....

CLLocationCoordinate2D center;
        center=[self getLocationFromAddressString:@"uthangarai"];
      double  latFrom=&center.latitude;
      double  lonFrom=&center.longitude;

  NSLog(@"View Controller get Location Logitute : %f",latFrom);
        NSLog(@"View Controller get Location Latitute : %f",lonFrom);
24
karthikeyan

Quelqu'un à la recherche d'une solution Swift 2.0 peut utiliser ci-dessous: 

let address = "1 Infinite Loop, CA, USA"
        let geocoder = CLGeocoder()

        geocoder.geocodeAddressString(address, completionHandler: {(placemarks, error) -> Void in
            if((error) != nil){
                print("Error", error)
            }
            if let placemark = placemarks?.first {
                let coordinates:CLLocationCoordinate2D = placemark.location!.coordinate
                coordinates.latitude
                coordinates.longitude
                print("lat", coordinates.latitude)
                print("long", coordinates.longitude)


            }
        })
8
Dashrath

Rapide

public func getLocationFromAddress(address : String) -> CLLocationCoordinate2D {
        var lat : Double = 0.0
        var lon : Double = 0.0

        do {

            let url = String(format: "https://maps.google.com/maps/api/geocode/json?sensor=false&address=%@", (address.addingPercentEncoding(withAllowedCharacters: .urlPathAllowed)!))
            let result = try Data(contentsOf: URL(string: url)!)
            let json = JSON(data: result)

            lat = json["results"][0]["geometry"]["location"]["lat"].doubleValue
            lon = json["results"][0]["geometry"]["location"]["lng"].doubleValue

        }
        catch let error{
            print(error)
        }

        return CLLocationCoordinate2D(latitude: lat, longitude: lon)
    }

J'ai utilisé SwiftyJSON mais vous pouvez analyser la réponse JSON comme bon vous semble

4
Yair Levi

Essaye ça,

NSString *address = [NSString stringWithFormat:@"%@,%@,%@", self.streetField.text, self.cityField.text,self.countryField.text];    

[self.geocoder geocodeAddressString:address completionHandler:^(NSArray *placemarks, NSError *error)
 {
     if(!error)
     {
         CLPlacemark *placemark = [placemarks objectAtIndex:0];
         NSLog(@"%f",placemark.location.coordinate.latitude);
         NSLog(@"%f",placemark.location.coordinate.longitude);
         NSLog(@"%@",[NSString stringWithFormat:@"%@",[placemark description]]);
     }
     else
     {
         NSLog(@"There was a forward geocoding error\n%@",[error localizedDescription]);
     }
 }
 ];
3
abhi
- (IBAction)forwardButton:(id)sender
{
    if([self.address.text length])
    {
        NSString *place = self.address.text;
        CLGeocoder *geocoder = [[CLGeocoder alloc] init];
        __unsafe_unretained RTGeoCoderViewController *weakSelf = self;
        [geocoder geocodeAddressString:place completionHandler:^(NSArray* placemarks, NSError* error)
         {
             NSLog(@"completed");
             if ( error )
             {
                 NSLog(@"error = %@", error );
                 dispatch_async(dispatch_get_main_queue(),
                                ^{
                                    UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"Error" message:[self errorMessage:error.code] delegate:nil cancelButtonTitle:nil otherButtonTitles:@"OK", nil];
                                    [alert show];
                                });
             }
             else
             {
                NSLog(@"%@",placemarks);
             }
         }];
    }
}
0
Suhail kalathil

Essaye ça 

 - (void)getAddressFromAdrress:(NSString *)address withCompletationHandle:(void (^)(NSDictionary *))completationHandler {   


                CLGeocoder *geoCoder = [[CLGeocoder alloc] init];  
            //Get the address through geoCoder  
            [geoCoder geocodeAddressString:address   completionHandler:^(NSArray *placemarks, NSError *error) {  


                if ([placemarks count] > 0 && !error) {

                    //get the address from placemark
                    CLPlacemark *placemark = [placemarks objectAtIndex:0];
                    NSString *locatedAt = [[placemark.addressDictionary valueForKey:@"FormattedAddressLines"] componentsJoinedByString:@", "];
                    CLLocation *location = placemark.location;
                    CLLocationCoordinate2D coordinate = location.coordinate;
                    _latitudeUserLocation  = coordinate.latitude;
                    _longitudeUserLocation = coordinate.longitude;
                    NSString *postalCode   =  placemark.addressDictionary[(NSString*)kABPersonAddressZIPKey];
                    if (postalCode == nil) postalCode = @"";
                    if (locatedAt == nil)  locatedAt  = @"";
                    NSDictionary *dictionary = [NSDictionary dictionaryWithObjectsAndKeys:
                                                postalCode               ,kPostalCode,
                                                locatedAt                ,kFullAddress,
                                                nil];
                    completationHandler(dictionary);

                } else {

                    completationHandler(nil);
                }
            }];
}
0
Khurshid