在Swift中实现密封类的效果

时间:2017-01-02 16:07:49

标签: swift final sealed associated-types

我试图在Swift中实现Kotlin密封类的效果,这样我就可以为具有关联类型的枚举实现基于类的替代。

以下导致编译器错误:

final class Foo {
    class Bar: Foo {}  // Error: inheritance from a final class "Foo"
}

有没有办法有效地密封"来自进一步子类化的Swift类,但仍然允许继承子类?

2 个答案:

答案 0 :(得分:3)

您可以将它及其子类放在框架中并将其标记为publicpublic类不能被其导入器子类化(而不是open类可以)。

答案 1 :(得分:2)

我会看看这个 Using Kotlin’s sealed class to approximate Swift’s enum with associated data和(大部分)这个 Swift Enumerations Docs

<强>科特林

sealed class Barcode {
   class upc(val numberSystem: Int, val manufacturer: Int, val product: Int, val check: Int) : Barcode()
   class qrCode(val productCode: String) : Barcode()
}

然后:

fun barcodeAsString(barcode: Barcode): String =
   when (barcode) {
      is Barcode.upc -> “${barcode.numberSystem} ${barcode.manufacturer} 
   ${barcode.product} ${barcode.check}”
      is Barcode.qrCode -> “${barcode.productCode}”
}

Swift

enum Barcode {
   case upc(Int, Int, Int, Int)
   case qrCode(String)
}

然后执行以下操作:

var productBarcode = Barcode.upc(8, 85909, 51226, 3)
productBarcode = .qrCode("SDFGHJKLYFF")

或:

switch productBarcode {
case .upcA(let a, let b, let c, let d):
    print("UPC: \(a),\(b),\(c),\(d)")
case .qrCode(let code):
    print("QR Code: \(code)")
}