मौजूदा जगह चुनना और मैप पर जानकारी दिखाना
इस ट्यूटोरियल में, iOS ऐप्लिकेशन बनाने का तरीका बताया गया है. यह ऐप्लिकेशन, डिवाइस की मौजूदा जगह की जानकारी हासिल करता है, संभावित जगहों की पहचान करता है, उपयोगकर्ता को सबसे सही जगह चुनने के लिए कहता है, और चुनी गई जगह के लिए मैप मार्कर दिखाता है.
यह उन लोगों के लिए सही है जिनके पास Swift या Objective-C के बारे में शुरुआती या इंटरमीडिएट लेवल की जानकारी है. साथ ही, उनके पास Xcode के बारे में सामान्य जानकारी भी है. मैप बनाने के बारे में बेहतर गाइड के लिए, डेवलपर गाइड पढ़ें.
इस ट्यूटोरियल का इस्तेमाल करके, आपको यह मैप बनाना होगा. मैप मार्कर, सैन फ़्रांसिस्को, कैलिफ़ोर्निया में मौजूद है. हालांकि, यह उस जगह पर मूव हो जाएगा जहां डिवाइस या सिम्युलेटर मौजूद होगा.
इस ट्यूटोरियल में, Places SDK for iOS, Maps SDK for iOS, और Apple Core Location फ़्रेमवर्क का इस्तेमाल किया गया है.
कोड प्राप्त करें
GitHub से Google Maps के iOS सैंपल रिपॉज़िटरी को क्लोन या डाउनलोड करें.इसके अलावा, सोर्स कोड को डाउनलोड करने के लिए, इस बटन पर क्लिक करें:
MapViewController
Swift
import UIKit import GoogleMaps import GooglePlaces class MapViewController: UIViewController { var locationManager: CLLocationManager! var currentLocation: CLLocation? var mapView: GMSMapView! var placesClient: GMSPlacesClient! var preciseLocationZoomLevel: Float = 15.0 var approximateLocationZoomLevel: Float = 10.0 // An array to hold the list of likely places. var likelyPlaces: [GMSPlace] = [] // The currently selected place. var selectedPlace: GMSPlace? // Update the map once the user has made their selection. @IBAction func unwindToMain(segue: UIStoryboardSegue) { // Clear the map. mapView.clear() // Add a marker to the map. if let place = selectedPlace { let marker = GMSMarker(position: place.coordinate) marker.title = selectedPlace?.name marker.snippet = selectedPlace?.formattedAddress marker.map = mapView } listLikelyPlaces() } override func viewDidLoad() { super.viewDidLoad() // Initialize the location manager. locationManager = CLLocationManager() locationManager.desiredAccuracy = kCLLocationAccuracyBest locationManager.requestWhenInUseAuthorization() locationManager.distanceFilter = 50 locationManager.startUpdatingLocation() locationManager.delegate = self placesClient = GMSPlacesClient.shared() // A default location to use when location permission is not granted. let defaultLocation = CLLocation(latitude: -33.869405, longitude: 151.199) // Create a map. let zoomLevel = locationManager.accuracyAuthorization == .fullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel let camera = GMSCameraPosition.camera(withLatitude: defaultLocation.coordinate.latitude, longitude: defaultLocation.coordinate.longitude, zoom: zoomLevel) mapView = GMSMapView.map(withFrame: view.bounds, camera: camera) mapView.settings.myLocationButton = true mapView.autoresizingMask = [.flexibleWidth, .flexibleHeight] mapView.isMyLocationEnabled = true // Add the map to the view, hide it until we've got a location update. view.addSubview(mapView) mapView.isHidden = true listLikelyPlaces() } // Populate the array with the list of likely places. func listLikelyPlaces() { // Clean up from previous sessions. likelyPlaces.removeAll() let placeFields: GMSPlaceField = [.name, .coordinate] placesClient.findPlaceLikelihoodsFromCurrentLocation(withPlaceFields: placeFields) { (placeLikelihoods, error) in guard error == nil else { // TODO: Handle the error. print("Current Place error: \(error!.localizedDescription)") return } guard let placeLikelihoods = placeLikelihoods else { print("No places found.") return } // Get likely places and add to the list. for likelihood in placeLikelihoods { let place = likelihood.place self.likelyPlaces.append(place) } } } // Prepare the segue. override func prepare(for segue: UIStoryboardSegue, sender: Any?) { if segue.identifier == "segueToSelect" { if let nextViewController = segue.destination as? PlacesViewController { nextViewController.likelyPlaces = likelyPlaces } } } } // Delegates to handle events for the location manager. extension MapViewController: CLLocationManagerDelegate { // Handle incoming location events. func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]) { let location: CLLocation = locations.last! print("Location: \(location)") let zoomLevel = locationManager.accuracyAuthorization == .fullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel let camera = GMSCameraPosition.camera(withLatitude: location.coordinate.latitude, longitude: location.coordinate.longitude, zoom: zoomLevel) if mapView.isHidden { mapView.isHidden = false mapView.camera = camera } else { mapView.animate(to: camera) } listLikelyPlaces() } // Handle authorization for the location manager. func locationManager(_ manager: CLLocationManager, didChangeAuthorization status: CLAuthorizationStatus) { // Check accuracy authorization let accuracy = manager.accuracyAuthorization switch accuracy { case .fullAccuracy: print("Location accuracy is precise.") case .reducedAccuracy: print("Location accuracy is not precise.") @unknown default: fatalError() } // Handle authorization status switch status { case .restricted: print("Location access was restricted.") case .denied: print("User denied access to location.") // Display the map using the default location. mapView.isHidden = false case .notDetermined: print("Location status not determined.") case .authorizedAlways: fallthrough case .authorizedWhenInUse: print("Location status is OK.") @unknown default: fatalError() } } // Handle location manager errors. func locationManager(_ manager: CLLocationManager, didFailWithError error: Error) { locationManager.stopUpdatingLocation() print("Error: \(error)") } }
Objective-C
#import "MapViewController.h" #import "PlacesViewController.h" @import CoreLocation; @import GooglePlaces; @import GoogleMaps; @interface MapViewController () <CLLocationManagerDelegate> @end @implementation MapViewController { CLLocationManager *locationManager; CLLocation * _Nullable currentLocation; GMSMapView *mapView; GMSPlacesClient *placesClient; float preciseLocationZoomLevel; float approximateLocationZoomLevel; // An array to hold the list of likely places. NSMutableArray<GMSPlace *> *likelyPlaces; // The currently selected place. GMSPlace * _Nullable selectedPlace; } - (void)viewDidLoad { [super viewDidLoad]; preciseLocationZoomLevel = 15.0; approximateLocationZoomLevel = 15.0; // Initialize the location manager. locationManager = [[CLLocationManager alloc] init]; locationManager.desiredAccuracy = kCLLocationAccuracyBest; [locationManager requestWhenInUseAuthorization]; locationManager.distanceFilter = 50; [locationManager startUpdatingLocation]; locationManager.delegate = self; placesClient = [GMSPlacesClient sharedClient]; // A default location to use when location permission is not granted. CLLocationCoordinate2D defaultLocation = CLLocationCoordinate2DMake(-33.869405, 151.199); // Create a map. float zoomLevel = locationManager.accuracyAuthorization == CLAccuracyAuthorizationFullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel; GMSCameraPosition *camera = [GMSCameraPosition cameraWithLatitude:defaultLocation.latitude longitude:defaultLocation.longitude zoom:zoomLevel]; mapView = [GMSMapView mapWithFrame:self.view.bounds camera:camera]; mapView.settings.myLocationButton = YES; mapView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight; mapView.myLocationEnabled = YES; // Add the map to the view, hide it until we've got a location update. [self.view addSubview:mapView]; mapView.hidden = YES; [self listLikelyPlaces]; } // Populate the array with the list of likely places. - (void) listLikelyPlaces { // Clean up from previous sessions. likelyPlaces = [NSMutableArray array]; GMSPlaceField placeFields = GMSPlaceFieldName | GMSPlaceFieldCoordinate; [placesClient findPlaceLikelihoodsFromCurrentLocationWithPlaceFields:placeFields callback:^(NSArray<GMSPlaceLikelihood *> * _Nullable likelihoods, NSError * _Nullable error) { if (error != nil) { // TODO: Handle the error. NSLog(@"Current Place error: %@", error.localizedDescription); return; } if (likelihoods == nil) { NSLog(@"No places found."); return; } for (GMSPlaceLikelihood *likelihood in likelihoods) { GMSPlace *place = likelihood.place; [likelyPlaces addObject:place]; } }]; } // Update the map once the user has made their selection. - (void) unwindToMain:(UIStoryboardSegue *)segue { // Clear the map. [mapView clear]; // Add a marker to the map. if (selectedPlace != nil) { GMSMarker *marker = [GMSMarker markerWithPosition:selectedPlace.coordinate]; marker.title = selectedPlace.name; marker.snippet = selectedPlace.formattedAddress; marker.map = mapView; } [self listLikelyPlaces]; } // Prepare the segue. - (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender { if ([segue.identifier isEqualToString:@"segueToSelect"]) { if ([segue.destinationViewController isKindOfClass:[PlacesViewController class]]) { PlacesViewController *placesViewController = (PlacesViewController *)segue.destinationViewController; placesViewController.likelyPlaces = likelyPlaces; } } } // Delegates to handle events for the location manager. #pragma mark - CLLocationManagerDelegate // Handle incoming location events. - (void)locationManager:(CLLocationManager *)manager didUpdateLocations:(NSArray<CLLocation *> *)locations { CLLocation *location = locations.lastObject; NSLog(@"Location: %@", location); float zoomLevel = locationManager.accuracyAuthorization == CLAccuracyAuthorizationFullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel; GMSCameraPosition * camera = [GMSCameraPosition cameraWithLatitude:location.coordinate.latitude longitude:location.coordinate.longitude zoom:zoomLevel]; if (mapView.isHidden) { mapView.hidden = NO; mapView.camera = camera; } else { [mapView animateToCameraPosition:camera]; } [self listLikelyPlaces]; } // Handle authorization for the location manager. - (void)locationManager:(CLLocationManager *)manager didChangeAuthorizationStatus:(CLAuthorizationStatus)status { // Check accuracy authorization CLAccuracyAuthorization accuracy = manager.accuracyAuthorization; switch (accuracy) { case CLAccuracyAuthorizationFullAccuracy: NSLog(@"Location accuracy is precise."); break; case CLAccuracyAuthorizationReducedAccuracy: NSLog(@"Location accuracy is not precise."); break; } // Handle authorization status switch (status) { case kCLAuthorizationStatusRestricted: NSLog(@"Location access was restricted."); break; case kCLAuthorizationStatusDenied: NSLog(@"User denied access to location."); // Display the map using the default location. mapView.hidden = NO; case kCLAuthorizationStatusNotDetermined: NSLog(@"Location status not determined."); case kCLAuthorizationStatusAuthorizedAlways: case kCLAuthorizationStatusAuthorizedWhenInUse: NSLog(@"Location status is OK."); } } // Handle location manager errors. - (void)locationManager:(CLLocationManager *)manager didFailWithError:(NSError *)error { [manager stopUpdatingLocation]; NSLog(@"Error: %@", error.localizedDescription); } @end
PlacesViewController
Swift
import UIKit import GooglePlaces class PlacesViewController: UIViewController { // ... // Pass the selected place to the new view controller. override func prepare(for segue: UIStoryboardSegue, sender: Any?) { if segue.identifier == "unwindToMain" { if let nextViewController = segue.destination as? MapViewController { nextViewController.selectedPlace = selectedPlace } } } } // Respond when a user selects a place. extension PlacesViewController: UITableViewDelegate { func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) { selectedPlace = likelyPlaces[indexPath.row] performSegue(withIdentifier: "unwindToMain", sender: self) } // Adjust cell height to only show the first five items in the table // (scrolling is disabled in IB). func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat { return self.tableView.frame.size.height/5 } // Make table rows display at proper height if there are less than 5 items. func tableView(_ tableView: UITableView, heightForFooterInSection section: Int) -> CGFloat { if (section == tableView.numberOfSections - 1) { return 1 } return 0 } } // Populate the table with the list of most likely places. extension PlacesViewController: UITableViewDataSource { func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return likelyPlaces.count } func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell { let cell = tableView.dequeueReusableCell(withIdentifier: cellReuseIdentifier, for: indexPath) let collectionItem = likelyPlaces[indexPath.row] cell.textLabel?.text = collectionItem.name return cell } }
Objective-C
#import "PlacesViewController.h" @interface PlacesViewController () <UITableViewDataSource, UITableViewDelegate> // ... -(void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender { } #pragma mark - UITableViewDelegate // Respond when a user selects a place. -(void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath { self.selectedPlace = [self.likelyPlaces objectAtIndex:indexPath.row]; [self performSegueWithIdentifier:@"unwindToMain" sender:self]; } // Adjust cell height to only show the first five items in the table // (scrolling is disabled in IB). -(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath { return self.tableView.frame.size.height/5; } // Make table rows display at proper height if there are less than 5 items. -(CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section { if (section == tableView.numberOfSections - 1) { return 1; } return 0; } #pragma mark - UITableViewDataSource - (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section { return self.likelyPlaces.count; } - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath { return [tableView dequeueReusableCellWithIdentifier:cellReuseIdentifier forIndexPath:indexPath]; } @end
अपनी प्रोफ़ाइल बनाना शुरू करें
Swift Package Manager
iOS के लिए Maps SDK को Swift Package Manager का इस्तेमाल करके इंस्टॉल किया जा सकता है.
- पक्का करें कि आपने iOS के लिए Maps SDK की सभी मौजूदा डिपेंडेंसी हटा दी हों.
- कोई टर्मिनल विंडो खोलें और
tutorials/current-place-on-map
डायरेक्ट्री पर जाएं. -
पक्का करें कि आपका Xcode वर्कस्पेस बंद हो. इसके बाद, ये कमांड चलाएं:
sudo gem install cocoapods-deintegrate cocoapods-clean pod deintegrate pod cache clean --all rm Podfile rm current-place-on-map.xcworkspace
- अपना Xcode प्रोजेक्ट खोलें और podfile मिटाएं.
- Places और Maps SDK टूल जोड़ें:
- फ़ाइल > पैकेज की डिपेंडेंसी जोड़ें पर जाएं.
- यूआरएल के तौर पर https://github.com/googlemaps/ios-places-sdk डालें और पैकेज को शामिल करने के लिए, Enter दबाएं. इसके बाद, पैकेज जोड़ें पर क्लिक करें.
- यूआरएल के तौर पर https://github.com/googlemaps/ios-maps-sdk डालें और पैकेज को शामिल करने के लिए Enter दबाएं. इसके बाद, पैकेज जोड़ें पर क्लिक करें.
- आपको फ़ाइल > पैकेज > पैकेज कैश मेमोरी रीसेट करें का इस्तेमाल करके, पैकेज कैश मेमोरी रीसेट करनी पड़ सकती है.
CocoaPods का इस्तेमाल करना
- Xcode का 15.0 या उसके बाद का वर्शन डाउनलोड और इंस्टॉल करें.
- अगर आपके पास पहले से CocoaPods नहीं है, तो
टर्मिनल से यह कमांड चलाकर, इसे macOS पर इंस्टॉल करें:
sudo gem install cocoapods
tutorials/current-place-on-map
डायरेक्ट्री पर जाएं.pod install
कमांड चलाएं. इससेPodfile
में बताए गए Maps और Places SDK टूल के साथ-साथ, सभी डिपेंडेंसी भी इंस्टॉल हो जाएंगी.- इंस्टॉल किए गए पॉड के वर्शन की तुलना किसी नए अपडेट से करने के लिए,
pod outdated
चलाएं. अगर कोई नया वर्शन मिलता है, तोPodfile
को अपडेट करने और नया SDK टूल इंस्टॉल करने के लिए,pod update
चलाएं. ज़्यादा जानकारी के लिए, CocoaPods गाइड देखें. - प्रोजेक्ट की current-place-on-map.xcworkspace फ़ाइल को Xcode में खोलने के लिए, उस पर दो बार क्लिक करें. प्रोजेक्ट खोलने के लिए, आपको
.xcworkspace
फ़ाइल का इस्तेमाल करना होगा.
एपीआई पासकोड पाना और ज़रूरी एपीआई चालू करना
इस ट्यूटोरियल को पूरा करने के लिए, आपके पास ऐसी Google API पासकोड की ज़रूरत होगी जिसे Maps SDK for iOS और Places API का इस्तेमाल करने की अनुमति मिली हो.
- इन दोनों प्रॉडक्ट के साथ काम करने वाला बिलिंग खाता और प्रोजेक्ट सेट अप करने के लिए, Google Maps Platform का इस्तेमाल शुरू करना पर दिए गए निर्देशों का पालन करें.
- पहले से सेट अप किए गए डेवलपमेंट प्रोजेक्ट के लिए एपीआई पासकोड बनाने के लिए, एपीआई पासकोड पाएं पर दिए गए निर्देशों का पालन करें.
अपने ऐप्लिकेशन में एपीआई पासकोड जोड़ना
AppDelegate.swift
में अपनी एपीआई कुंजी इस तरह जोड़ें:
- ध्यान दें कि फ़ाइल में इंपोर्ट स्टेटमेंट जोड़ा गया है:
import GooglePlaces import GoogleMaps
- अपने
application(_:didFinishLaunchingWithOptions:)
तरीके में दी गई इस लाइन में बदलाव करें. इसके लिए, YOUR_API_KEY को अपने एपीआई पासकोड से बदलें:GMSPlacesClient.provideAPIKey("YOUR_API_KEY") GMSServices.provideAPIKey("YOUR_API_KEY")
अपना ऐप्लिकेशन बनाना और चलाना
- अपने कंप्यूटर से कोई iOS डिवाइस कनेक्ट करें या Xcode स्कीम के पॉप-अप मेन्यू से कोई सिम्युलेटर चुनें.
- अगर किसी डिवाइस का इस्तेमाल किया जा रहा है, तो पक्का करें कि जगह की जानकारी की सेटिंग चालू हो. अगर सिम्युलेटर का इस्तेमाल किया जा रहा है, तो सुविधाएं मेन्यू से कोई जगह चुनें.
- Xcode में, प्रॉडक्ट/रन मेन्यू विकल्प (या प्ले बटन आइकॉन) पर क्लिक करें.
- Xcode, ऐप्लिकेशन को बनाता है और फिर उसे डिवाइस या सिम्युलेटर पर चलाता है.
- आपको एक मैप दिखेगा, जिसमें आपकी मौजूदा जगह के आस-पास कई मार्कर होंगे.
समस्या निवारण:
- अगर आपको कोई मैप नहीं दिखता है, तो देखें कि आपने एपीआई पासकोड हासिल किया है या नहीं. साथ ही, यह भी देखें कि आपने ऊपर बताए गए तरीके से, इसे ऐप्लिकेशन में जोड़ा है या नहीं. एपीआई पासकोड से जुड़ी गड़बड़ियों के मैसेज के लिए, Xcode के डीबगिंग कंसोल को देखें.
- अगर आपने iOS बंडल आइडेंटिफ़ायर के हिसाब से एपीआई कुंजी पर पाबंदी लगाई है, तो ऐप्लिकेशन के लिए बंडल आइडेंटिफ़ायर जोड़ने के लिए, कुंजी में बदलाव करें:
com.google.examples.current-place-on-map
. - अगर जगह की जानकारी से जुड़ी सेवाओं के लिए अनुमतियों का अनुरोध अस्वीकार कर दिया जाता है, तो मैप सही तरीके से नहीं दिखेगा.
- अगर किसी डिवाइस का इस्तेमाल किया जा रहा है, तो सेटिंग/सामान्य/निजता/जगह की जानकारी की सेवाएं पर जाएं और जगह की जानकारी की सेवाओं को फिर से चालू करें.
- अगर सिम्युलेटर का इस्तेमाल किया जा रहा है, तो सिम्युलेटर/कॉन्टेंट और सेटिंग रीसेट करें... पर जाएं
- पक्का करें कि आपके पास अच्छा वाई-फ़ाई या जीपीएस कनेक्शन हो.
- अगर ऐप्लिकेशन लॉन्च होता है, लेकिन कोई मैप नहीं दिखता है, तो पक्का करें कि आपने अपने प्रोजेक्ट के लिए, जगह की जानकारी से जुड़ी सही अनुमतियों के साथ Info.plist को अपडेट किया हो. अनुमतियों को मैनेज करने के बारे में ज़्यादा जानने के लिए, अपने ऐप्लिकेशन में जगह की जानकारी की अनुमति का अनुरोध करने के लिए दी गई गाइड देखें.
- लॉग देखने और ऐप्लिकेशन को डीबग करने के लिए, Xcode के डीबगिंग टूल का इस्तेमाल करें.
कोड को समझना
ट्यूटोरियल के इस हिस्से में, current-place-on-map ऐप्लिकेशन के सबसे अहम हिस्सों के बारे में बताया गया है. इससे आपको मिलता-जुलता ऐप्लिकेशन बनाने का तरीका समझने में मदद मिलेगी.
current-place-on-map ऐप्लिकेशन में दो व्यू कंट्रोलर होते हैं: पहला, उपयोगकर्ता की चुनी गई मौजूदा जगह दिखाने वाला मैप और दूसरा, उपयोगकर्ता को चुनने के लिए संभावित जगहों की सूची दिखाने वाला मैप. ध्यान दें कि संभावित जगहों (likelyPlaces
) की सूची को ट्रैक करने और उपयोगकर्ता की पसंद (selectedPlace
) को दिखाने के लिए, हर व्यू कंट्रोलर में एक जैसे वैरिएबल होते हैं. व्यू के बीच नेविगेट करने के लिए, सीग्यू का इस्तेमाल किया जाता है.
जगह की जानकारी की अनुमति का अनुरोध करना
आपके ऐप्लिकेशन को, जगह की जानकारी की सेवाओं का इस्तेमाल करने के लिए उपयोगकर्ता से सहमति लेनी होगी. ऐसा करने के लिए, ऐप्लिकेशन के लिए Info.plist
फ़ाइल में NSLocationAlwaysUsageDescription
कुंजी शामिल करें. साथ ही, हर कुंजी की वैल्यू को ऐसी स्ट्रिंग पर सेट करें जिससे यह पता चलता हो कि ऐप्लिकेशन, जगह की जानकारी के डेटा का इस्तेमाल कैसे करना चाहता है.
जगह की जानकारी मैनेज करने वाले टूल को सेट अप करना
डिवाइस की मौजूदा जगह की जानकारी पाने और डिवाइस के किसी नई जगह पर जाने पर, नियमित अपडेट का अनुरोध करने के लिए, CLLocationManager का इस्तेमाल करें. इस ट्यूटोरियल में, डिवाइस की जगह की जानकारी पाने के लिए ज़रूरी कोड दिया गया है. ज़्यादा जानकारी के लिए, Apple Developer दस्तावेज़ में, उपयोगकर्ता की जगह की जानकारी पाना से जुड़ी गाइड देखें.
- क्लास लेवल पर, जगह मैनेजर, मौजूदा जगह, मैप व्यू, प्लेस क्लाइंट, और डिफ़ॉल्ट ज़ूम लेवल की जानकारी दें.
viewDidLoad()
में, जगह की जानकारी मैनेजर औरGMSPlacesClient
को शुरू करें.- संभावित जगहों की सूची और उपयोगकर्ता की चुनी गई जगह को सेव करने के लिए वैरिएबल तय करें.
- एक्सटेंशन क्लॉज़ का इस्तेमाल करके, लोकेशन मैनेजर के लिए इवेंट मैनेज करने के लिए प्रतिनिधि जोड़ें.
Swift
var locationManager: CLLocationManager! var currentLocation: CLLocation? var mapView: GMSMapView! var placesClient: GMSPlacesClient! var preciseLocationZoomLevel: Float = 15.0 var approximateLocationZoomLevel: Float = 10.0
Objective-C
CLLocationManager *locationManager; CLLocation * _Nullable currentLocation; GMSMapView *mapView; GMSPlacesClient *placesClient; float preciseLocationZoomLevel; float approximateLocationZoomLevel;
Swift
// Initialize the location manager. locationManager = CLLocationManager() locationManager.desiredAccuracy = kCLLocationAccuracyBest locationManager.requestWhenInUseAuthorization() locationManager.distanceFilter = 50 locationManager.startUpdatingLocation() locationManager.delegate = self placesClient = GMSPlacesClient.shared()
Objective-C
// Initialize the location manager. locationManager = [[CLLocationManager alloc] init]; locationManager.desiredAccuracy = kCLLocationAccuracyBest; [locationManager requestWhenInUseAuthorization]; locationManager.distanceFilter = 50; [locationManager startUpdatingLocation]; locationManager.delegate = self; placesClient = [GMSPlacesClient sharedClient];
Swift
// An array to hold the list of likely places. var likelyPlaces: [GMSPlace] = [] // The currently selected place. var selectedPlace: GMSPlace?
Objective-C
// An array to hold the list of likely places. NSMutableArray<GMSPlace *> *likelyPlaces; // The currently selected place. GMSPlace * _Nullable selectedPlace;
Swift
// Delegates to handle events for the location manager. extension MapViewController: CLLocationManagerDelegate { // Handle incoming location events. func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]) { let location: CLLocation = locations.last! print("Location: \(location)") let zoomLevel = locationManager.accuracyAuthorization == .fullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel let camera = GMSCameraPosition.camera(withLatitude: location.coordinate.latitude, longitude: location.coordinate.longitude, zoom: zoomLevel) if mapView.isHidden { mapView.isHidden = false mapView.camera = camera } else { mapView.animate(to: camera) } listLikelyPlaces() } // Handle authorization for the location manager. func locationManager(_ manager: CLLocationManager, didChangeAuthorization status: CLAuthorizationStatus) { // Check accuracy authorization let accuracy = manager.accuracyAuthorization switch accuracy { case .fullAccuracy: print("Location accuracy is precise.") case .reducedAccuracy: print("Location accuracy is not precise.") @unknown default: fatalError() } // Handle authorization status switch status { case .restricted: print("Location access was restricted.") case .denied: print("User denied access to location.") // Display the map using the default location. mapView.isHidden = false case .notDetermined: print("Location status not determined.") case .authorizedAlways: fallthrough case .authorizedWhenInUse: print("Location status is OK.") @unknown default: fatalError() } } // Handle location manager errors. func locationManager(_ manager: CLLocationManager, didFailWithError error: Error) { locationManager.stopUpdatingLocation() print("Error: \(error)") } }
Objective-C
// Delegates to handle events for the location manager. #pragma mark - CLLocationManagerDelegate // Handle incoming location events. - (void)locationManager:(CLLocationManager *)manager didUpdateLocations:(NSArray<CLLocation *> *)locations { CLLocation *location = locations.lastObject; NSLog(@"Location: %@", location); float zoomLevel = locationManager.accuracyAuthorization == CLAccuracyAuthorizationFullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel; GMSCameraPosition * camera = [GMSCameraPosition cameraWithLatitude:location.coordinate.latitude longitude:location.coordinate.longitude zoom:zoomLevel]; if (mapView.isHidden) { mapView.hidden = NO; mapView.camera = camera; } else { [mapView animateToCameraPosition:camera]; } [self listLikelyPlaces]; } // Handle authorization for the location manager. - (void)locationManager:(CLLocationManager *)manager didChangeAuthorizationStatus:(CLAuthorizationStatus)status { // Check accuracy authorization CLAccuracyAuthorization accuracy = manager.accuracyAuthorization; switch (accuracy) { case CLAccuracyAuthorizationFullAccuracy: NSLog(@"Location accuracy is precise."); break; case CLAccuracyAuthorizationReducedAccuracy: NSLog(@"Location accuracy is not precise."); break; } // Handle authorization status switch (status) { case kCLAuthorizationStatusRestricted: NSLog(@"Location access was restricted."); break; case kCLAuthorizationStatusDenied: NSLog(@"User denied access to location."); // Display the map using the default location. mapView.hidden = NO; case kCLAuthorizationStatusNotDetermined: NSLog(@"Location status not determined."); case kCLAuthorizationStatusAuthorizedAlways: case kCLAuthorizationStatusAuthorizedWhenInUse: NSLog(@"Location status is OK."); } } // Handle location manager errors. - (void)locationManager:(CLLocationManager *)manager didFailWithError:(NSError *)error { [manager stopUpdatingLocation]; NSLog(@"Error: %@", error.localizedDescription); }
मैप जोड़ना
कोई मैप बनाएं और उसे मुख्य व्यू कंट्रोलर में viewDidLoad()
में व्यू में जोड़ें. मैप तब तक छिपा रहता है, जब तक जगह की जानकारी का अपडेट नहीं मिल जाता. जगह की जानकारी के अपडेट, CLLocationManagerDelegate
एक्सटेंशन में मैनेज किए जाते हैं.
Swift
// A default location to use when location permission is not granted. let defaultLocation = CLLocation(latitude: -33.869405, longitude: 151.199) // Create a map. let zoomLevel = locationManager.accuracyAuthorization == .fullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel let camera = GMSCameraPosition.camera(withLatitude: defaultLocation.coordinate.latitude, longitude: defaultLocation.coordinate.longitude, zoom: zoomLevel) mapView = GMSMapView.map(withFrame: view.bounds, camera: camera) mapView.settings.myLocationButton = true mapView.autoresizingMask = [.flexibleWidth, .flexibleHeight] mapView.isMyLocationEnabled = true // Add the map to the view, hide it until we've got a location update. view.addSubview(mapView) mapView.isHidden = true
Objective-C
// A default location to use when location permission is not granted. CLLocationCoordinate2D defaultLocation = CLLocationCoordinate2DMake(-33.869405, 151.199); // Create a map. float zoomLevel = locationManager.accuracyAuthorization == CLAccuracyAuthorizationFullAccuracy ? preciseLocationZoomLevel : approximateLocationZoomLevel; GMSCameraPosition *camera = [GMSCameraPosition cameraWithLatitude:defaultLocation.latitude longitude:defaultLocation.longitude zoom:zoomLevel]; mapView = [GMSMapView mapWithFrame:self.view.bounds camera:camera]; mapView.settings.myLocationButton = YES; mapView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight; mapView.myLocationEnabled = YES; // Add the map to the view, hide it until we've got a location update. [self.view addSubview:mapView]; mapView.hidden = YES;
उपयोगकर्ता को अपनी मौजूदा जगह चुनने के लिए कहा जा रहा है
उपयोगकर्ता की मौजूदा जगह के आधार पर, सबसे ज़्यादा संभावित पांच जगहों की जानकारी पाने के लिए, Places SDK for iOS का इस्तेमाल करें. साथ ही, सूची को UITableView
में दिखाएं. जब उपयोगकर्ता कोई जगह चुनता है, तो मैप पर मार्कर जोड़ें.
UITableView
को अपने-आप भरने के लिए, संभावित जगहों की सूची पाएं. इससे उपयोगकर्ता अपनी मौजूदा जगह चुन सकता है.- उपयोगकर्ता को संभावित जगहें दिखाने के लिए, नया व्यू खोलें. जब उपयोगकर्ता "जगह की जानकारी पाएं" पर टैप करता है, तो हम एक नए व्यू पर स्विच कर देते हैं. साथ ही, उपयोगकर्ता को ऐसी जगहों की सूची दिखाते हैं जिनमें से उसे कोई एक जगह चुननी होती है.
prepare
फ़ंक्शन,PlacesViewController
को संभावित मौजूदा जगहों की सूची के साथ अपडेट करता है. साथ ही, सेग्यू होने पर यह अपने-आप कॉल होता है. PlacesViewController
में,UITableViewDataSource
डेलिगेट एक्सटेंशन का इस्तेमाल करके, सबसे संभावित जगहों की सूची का इस्तेमाल करके टेबल भरें.UITableViewDelegate
अन्य उपयोगकर्ता को अनुमति देने वाले एक्सटेंशन का इस्तेमाल करके, उपयोगकर्ता के चुने गए विकल्प को मैनेज करें.
Swift
// Populate the array with the list of likely places. func listLikelyPlaces() { // Clean up from previous sessions. likelyPlaces.removeAll() let placeFields: GMSPlaceField = [.name, .coordinate] placesClient.findPlaceLikelihoodsFromCurrentLocation(withPlaceFields: placeFields) { (placeLikelihoods, error) in guard error == nil else { // TODO: Handle the error. print("Current Place error: \(error!.localizedDescription)") return } guard let placeLikelihoods = placeLikelihoods else { print("No places found.") return } // Get likely places and add to the list. for likelihood in placeLikelihoods { let place = likelihood.place self.likelyPlaces.append(place) } } }
Objective-C
// Populate the array with the list of likely places. - (void) listLikelyPlaces { // Clean up from previous sessions. likelyPlaces = [NSMutableArray array]; GMSPlaceField placeFields = GMSPlaceFieldName | GMSPlaceFieldCoordinate; [placesClient findPlaceLikelihoodsFromCurrentLocationWithPlaceFields:placeFields callback:^(NSArray<GMSPlaceLikelihood *> * _Nullable likelihoods, NSError * _Nullable error) { if (error != nil) { // TODO: Handle the error. NSLog(@"Current Place error: %@", error.localizedDescription); return; } if (likelihoods == nil) { NSLog(@"No places found."); return; } for (GMSPlaceLikelihood *likelihood in likelihoods) { GMSPlace *place = likelihood.place; [likelyPlaces addObject:place]; } }]; }
Swift
// Prepare the segue. override func prepare(for segue: UIStoryboardSegue, sender: Any?) { if segue.identifier == "segueToSelect" { if let nextViewController = segue.destination as? PlacesViewController { nextViewController.likelyPlaces = likelyPlaces } } }
Objective-C
// Prepare the segue. - (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender { if ([segue.identifier isEqualToString:@"segueToSelect"]) { if ([segue.destinationViewController isKindOfClass:[PlacesViewController class]]) { PlacesViewController *placesViewController = (PlacesViewController *)segue.destinationViewController; placesViewController.likelyPlaces = likelyPlaces; } } }
Swift
// Populate the table with the list of most likely places. extension PlacesViewController: UITableViewDataSource { func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return likelyPlaces.count } func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell { let cell = tableView.dequeueReusableCell(withIdentifier: cellReuseIdentifier, for: indexPath) let collectionItem = likelyPlaces[indexPath.row] cell.textLabel?.text = collectionItem.name return cell } }
Objective-C
#pragma mark - UITableViewDataSource - (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section { return self.likelyPlaces.count; } - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath { return [tableView dequeueReusableCellWithIdentifier:cellReuseIdentifier forIndexPath:indexPath]; } @end
Swift
class PlacesViewController: UIViewController { // ... // Pass the selected place to the new view controller. override func prepare(for segue: UIStoryboardSegue, sender: Any?) { if segue.identifier == "unwindToMain" { if let nextViewController = segue.destination as? MapViewController { nextViewController.selectedPlace = selectedPlace } } } } // Respond when a user selects a place. extension PlacesViewController: UITableViewDelegate { func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) { selectedPlace = likelyPlaces[indexPath.row] performSegue(withIdentifier: "unwindToMain", sender: self) } // Adjust cell height to only show the first five items in the table // (scrolling is disabled in IB). func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat { return self.tableView.frame.size.height/5 } // Make table rows display at proper height if there are less than 5 items. func tableView(_ tableView: UITableView, heightForFooterInSection section: Int) -> CGFloat { if (section == tableView.numberOfSections - 1) { return 1 } return 0 } }
Objective-C
@interface PlacesViewController () <UITableViewDataSource, UITableViewDelegate> // ... -(void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender { } #pragma mark - UITableViewDelegate // Respond when a user selects a place. -(void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath { self.selectedPlace = [self.likelyPlaces objectAtIndex:indexPath.row]; [self performSegueWithIdentifier:@"unwindToMain" sender:self]; } // Adjust cell height to only show the first five items in the table // (scrolling is disabled in IB). -(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath { return self.tableView.frame.size.height/5; } // Make table rows display at proper height if there are less than 5 items. -(CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section { if (section == tableView.numberOfSections - 1) { return 1; } return 0; }
मैप में मार्कर जोड़ना
जब उपयोगकर्ता कोई विकल्प चुनता है, तो पिछले व्यू पर वापस जाने के लिए, अनवाइंड सेगमेंट का इस्तेमाल करें और मैप में मार्कर जोड़ें. मुख्य व्यू कंट्रोलर पर वापस आने पर, unwindToMain
IBAction अपने-आप कॉल हो जाता है.
Swift
// Update the map once the user has made their selection. @IBAction func unwindToMain(segue: UIStoryboardSegue) { // Clear the map. mapView.clear() // Add a marker to the map. if let place = selectedPlace { let marker = GMSMarker(position: place.coordinate) marker.title = selectedPlace?.name marker.snippet = selectedPlace?.formattedAddress marker.map = mapView } listLikelyPlaces() }
Objective-C
// Update the map once the user has made their selection. - (void) unwindToMain:(UIStoryboardSegue *)segue { // Clear the map. [mapView clear]; // Add a marker to the map. if (selectedPlace != nil) { GMSMarker *marker = [GMSMarker markerWithPosition:selectedPlace.coordinate]; marker.title = selectedPlace.name; marker.snippet = selectedPlace.formattedAddress; marker.map = mapView; } [self listLikelyPlaces]; }
बधाई हो! आपने एक ऐसा iOS ऐप्लिकेशन बनाया है जिसकी मदद से उपयोगकर्ता अपनी मौजूदा जगह चुन सकता है और Google Maps पर नतीजा देख सकता है. ऐसा करने के दौरान, आपने Places SDK for iOS, Maps SDK for iOS, और Apple Core Location framework का इस्तेमाल करने का तरीका जाना है.