URLSession 结果为 NIL 数据

URLSession results in NIL data

我正在努力学习 Swift,我有一个小项目 Google 的地方 API。

我有一个获取地点详细信息的方法,它使用 swift 中的 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()
}

我使用此方法创建了 Restaurants 类型的实例,稍后我会将其添加到列表中:

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(),然后再次返回会话并在 resume() 处结束。没有数据产生。 自从我之前成功执行了这段代码以来,我一直很困惑,现在我想知道我是否遗漏了什么。 谢谢:-)

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

您正试图在函数实际 returned 之前使用它的结果。你有几种方法可以解决这个问题:

  1. 使用完成处理程序 return 来自 fetchRestaurantDetails
  2. 的值
  3. 使用DispatchGroups检测URLRequest何时完成
  4. 使用像 PromiseKit 这样的第 3 方框架来像处理具有 return 值的普通函数一样处理异步函数。

设置两个断点。一个在

    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)

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