Как принудительно установить язык по умолчанию на английский в CLLocationManager?

Итак, я новичок в Swift, и я сделал преобразование из текущих Lat и Long в название города и страну, он отлично работает:

func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation])
{
    if didFindLocation == false
    {
        didFindLocation = true
        locationManager.stopUpdatingLocation()
        userLocation = locations[0]
        long = userLocation.coordinate.longitude;
        lat = userLocation.coordinate.latitude;
        print("\(lat),\(long)")
        converLocationToCity()
    }
}

func converLocationToCity()
{
    let geoCoder = CLGeocoder()
    userLocation = CLLocation(latitude: self.lat, longitude: self.long)
    geoCoder.reverseGeocodeLocation(userLocation, completionHandler:
    {
        (placemarks, error) -> Void in
        var placeMark: CLPlacemark!
        placeMark = placemarks?[0]
        if let city = placeMark.addressDictionary!["State"] as? String
        {
            self.city = city as String
        } else
        {
            self.city = ""
        }
        if let country = placeMark.addressDictionary!["Country"] as? String
        {
            self.country = country as String
        } else
        {
            self.country = ""
        }
        self.currentCity.name = ("\(self.city), \(self.country)" as String)
        print("\(self.currentCity.name)")
        self.fetchWeather.performCurrentWeatherFetch(forSelectedCity: self.currentCity.name)
        DispatchQueue.main.async()
            {
            (self.superview as! UICollectionView).reloadData()
        }
    })
}

Но когда устройство настроено на другой язык, например, на русский, оно возвращает мне название города и страны русскими символами, но мне нужно, чтобы они были только на английском языке. У кого-нибудь есть идеи или предложения? Благодарю вас!


person Dumitru Rogojinaru    schedule 07.11.2016    source источник
comment
stackoverflow.com/ вопросы/25144508/   -  person Anish Parajuli 웃    schedule 08.11.2016
comment
мм вроде то, что мне нужно, но это в цели, а я новичок в программировании и свифте, поэтому пробую уже 40 минут и не могу...   -  person Dumitru Rogojinaru    schedule 08.11.2016


Ответы (1)


Вот мое решение. При получении данных о местоположении я меняю `UserDefaults.standard.set(["base"], forKey: "AppleLanguages")'

и как только я получил словарь на английском языке, я удаляю объект

UserDefaults.standard.removeObject(forKey: "AppleLanguages")

который затем устанавливает applelanguage значение по умолчанию

func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]) {
    let userLocation:CLLocation = locations[0] as CLLocation
    // Call stopUpdatingLocation() to stop listening for location updates,
    // other wise this function will be called every time when user location changes.

    //  manager.stopUpdatingLocation()
    print("user latitude = \(userLocation.coordinate.latitude)")
    print("user longitude = \(userLocation.coordinate.longitude)")

    let geoCoder = CLGeocoder()
    let location = CLLocation(latitude: userLocation.coordinate.latitude, longitude: userLocation.coordinate.longitude)
    //location.accessibilityLanguage = "en-US"
    UserDefaults.standard.set(["base"], forKey: "AppleLanguages")
    geoCoder.reverseGeocodeLocation(location, completionHandler: { placemarks, error in
        guard let addressDict = placemarks?[0].addressDictionary else {
            return
        }
        print(addressDict)
        // Print each key-value pair in a new row
        addressDict.forEach { print($0) }

        // Print fully formatted address
        if let formattedAddress = addressDict["FormattedAddressLines"] as? [String] {
            print(formattedAddress.joined(separator: ", "))
        }

        // Access each element manually
        if let locationName = addressDict["Name"] as? String {
            print(locationName)
        }
        if let street = addressDict["Thoroughfare"] as? String {
            print(street)
        }
        var myCity:String = ""
        if let city = addressDict["City"] as? String {
            print(city)
            if(city != "" ){
                myCity = city
            }
        }
        if let zip = addressDict["ZIP"] as? String {
            print(zip)
        }
        var myCountry:String = ""
        if let country = addressDict["Country"] as? String {
            print(country)
            if(country != "" ){
                myCountry = country
            }
            MyGenericFunctions.sharedInstance.saveCountry(country: country)
        }
        manager.stopUpdatingLocation()

        if(myCity != "" && myCountry != "" && self.isCurrLocAPICalled != true){
           print("API Called")
            self.isCurrLocAPICalled = true
            self.callLocationSearch(strCity: myCity, strCountry: myCountry)
            UserDefaults.standard.removeObject(forKey: "AppleLanguages")
        }

    })

    //manager.stopUpdatingLocation()
}
person Yogesh Tandel    schedule 28.09.2017