To get the latitude and longitude of an address in Swift on iOS, you can use the Core Location framework. Below is an example of how you can achieve this: 
1.Import Core Location: 
Import the Core Location framework in your Swift file where you want to perform geocoding.
import CoreLocation
2.Create a Geocoder Instance: 
Instantiate a CLGeocoder object, which is responsible for converting between geographic coordinates and place names.
let geocoder = CLGeocoder()
3.Perform Geocoding: 
 Use the geocodeAddressString method of the CLGeocoder class to convert the address into a set of geographic coordinates.
func getCoordinates(for address: String, completion: @escaping (CLLocationCoordinate2D?, Error?) -> Void) {
    geocoder.geocodeAddressString(address) { (placemarks, error) in
        if let error = error {
            print("Geocoding failed with error: \(error.localizedDescription)")
            completion(nil, error)
            return
        }

        if let location = placemarks?.first?.location?.coordinate {
            completion(location, nil)
        } else {
            print("No location found for the provided address.")
            completion(nil, nil)
        }
    }
}
4.Usage Example: 
Call the getCoordinates function with the address you want to geocode, and handle the result in the completion handler.
let address = "1600 Amphitheatre Parkway, Mountain View, CA"

getCoordinates(for: address) { (coordinates, error) in
    if let coordinates = coordinates {
        print("Latitude: \(coordinates.latitude), Longitude: \(coordinates.longitude)")
    } else if let error = error {
        print("Error: \(error.localizedDescription)")
    }
}
Replace the address variable with the actual address you want to geocode. Make sure to handle the asynchronous nature of geocoding by using completion handlers. 

Also, remember to request the necessary location permissions in your app's Info.plist file and handle user privacy considerations as required by Apple's guidelines. 

Additionally, consider checking the placemarks array to access additional information about the location, such as country, city, and more, if needed.

Let's take an example and create an input field that accepts an address, then retrieves the latitude and longitude for that address using Swift in iOS.


To create an input that takes an address as input and retrieves the latitude and longitude of that address using Swift in iOS, you can follow these steps: 
1. Open Xcode: Open Xcode and create a new iOS project. Design the User Interface: Design the user interface in the storyboard with a text field for entering the address, a button to trigger the address conversion, and labels to display the latitude and longitude. 
2. Create IBOutlet and IBAction: Connect the UI elements to your Swift file by creating IBOutlet for the text field and labels, and an IBAction for the button.
import UIKit
import CoreLocation

class ViewController: UIViewController {

    @IBOutlet weak var addressTextField: UITextField!
    @IBOutlet weak var latitudeLabel: UILabel!
    @IBOutlet weak var longitudeLabel: UILabel!

    @IBAction func convertAddressButtonTapped(_ sender: UIButton) {
        convertAddressToCoordinates()
    }

    func convertAddressToCoordinates() {
        guard let address = addressTextField.text else { return }

        let geocoder = CLGeocoder()
        geocoder.geocodeAddressString(address) { (placemarks, error) in
            if let error = error {
                print("Geocoding error: \(error.localizedDescription)")
            } else if let placemark = placemarks?.first {
                self.displayCoordinates(placemark)
            }
        }
    }

    func displayCoordinates(_ placemark: CLPlacemark) {
        if let location = placemark.location {
            let coordinates = location.coordinate
            latitudeLabel.text = "Latitude: \(coordinates.latitude)"
            longitudeLabel.text = "Longitude: \(coordinates.longitude)"
        } else {
            print("No location found for the address.")
        }
    }
}
3.Request Location Permissions: In your app's Info.plist, add the NSLocationWhenInUseUsageDescription key with a message describing why your app needs location services. Also, request location permissions in your code.
import CoreLocation

class ViewController: UIViewController, CLLocationManagerDelegate {

    let locationManager = CLLocationManager()

    override func viewDidLoad() {
        super.viewDidLoad()

        locationManager.delegate = self
        locationManager.requestWhenInUseAuthorization()
    }

    // Other location-related functions
}
4.Handle Permissions: Implement the CLLocationManagerDelegate methods to handle location permissions.
extension ViewController {

    func locationManager(_ manager: CLLocationManager, didChangeAuthorization status: CLAuthorizationStatus) {
        if status == .authorizedWhenInUse {
            // Handle authorization granted
        } else if status == .denied {
            // Handle authorization denied
        }
    }

    func locationManager(_ manager: CLLocationManager, didFailWithError error: Error) {
        print("Location manager error: \(error.localizedDescription)")
    }
}
5.Run the App: Run the app on a simulator or a real device. Enter an address, tap the button, and observe the latitude and longitude being displayed. Remember to handle errors and edge cases based on your app's requirements. Additionally, ensure that your app complies with App Store guidelines and user privacy considerations when using location services.