Swift心得笔记之控制流

控制流基本上大同小异,在此列举几个比较有趣的地方。

switch

Break

文档原文是 No Implicit Fallthrough ,粗暴的翻译一下就是:不存在隐式贯穿。其中 Implicit 是一个经常出现的词,中文原意是:“含蓄的,暗示的,隐蓄的”。在 Swift 中通常表示默认处理。比如这里的隐式贯穿,就是指传统的多个 case 如果没有 break 就会从上穿到底的情况。再例如 implicitly unwrapped optionals ,隐式解析可选类型,则是默认会进行解包操作不用手动通过 ! 进行解包。

回到 switch 的问题,看下下面这段代码:

let anotherCharacter: Character = "a"

switch anotherCharacter {
case "a":
  println("The letter a")
case "A":
  println("The letter A")
default:
  println("Not the letter A")
}

可以看到虽然匹配到了 case "a" 的情况,但是在当前 case 结束之后便直接跳出,没有继续往下执行。如果想继续贯穿到下面的 case 可以通过 fallthrough 实现。

Tuple

我们可以在 switch 中使用元祖 (tuple) 进行匹配。用 _ 表示所有值。比如下面这个例子,判断坐标属于什么区域:

let somePoint = (1, 1)

switch somePoint {
case (0, 0):  // 位于远点
  println("(0, 0) is at the origin")
case (_, 0):  // x为任意值,y为0,即在 X 轴上
  println("(\(somePoint.0), 0) is on the x-axis")
case (0, _):  // y为任意值,x为0,即在 Y 轴上
  println("(0, \(somePoint.1)) is on the y-axis")
case (-2...2, -2...2): // 在以原点为中心,边长为4的正方形内。
  println("(\(somePoint.0), \(somePoint.1)) is inside the box")
default:
  println("(\(somePoint.0), \(somePoint.1)) is outside of the box")
}

// "(1, 1) is inside the box"

如果想在 case 中用这个值,那么可以用过值绑定 (value bindings) 解决:

let somePoint = (0, 1)

switch somePoint {
case (0, 0):
  println("(0, 0) is at the origin")
case (let x, 0):
  println("x is \(x)")
case (0, let y):
  println("y is \(y)")
default:
  println("default")
}

Where

case 中可以通过 where 对参数进行匹配。比如我们想打印 y=x 或者 y=-x这种45度仰望的情况,以前是通过 if 解决,现在可以用 switch 搞起:

let yetAnotherPoint = (1, -1)

switch yetAnotherPoint {
case let (x, y) where x == y:
  println("(\(x), \(y)) is on the line x == y")
case let (x, y) where x == -y:
  println("(\(x), \(y)) is on the line x == -y")
case let (x, y):
  println("(\(x), \(y)) is just some arbitrary point")
}
// "(1, -1) is on the line x == -y”

Control Transfer Statements

Swift 有四个控制转移状态:

continue - 针对 loop ,直接进行下一次循环迭代。告诉循环体:我这次循环已经结束了。
break - 针对 control flow (loop + switch),直接结束整个控制流。在 loop 中会跳出当前 loop ,在 switch 中是跳出当前 switch 。如果 switch 中某个 case 你实在不想进行任何处理,你可以直接在里面加上 break 来忽略。
fallthrough - 在 switch 中,将代码引至下一个 case 而不是默认的跳出 switch。
return - 函数中使用
其他

看到一个有趣的东西:Swift Cheat Sheet,里面是纯粹的代码片段,如果突然短路忘了语法可以来看看。

比如 Control Flow 部分,有如下代码,基本覆盖了所有的点:

// for loop (array)
let myArray = [1, 1, 2, 3, 5]
for value in myArray {
  if value == 1 {
    println("One!")
  } else {
    println("Not one!")
  }
}

// for loop (dictionary)
var dict = [
  "name": "Steve Jobs",
  "title": "CEO",
  "company": "Apple"
]
for (key, value) in dict {
  println("\(key): \(value)")
}

// for loop (range)
for i in -1...1 { // [-1, 0, 1]
  println(i)
}
// use .. to exclude the last number

// for loop (ignoring the current value of the range on each iteration of the loop)
for _ in 1...3 {
  // Do something three times.
}

// while loop
var i = 1
while i < 1000 {
  i *= 2
}

// do-while loop
do {
  println("hello")
} while 1 == 2

// Switch
let vegetable = "red pepper"
switch vegetable {
case "celery":
  let vegetableComment = "Add some raisins and make ants on a log."
case "cucumber", "watercress":
  let vegetableComment = "That would make a good tea sandwich."
case let x where x.hasSuffix("pepper"):
  let vegetableComment = "Is it a spicy \(x)?"
default: // required (in order to cover all possible input)
  let vegetableComment = "Everything tastes good in soup."
}

// Switch to validate plist content
let city:Dictionary<String, AnyObject> = [
  "name" : "Qingdao",
  "population" : 2_721_000,
  "abbr" : "QD"
]
switch (city["name"], city["population"], city["abbr"]) {
  case (.Some(let cityName as NSString),
    .Some(let pop as NSNumber),
    .Some(let abbr as NSString))
  where abbr.length == 2:
    println("City Name: \(cityName) | Abbr.:\(abbr) Population: \(pop)")
  default:
    println("Not a valid city")
}

以上所述就是本文的全部内容了,希望大家能够喜欢。

(0)

