Forced Unwrapping

Ah, sorry—because the member chain involves optional chaining (.location?), you actually want to write:

self.latitude1 = (self.locationManager.location?.coordinate.latitude)!

The reason for this is that when you write it how I originally did (without the parentheses) the compiler is basically doing:

var latitude: Double?
if let location = self.locationManager.location {
  latitude = location.coordinate.latitude!
}
self.latitude1 = latitude

Since latitude is non-optional on CLLocationCoordinate2D, that code is nonsense. With the parentheses, the compiler does something like:

var latitude: Double?
if let location = self.locationManager.location {
  latitude = location.coordinate.latitude
}
self.latitude1 = latitude!

Note that these code transformations are not something that actually happens, they're just meant to illustrate the difference in behavior between the two examples.