0

目前,我需要这段代码来让我的数据显示在 UITableViewCell 标签上:

guard let leaseUnits = Data.leaseUnits else { return cell; }
guard let leaseUnit = leaseUnits[indexPath.row] else { return cell; }
guard let unitId = leaseUnit.unitId else { return cell; }    
guard let units = Data.units else { return cell; }
guard let unit = units[unitId] else { return cell; }
(cell.viewWithTag(1)! as! UILabel).text = unit.unitNumber;

或者我可以这样做,但有空运行时错误的风险:

let unitNumber = Data.units![Data.leaseUnits![indexPath.row]!.unitId]!.unitNumber;
(cell.viewWithTag(1)! as! UILabel).text = unitNumber; 

有什么办法可以让它变成这样:

let unitNumber = Data.units?[Data.leaseUnits?[indexPath.row]?.unitId]?.unitNumber;
if (unitNumber != nil) { (cell.viewWithTag(1)! as! UILabel).text = unitNumber!; }

我只想获得一个值,如果任何链数据检索为 nil,则只需为整个操作返回 nil。

编辑:

好的,从 dfri 的评论来看:我至少可以像这样简化它:

if let unitId = Data.leaseUnits?[indexPath.row]?.unitId {
    if let unitNumber = Data.units?[unitId]?.unitNumber {
        (cell.viewWithTag(1)! as! UILabel).text = unitNumber;
    }
}

我没有比这更简单的了。

我猜这已经足够好了。现在我了解更多可选链接的限制。

编辑2:

所以最后可以变成这样,去掉一个嵌套块:

if let unitId = Data.leaseUnits?[indexPath.row]?.unitId, 
    let unitNumber = Data.units?[unitId]?.unitNumber {
    (cell.viewWithTag(1)! as! UILabel).text = unitNumber;
}

IMO,dfri 应该将他的评论作为答案,这样我才能接受。:)

4

1 回答 1

0

您可以使用可选链接,如语言指南 - 可选链接中所述

struct Bar {
    let baz: Int?
    init(baz: Int) { self.baz = baz }
}

struct Foo {
    let bar: Bar?
    init(bar: Bar) { self.bar = bar }
}

let bar: Bar? = Bar(baz: 42)
let foo: Foo? = Foo(bar: bar!)

if let innerBaz = foo?.bar?.baz { 
    print(innerBaz) // 42
}

另外,请注意,您不需要嵌套两个可选绑定子句(带有两个嵌套if语句),但可以将它们作为两个(或更多)逗号分隔的可选绑定放在同一if语句中,其中第一个绑定属性(如果成功)可在以下之一中使用。

/* ... as example above */

let dict = [42: "foobar!"]

if let innerBaz = foo?.bar?.baz, let dictValue = dict[innerBaz] { 
    print(dictValue) // foobar!
}
于 2016-09-22T14:27:01.447 回答