相关推荐

  • Swift教程之控制流详解

    Swift提供了所有C语言中相似的控制流结构.包括for和while循环:if和switch条件语句:break和continue跳转语句等. Swift还加入了for-in循环语句,让编程人员可以在遍历数组,字典,范围,字符串或者其它序列时更加便捷. 相对于C语言,Swift中switch语句的case语句后,不会自动跳转到下一个语句,这样就避免了C语言中因为忘记break而造成的错误.另外case语句可以匹配多种类型,包括数据范围,元组,或者特定的类型等.switch语句中已匹配的数值也可以

  • Swift心得笔记之控制流

    控制流基本上大同小异,在此列举几个比较有趣的地方. switch Break 文档原文是 No Implicit Fallthrough ,粗暴的翻译一下就是:不存在隐式贯穿.其中 Implicit 是一个经常出现的词,中文原意是:"含蓄的,暗示的,隐蓄的".在 Swift 中通常表示默认处理.比如这里的隐式贯穿,就是指传统的多个 case 如果没有 break 就会从上穿到底的情况.再例如 implicitly unwrapped optionals ,隐式解析可选类型,则是默认会进

  • Swift心得笔记之集合类型

    数组 重复值的初始化 除了普通的初始化方法,我们可以通过 init(count: Int, repeatedValue: T) 来初始化一个数组并填充上重复的值: 复制代码 代码如下: // [0.0,0.0,0.0] var threeDoubles = [Double](count:3,repeatedValue:0.0) 带索引值的遍历 我们可以用 for in 遍历数组,如果想要 index 的话,可以用 enumerate<Seq : SequenceType>(base: Seq)

  • Swift心得笔记之运算符

    空值合并运算符和区间运算符 今天主要看的内容是 Swift 中的基本运算符.记录一下. Nil Coalescing Operator a ?? b 中的 ?? 就是是空值合并运算符,会对 a 进行判断,如果不为 nil 则解包,否则就返回 b . var a: String? = "a" var b: String? = "b" var c = a ?? b // "a" a = nil c = a ?? b // "b"

  • Swift心得笔记之函数

    参数 外部变量名 一般情况下你可以不指定外部变量名,直接调用函数: 复制代码 代码如下: func helloWithName(name: String, age: Int, location: String) {     println("Hello \(name). I live in \(location) too. When is your \(age + 1)th birthday?") } helloWithName("Mr. Roboto", 5, &

  • Swift心得笔记之字符串

    字符串 简介 String 中的字符串是值类型,传递的时候会对值进行拷贝,而 NSString 的字符串传递则是引用.我们可以用 for in 遍历字符串: 复制代码 代码如下: var a : String = "a" for c in "Hello" {     println(c) } 可以通过 countElements 计算字符串的字符数量: 复制代码 代码如下: countElements("1234567") // 7 不过要注意的

  • Swift学习笔记之元组(tuples)

    元组 元组(tuples)是由其它类型组合而成的类型.元组可能包含零或多个类型,比如 字符串.整数.字符.布尔以及其它元组.同时请注意,元组是值传递,而不是引用. 在Swift中创建元组的方式很简单,元组类型是用括号包围,由一个逗号分隔的零个或多个类型的列表.例如: let firstHighScore = ("Mary", 9001) 另外,在创建元组时你还可以给元组中的元素命名: let secondHighScore = (name: "James", sco

  • Swift学习笔记之构造器重载

    与函数一样,方法也存在重载,其重载的方式与函数一致.那么作为构造器的特殊方法,是否也存在重载呢?答案是肯定的. 一.构造器重载概念 Swift中函数重载的条件也适用于构造器,条件如下: 函数有相同的名字: 参数列表不同或返回值类型不同,或外部参数名不同: Swift中的构造器可以满足以下两个条件,代码如下: 复制代码 代码如下: class Rectangle {     var width : Double     var height : Double     init(width : Do

  • 基于preg_match_all采集后数据处理的一点心得笔记(编码转换和正则匹配)

    1.使用curl实现站外采集 具体请参考我上一篇笔记:http://www.jb51.net/article/46432.htm 2.编码转换首先通过查看源代码找到采集的网站使用的编码,通过mb_convert_encoding函数进行转码: 具体使用方法: 复制代码 代码如下: //源字符是$str //以下已知原编码为GBK,转换为utf-8 mb_convert_encoding($str, "UTF-8", "GBK"); //以下未知原编码,通过auto自

  • Swift学习笔记之逻辑分支与循环体

    分支的介绍 分支即if/switch/三目运算符等判断语句 通过分支语句可以控制程序的执行流程 1.if OC 后面条件必须加() 后面提条件非0即真 如果只有一条if后面的大括号可省略 if(a>0)NSlog(@"yes"); Swift if 后面不加括号 if 后面条件必须是明确的Bool类型 即使只有一条指令if后面的大括号亦不可省略 if else 的使用与OC一致,只是条件语句后不加括号;三目运算符和OC基本一致; 2.guard guard 是swift2.0 新

  • python多线程用法实例详解

    本文实例分析了python多线程用法.分享给大家供大家参考.具体如下: 今天在学习尝试学习python多线程的时候,突然发现自己一直对super的用法不是很清楚,所以先总结一些遇到的问题.当我尝试编写下面的代码的时候: 复制代码 代码如下: class A():     def __init__( self ):         print "A" class B( A ):     def __init__( self ):         super( B, self ).__in

随机推荐