ios 经典面试案例 (七)
2018-03-28 本文已影响10人
小小鱼类
Swift有哪些模式匹配?
模式匹配总结:
1.通配符模式(Wildcard Pattern)
如果你在 Swift 编码中使用了 _ 通配符,就可以表示你使用了通配符模式
- 例如,下面这段代码在闭区间 1...10 中迭代,每次迭代都忽略该区间的当前值:
for _ in 0...10 {
//print("hello")
}
2.标识符模式(Identifier Pattern)
定义变量或者常量时候,可以认为变量名和常量名就是一个标识符模式,用于接收和匹配一个特定类型的值:
let i = 1 // i 就是一个标识符模式
3.值绑定模式(Value-Binding Pattern)
值绑定在 if 语句和 switch 语句中用的较多。
- 比如 if let 和 case let, 还有可能是 case var。 let 和 var 分别对应绑定为常量和变量。
var str: String? = "nil"
if let v = str {
// 使用v这个常量做什么事 (use v to do something)
//print("hello")
}
4.元组模式(Tuple Pattern)
- 顾名思义,元组模式就是匹配元组中元素的模式:
let tuple = ("world", 21)
switch tuple {
case ("hello", let num):
print("第一个元素匹配,第二个元素可以直接使用\(num)")
case (_, 0...10):
print("元组的第一个元素可以是任何的字符串,第二个元素在0~10之间")
case ("world", _):
print("只要元组的第一个元素匹配, num可以是任何数")
default:
print("default")
}
但是在 for-in 语句中,由于每次循环都需要明确匹配到具体的值,所以以下代码是错误的:
let pts = [(0, 0), (0, 1), (0, 2), (1, 2)]
for (x, 0) in pts {
}
需要使用一个另外一个值绑定模式,来达成以上的逻辑:
let pts = [(0, 0), (0, 1), (0, 2), (1, 2)]
for (x, y) in pts {
}
5.枚举用例模式(Enumeration Case Pattern)
- 枚举用例模式是功能最强大的一个模式,也是整个模式匹配当中,应用面最广的模式,结合枚举中的关联值语法,可以做很多事情。先看一个简单的例子:
enum Direction {
case up
case down
case left
case right
}
let direction = Direction.up
switch direction {
case .up:
print("up")
case .down:
print("down")
case .left:
print("left")
case .right:
print("right")
}
6.可选模式
语句 case let x = y 模式允许你检查 y 是否能匹配 x。
而 if case let x = y { … } 严格等同于 switch y { case let x: … }:当你只想与一条 case 匹配时,这种更紧凑的语法尤其有用。有多个 case 时更适合使用 switch。
可选模式就是包含可选变量定义模式,在 if case、 for case、 switch-case 会用到。注意 if case let 和 if let的区别:
- 使用可选模式匹配
let a:Int? = nil
if case let x? = a {
print("\(x)")
}
let arr:[Int?] = [nil, 1, nil, 3]
- 只匹配非nil的元素
for case let element? in arr {
//print("\(element)")
}
7.类型转换模式(Type-Casting Pattern)
使用 is 和 as 关键字的模式,就叫类型转换模式:
let tp : Any = 0
switch tp {
case let a as Int :
print("是Int类型")
case let a as String :
print("是String类型")
default:
print("其它类型")
}
switch tp {
case is Int:
print("是Int类型")
case is String:
print("是String类型")
default:
print("其它类型")
}
8.表达式模式
表达式模式只出现在 switch-case 中,Swift的模式匹配是基于=操作符的,如果表达式的=值返回true则匹配成功。可以自定义~=运算符,自定义类型的表达式匹配行为:
自定义模式匹配: 注意必需要写两个参数, 不然会报错
struct Affine {
var a: Int
var b: Int
}
func ~= (lhs: Affine, rhs: Int) -> Bool {
return rhs % lhs.a != lhs.b
}
switch 5 {
case Affine(a: 2, b: 0): print("Even number")
case Affine(a: 3, b: 1): print("3x+1")
case Affine(a: 3, b: 2): print("3x+2")
default: print("Other")
}