美文网首页
(十八) [Swift]Swift中的Enum

(十八) [Swift]Swift中的Enum

作者: 修行猿 | 来源:发表于2016-08-14 07:56 被阅读38次

1.enum的普通创建

  • 第一种形式
enum Direction{
    case up
    case down
    case left
    case right
}
  • 第二种形式
enum Direction1{
    case up , down ,left,right
}

2.enum 在switch中的普通使用

  • 普通使用
func direction(direction:Direction){
    switch direction {
    case .up,.down:
        print("纵向")
    case .left,.right:
        print("横向")
    }
}
  • 如果case并没有包含所有的情况需要加default
func direction2(direction:Direction){
    switch direction {
    case .up,.down:
        print("纵向")
    default:
        print("横向")
    }
}

3.enum的rowValue 绑定同类型的值

  • 手动为每一种情况赋值
enum Direction2:Int{
    case up     =  2
    case down   =  4
    case left   =  9
    case right  =  11
}
  • 只为第一种情况赋值,其他情况自增
enum Direction3:Int{
    case up = 1,down,left,right
}
  • 系统默认赋值
enum Direction4:Int{
    case up     //0
    case down   //1
    case left   //2
    case right  //3
}
  • 通过rowValue创建一个enum中的一个case,是optional类型的
var d = Direction4(rawValue:3) //right
d.dynamicType    //Optional<Direction4>.Type
  • 直接方式创建enum中的一个case,不是optional类型的
var d1 = Direction4.right;
d1.dynamicType   //Optional<Direction4>.Type
  • 访问case的rawValue
d?.rawValue  //3
d1.rawValue  //3

4.enum的associateValue 绑定不同类型的值

  • 声明形式
enum HTTPAction{
    case GET
    case POST(String)
    case PUT(Int,String)
}
  • 创建有associateValue的enum中的case
let get  = HTTPAction.GET
let post = HTTPAction.POST("hello")
let put  = HTTPAction.PUT(1, "haha")
  • switch中取出associateValue
func httpAction(httpAction:HTTPAction){
    switch httpAction {
    case .GET:
        print("get")
    case let .POST(msg):
        print(msg)
    case .PUT(let i, let msg):
        print("状态 \(i) msg:\(msg)");
    }
}
httpAction(get)  //打印 get
httpAction(post) //打印 hello
httpAction(put)  //打印 状态 1 msg:haha
  • Optional与enum
public enum Optional<Wrapped> : _Reflectable, NilLiteralConvertible {
    case None
    case Some(Wrapped)
    ...
}

可以看出Optional也是一个enum

  • 通过enum创建optional
let opt = Optional.Some("optional")
opt.dynamicType  //Optional<String>.Type
let opt2 :String?  = Optional.None
opt2  //nil

相关文章

网友评论

      本文标题:(十八) [Swift]Swift中的Enum

      本文链接:https://www.haomeiwen.com/subject/wksysttx.html