I would give a look at this
Using Kotlin’s sealed class to approximate Swift’s enum with associated data and (mostly) this
Swift Enumerations Docs
Kotlin:
sealed class Barcode {
class upc(val numberSystem: Int, val manufacturer: Int, val product: Int, val check: Int) : Barcode()
class qrCode(val productCode: String) : Barcode()
}
and then:
fun barcodeAsString(barcode: Barcode): String =
when (barcode) {
is Barcode.upc -> “${barcode.numberSystem} ${barcode.manufacturer}
${barcode.product} ${barcode.check}”
is Barcode.qrCode -> “${barcode.productCode}”
}
While in Swift:
enum Barcode {
case upc(Int, Int, Int, Int)
case qrCode(String)
}
And then do things like:
var productBarcode = Barcode.upc(8, 85909, 51226, 3)
productBarcode = .qrCode("SDFGHJKLYFF")
or:
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)")
}