Git Product home page Git Product logo

meetup-mapkit's Introduction

MapKit Meetup

These are my notes for the Meetup on MapKit.

Build and run the project. Also follow along with the commit history.

I'll be following the steps below, in order. I'll try to get as far as I can while live-coding. Will fall back to just copying and pasting large swaths of code when people start getting up to leave.

For Location APIs, see: http://nshipster.com/ios9/

Get Location

In ViewController.swift:

import MapKit
let locationManager = CLLocationManager()

In viewDidLoad():

locationManager.requestLocation()

Error because can't handle the location.

'NSInternalInconsistencyException', reason: 'Delegate must respond to locationManager:didUpdateLocations:'

Set the delegate:

locationManager.delegate = self

And implement the method from the error message:

extension ViewController: CLLocationManagerDelegate {    
    func locationManager(manager: CLLocationManager, didUpdateLocations locations: [CLLocation]){
        print("locations: \(locations)")
    }
    
    func locationManager(manager: CLLocationManager, didFailWithError error: NSError) {
        print("error: \(error)")
    }
}

Note: You need implement didFailWithError otherwise you get this:

'NSInternalInconsistencyException', reason: 'Delegate must respond to locationManager:didFailWithError:'

You don't have permissions.

error: Error Domain=kCLErrorDomain Code=0 "(null)"

Because you need to request permission.

locationManager.requestWhenInUseAuthorization()

No permission prompt.

Info.plist

NSLocationWhenInUseUsageDescription

(when running, purposely wait before hitting Allow. race condition between requestLocation timeout and the user responding to the prompt)

Need to re-request location if the user hits Allow:

Pro-tip: Use a guard statement here:

func locationManager(manager: CLLocationManager, didChangeAuthorizationStatus status: CLAuthorizationStatus) {
    guard status == .AuthorizedWhenInUse else { return }
    locationManager.requestLocation()
}

Make sure to set location in Simulator. Show how to do it.

39.1671385
-76.840939

Add Map

Need some UI.

Disable size classes.

  1. Add MKMapView
  2. Set constraints

Pro Tip: Set the top constraint NOT to the layout guide

  1. Set delegate
  2. Show user location

Crash:

'NSInvalidUnarchiveOperationException', reason: 'Could not instantiate class named MKMapView'
  1. Set the capabilities due to error
  2. Create IBOutlet mapView

Zoom in

func locationManager(manager: CLLocationManager, didUpdateLocations locations: [CLLocation]){
    guard let location = locations.first else { return }
    let span = MKCoordinateSpanMake(0.05, 0.05)
    let region = MKCoordinateRegion(center: location.coordinate, span: span)
    mapView.setRegion(region, animated: true)
}

Search Table

Create the class:

LocationSearchTable.swift

import UIKit
class LocationSearchTable : UITableViewController { 

}

Storyboard stuff:

  1. Add table view controller
  2. Set the class
  3. Set storyboard ID important
  4. Set cell to subtitle
  5. Set cell identifier
  6. Embed nav controller

Pro-tip: Point out that there is NO segue to the table

TODO: Need a good analogy of the UISearchController. Something small that dangles off the bigger thing, and controls whether the big thing shows up. Venetian blinds?

Note: UISearchController has a built-in search bar that's already wired up. Use this one -- don't supply your own.

Set up the table. Maybe write everything out as pseudo-code first.

        // create search controller

        // make the table

        // set search results CONTROLLER

		// set search results UPDATER

		// stick the search bar somewhere

Maybe definesPresentationContext and hidesNavigationBarDuringPresentation -- let them see the bug first.

  • hidesNavigationBarDuringPresentation: nav bar flies off the screen
  • definesPresentationContext: search results table totally obscures the nav bar. show analogy of cards in a deck, and pushing multiple cards and iOS removes the ones beneath.

Also show what happens when you don't use an instance variable for the resultSearchController (no table shows up)

var resultSearchController:UISearchController? = nil
func setupSearchTable(){
    guard let locationSearchTable = storyboard?.instantiateViewControllerWithIdentifier(String(LocationSearchTable)) as? LocationSearchTable else { return }
    resultSearchController = UISearchController(searchResultsController: locationSearchTable)
    resultSearchController?.searchResultsUpdater = locationSearchTable
    let searchBar = resultSearchController?.searchBar
    searchBar?.placeholder = "Search for places"
    navigationItem.titleView = searchBar
    resultSearchController?.hidesNavigationBarDuringPresentation = false 
    definesPresentationContext = true
}

In viewDidLoad:

setupSearchTable()

Explain some tricky concepts:

  1. UISearchController has 3 components:
  • searchResultsController: displays results. the table view controller
  • searchResultsUpdater: figures out new results. also the table view controller
  • searchBar: you stick this into the nav bar
  1. Presentation context lets you superimpose cards on one another

Set up the delegate

extension LocationSearchTable : UISearchResultsUpdating {
    func updateSearchResultsForSearchController(searchController: UISearchController) {
    }
}

Why do you use an instance variable for the UISearchController?

Attempting to load the view of a view controller while it is deallocating is not allowed and may result in undefined behavior (<UISearchController: 0x7fb8db6af1b0>)

MKLocalSearchRequest

Add this to ViewController.swift

locationSearchTable.mapView = mapView

And completely replace LocationSearchTable.swift

  1. Add the import and variables
  2. Implement UISearchResultsUpdating
  3. Populate the cell
  4. Add the address parsing methods
  5. Add the detail text label
