用什么代替 indexPath.row?对于非table?

What to use instead of indexPath.row? for non-table?

我正在使用 mapview 而不是 tableview,但我不知道用什么来替换 indexPath.row。

我有一个带有注释的地图视图,当按下注释的信息按钮时,我然后查询我的 CK 数据库和 return 具有与按下的注释名称匹配的名称字段的记录。这 return 是一个只有一条记录的 [CKRecord],因为没有匹配的名称。

此时,使用表视图我将执行以下操作来访问数据...

let placeInfo = selectedData[indexPath.row]
let placeName = placeInfo.objectForKey("Name") as! String
let placeCity = placeInfo.objectForKey("City") as! String

但是,因为我没有使用 tableview,所以我没有 indexPath 可以使用。由于我的 [CKRecord] 对象只包含一条记录,我想我可以用记录的数组位置替换 indexPath.row...

let placeInfo = selectedPlace[0] //also tried 1

该行产生索引超出范围错误。
我已经尝试了我所知道的一切,正如您想象的那样,我目前在 swift 或一般编程方面并不十分出色。

这是我正在使用的完整 mapView 函数...

    func mapView(mapView: MKMapView, annotationView: MKAnnotationView, calloutAccessoryControlTapped control: UIControl) {

    let cloudContainer = CKContainer.defaultContainer()
    let publicData = cloudContainer.publicCloudDatabase

    let tappedPlace = annotationView.annotation!.title!! as String

    let predi = NSPredicate(format: "Name = %@", tappedPlace)
    let iquery = CKQuery(recordType: "Locations", predicate: predi)

    publicData.performQuery(iquery, inZoneWithID: nil, completionHandler: {
        (results, error) -> Void in

        if error != nil {
            print(error)
            return
        }

        if let results = results {
            print("Downloaded data for selected location for \(tappedPlace)")

            NSOperationQueue.mainQueue().addOperationWithBlock() {
                self.selectedPlace = results
            }
        }
    })

    let placeInfo = selectedPlace[0]
    let placeName = placeInfo.objectForKey("Name") as! String
    //returns Index out of range error for placeInfo line


    //need data before segue
    //performSegueWithIdentifier("fromMap", sender: self)
}

您的问题是,您尝试在 selectedPlace 由您的完成处理程序实际签名之前访问它。您的 'publicData.performQuery' 似乎是一个异步操作,这意味着即使在执行完成处理程序之前,控件也会从此调用中退出(这在异步调用的情况下是预期的)。你马上就到了——

let placeInfo = selectedPlace[0]

但是数据还没有准备好,你得到异常。现在解决这个问题,移动位置信息提取,并在完成处理程序中执行 segue 代码,如图所示-

publicData.performQuery(iquery, inZoneWithID: nil, completionHandler: {
    (results, error) -> Void in

    if error != nil {
        print(error)
        return
    }

    if let results = results {
        print("Downloaded data for selected location for \(tappedPlace)")

        NSOperationQueue.mainQueue().addOperationWithBlock() {
            self.selectedPlace = results
               if(results.count > 0){

               let placeInfo = selectedPlace[0]
               let placeName = placeInfo.objectForKey("Name") as! String
               //Do any other computations as needed.
               performSegueWithIdentifier("fromMap", sender: self)
            }
        }
    }
})

这应该可以解决您的问题。