Swift - 枚举

Swift - 枚举

枚举在CSwift中有所不同, Swift中的枚举, 更加灵活, 更加强大

C

  • 值类型: 只能是整型

Swift

  • 值类型: 可以是字符串、字符、整型值、浮点值
  • 关联值: 可以指定任意类型的关联值, 存储到枚举成员中
  • 计算属性: 可以添加计算属性, 用于提供枚举值的附加信息
  • 实例方法: 可以添加实例方法, 用于提供和枚举值相关联的功能
  • 构造函数: 可以定义构造函数, 来提供一个初始值
  • 扩展: 支持扩展
  • 协议: 可以遵守协议, 实现协议的功能
  • 嵌套: 可以进行枚举的嵌套, 可以理解为枚举成员的分类

规范

  • 枚举类型名称首字母大写
  • 枚举成员名称小写, 且应是单数

语法

相关关键字: enumcaseindirect

构建语法

C中的类似, 使用enum关键词来创建枚举, 将定义放在一对大括号内:

enum SomeEnumeration {
    // 枚举定义放在这里
}

成员语法

    1. case关键字来定义一个新的枚举成员值:
enum CompassPoint {
    case north
    case south
    case east
    case west
}
    1. 一行创建多个成员值, 用,隔开:
enum Planet {
    case mercury, venus, earth, mars, jupiter, saturn, uranus, neptune
}
    1. 关联值

Swift中枚举可以存储任何类型的关联值, 而且每个枚举成员的关联值类型可以各不相同, 关联值类型写在成员后边的()中, 多个的话用,隔开

enum Barcode {
    case upc(Int, Int, Int, Int)
    case qrCode(String)
}
    1. 原始值
      Swift中的枚举成员, 可以手动设置原始值, 枚举成员的类型应该都一致
      1)需要先定义枚举的类型
      2)再赋值
      3)未赋值的话: 整型默认值为0、字符串默认值为成员的名称
      4)获取原始值: .rawValue
      5)用原始值创建: (rawValue:)
enum ASCIIControlCharacter: Character {
    case tab = "\t"
    case lineFeed = "\n"
    case carriageReturn = "\r"
}
enum CompassPoint: String {
    case north, south, east, west
}
//原始值
// north 类型为 CompassPoint? 值为 CompassPoint.north
let north = CompassPoint(rawValue: "north")

// value 值为 "north"
let value = north.rawValue
    1. 递归枚举
      递归枚举是一种枚举类型, 就是有一个或者多个枚举成员使用该枚举类型的实例来作为关联值, 使用递归枚举时, 编译器会插入一个间接层,你可以在枚举成员前添加 indirect 关键字来表示该成员可递归:
enum ArithmeticExpression {
    case number(Int)
    indirect case addition(ArithmeticExpression, ArithmeticExpression)
    indirect case multiplication(ArithmeticExpression, ArithmeticExpression)
}

也可以在枚举类型开头加上indirect关键字来表明它的所有成员都是可递归的:

indirect enum ArithmeticExpression {
    case number(Int)
    case addition(ArithmeticExpression, ArithmeticExpression)
    case multiplication(ArithmeticExpression, ArithmeticExpression)
}

使用

    1. 赋值

正常赋值用类型.成员, 如果该枚举的类型可以推断出来, 可以直接用.成员:

var directionToHead = CompassPoint.west
directionToHead = .east
    1. 匹配

一般使用switch语句来匹配枚举值:

  • 一般枚举
directionToHead = .south
switch directionToHead {
    case .north:
        print("Lots of planets have a north")
    case .south:
        print("Watch out for penguins")
    case .east:
        print("Where the sun rises")
    case .west:
        print("Where the skies are blue")
}
  • 关联值
productBarcode = .qrCode("ABCDEFGHIJKLMNOP")
switch productBarcode {
case .upc(let numberSystem, let manufacturer, let product, let check):
    print("UPC: \(numberSystem), \(manufacturer), \(product), \(check).")
case .qrCode(let productCode):
    print("QR code: \(productCode).")
}

如果一个枚举成员的所有关联值都被提取为常量,或者都被提取为变量,为了简洁,你可以只在成员名称前标注一个let或者var:

switch productBarcode {
case let .upc(numberSystem, manufacturer, product, check):
    print("UPC: \(numberSystem), \(manufacturer), \(product), \(check).")
case let .qrCode(productCode):
    print("QR code: \(productCode).")
}

你可能感兴趣的:(Swift - 枚举)