import UIKit
import MapKit

class LocationSearchTable: UITableViewController {
    
    var matchingItems:[MKMapItem] = []
    var mapView: MKMapView? = nil

}

extension LocationSearchTable: UISearchResultsUpdating {
    func updateSearchResultsForSearchController(searchController: UISearchController) {
        guard let mapView = mapView else { return }
        let request = MKLocalSearchRequest()
        request.naturalLanguageQuery = searchController.searchBar.text
        request.region = mapView.region
        let search = MKLocalSearch(request: request)
        search.startWithCompletionHandler { response, _ in
            guard let response = response else { return }
            self.matchingItems = response.mapItems
            self.tableView.reloadData()
        }
    }
}

Request is made up of a search term tacos and a map region. The request is like a cannon ball. The MKLocalSearch fires off the request.

extension LocationSearchTable {
    override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        return matchingItems.count
    }
    
    override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
        let cell = tableView.dequeueReusableCellWithIdentifier("cell")!
        let selectedItem = matchingItems[indexPath.row].placemark
        cell.textLabel?.text = selectedItem.name
        return cell
    }
}

Address Parser

func convertEmptyToNil(string: String?) -> String? {
    return (string ?? "").isEmpty ? nil : string
}

func parseAddress(selectedItem:MKPlacemark) -> String {
    // see https://gist.github.com/joemasilotti/da1c5a04bd6386c22d55
    let streetNumber = selectedItem.subThoroughfare
    let streetName = selectedItem.thoroughfare
    let city = selectedItem.locality
    let state = selectedItem.administrativeArea
    
    let addressLine1 = [streetNumber, streetName].flatMap{ $0 }.joinWithSeparator(" ")
    let addressLine2 = [city, state].flatMap{ $0 }.joinWithSeparator(" ")
    let oneLineAddress = [addressLine1, addressLine2].flatMap{ convertEmptyToNil($0) }.joinWithSeparator(", ")
    return oneLineAddress
}
cell.detailTextLabel?.text = parseAddress(selectedItem)

Drop Pin

ViewController.swift

protocol HandleMapSearch {
    func dropPinZoomIn(placemark:MKPlacemark)
}
var selectedPin:MKPlacemark? = nil
extension ViewController: HandleMapSearch {
    func dropPinZoomIn(placemark:MKPlacemark){
        // cache the pin
        selectedPin = placemark
        // clear existing pins
        mapView.removeAnnotations(mapView.annotations)
        let annotation = MKPointAnnotation()
        annotation.coordinate = placemark.coordinate
        annotation.title = placemark.name
        let city = placemark.locality
        let state = placemark.administrativeArea
        annotation.subtitle = [city, state].flatMap { $0 }.joinWithSeparator(", ")
        mapView.addAnnotation(annotation)
        let span = MKCoordinateSpanMake(0.05, 0.05)
        let region = MKCoordinateRegionMake(placemark.coordinate, span)
        mapView.setRegion(region, animated: true)
    }
}

In viewDidLoad():

locationSearchTable.handleMapSearchDelegate = self

LocationSearchTable.swift

var handleMapSearchDelegate:HandleMapSearch? = nil
extension LocationSearchTable {
    override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
        let selectedItem = matchingItems[indexPath.row].placemark
        handleMapSearchDelegate?.dropPinZoomIn(selectedItem)
        dismissViewControllerAnimated(true, completion: nil)
    }
}

Wire the button and pin

extension ViewController : MKMapViewDelegate {
    func mapView(mapView: MKMapView, viewForAnnotation annotation: MKAnnotation) -> MKAnnotationView?{
        if annotation is MKUserLocation {
            //return nil so map view draws "blue dot" for standard user location
            return nil
        }
        let reuseId = "pin"
        var pinView = mapView.dequeueReusableAnnotationViewWithIdentifier(reuseId) as? MKPinAnnotationView
        pinView = MKPinAnnotationView(annotation: annotation, reuseIdentifier: reuseId)
        pinView?.pinTintColor = UIColor.orangeColor()
        pinView?.canShowCallout = true
        let smallSquare = CGSize(width: 30, height: 30)
        let button = UIButton(frame: CGRect(origin: CGPointZero, size: smallSquare))
        button.setBackgroundImage(UIImage(named: "car"), forState: .Normal)
        button.addTarget(self, action: #selector(ViewController.getDirections), forControlEvents: .TouchUpInside)
        pinView?.leftCalloutAccessoryView = button
        return pinView
    }
}
func getDirections(){
    if let selectedPin = selectedPin {
        let mapItem = MKMapItem(placemark: selectedPin)
        let launchOptions = [MKLaunchOptionsDirectionsModeKey : MKLaunchOptionsDirectionsModeDriving]
        mapItem.openInMapsWithLaunchOptions(launchOptions)
    }
}

Custom image

Import StyleKit file from desktop

let carImage = StyleKit.imageOfCar(size: smallSquare, resizing: .AspectFit)
button.setBackgroundImage(carImage, forState: .Normal)

Monkey patch the setFill color in Style Kit

meetup-mapkit's People

Contributors

chenr2 avatar

Stargazers

shima avatar  avatar

Watchers

Jeff Thorn avatar James Cloos avatar  avatar

Forkers

thepowerofswift

meetup-mapkit's Issues

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.