0

我正在尝试学习 Swift,并且我有一个使用 Google 的 Places API 的小项目。

我有一个获取地点详细信息的方法,它使用 URLSession 快速发送请求:

func fetchRestaurantDetails(placeId: String) -> Void {
    let jsonURLString = "https://maps.googleapis.com/maps/api/place/details/json?placeid=\(placeId)&key=[MY API KEY]"
    guard let url = URL(string: jsonURLString) else { return}

    let urlRequest = URLRequest(url: url)

    // set up the session
    let config = URLSessionConfiguration.default
    let session = URLSession(configuration: config)


    _ = session.dataTask(with: urlRequest) { (data, response, error) in
        // check for any errors
        guard error == nil else {
            print("error calling GET on /todos/1")
            print(error!)
            return
        }
        // make sure we got data
        guard let responseData = data else {
            print("Error: did not receive data")
            return
        }
        // parse the result as JSON, since that's what the API provides
        do {
            let place = try JSONDecoder().decode(Result.self, from: responseData) // New in Swift 4, used to serialize json.  
            self.rest = place.result
        } catch  {
            print("error trying to convert data to JSON")
            return
        }
    }.resume()
}

我使用这个方法创建了一个餐厅类型的实例,稍后我将把它添加到一个列表中:

func createRestaurant(placeId: String) -> Restaurants {
    self.fetchRestaurantDetails(placeId: placeId)
    let rest = Restaurants(name: self.rest.name,
                           formatted_address: self.rest.formatted_address,
                           website: self.rest.website,
                           location: ((self.rest.geometry.location.lat,self.rest.geometry.location.lng)),
                           opening_hours: self.rest.opening_hours.weekday_text,
                           photo: restImg)
    return rest!
}

但是每当我回到“ let rest = Restaurants(...) ”时,所有的值都是零。当我尝试调试它时,它只是跳过我的“ _ = session ”部分一直到resume(),然后再次回到 session 并在resume()结束。没有产生数据。我很困惑,因为我之前成功执行了这段代码,现在我想知道我是否遗漏了什么。谢谢 :-)

4

2 回答 2

1

放两个断点。一个在

    let place = try JSONDecoder().decode(Result.self, from: responseData) // New in Swift 4, used to serialize json.  
    self.rest = place.result

第二个在

let rest = Restaurants(name: self.rest.name,
                       formatted_address: self.rest.formatted_address,
                       website: self.rest.website,
                       location: ((self.rest.geometry.location.lat,self.rest.geometry.location.lng)),
                       opening_hours: self.rest.opening_hours.weekday_text,
                       photo: restImg)

你会意识到第二个是第一个被调用的。您正在获取数据,这是异步完成的,并且在它可用之前您正在尝试使用它。在使用数据之前,您需要确保数据可用。这里的一种方法是使用完成处理程序。您可以在此处了解完成处理程序。

于 2017-07-24T18:31:37.170 回答
0

fetchRestaurantDetails是一个异步方法,因为您session.dataTask在其中调用它是异步的。

您正在尝试在函数实际返回之前使用它的结果。您有几种方法可以解决此问题:

  1. 使用完成处理程序返回值fetchRestaurantDetails
  2. 用于DispatchGroups检测何时URLRequest完成
  3. 使用像PromiseKit这样的第三方框架来处理异步函数,比如带有返回值的普通函数。
于 2017-07-24T18:30:21.063 回答