更新:2018.05.24
整理了一下demo:SwiftDemo
1.循环语句
1.1 for循环
- Swfit中的for循环语句,可以用来重复执行一系列语句,知道达成特殊条件。
- Swift提供两种for循环语句,一种是C语言风格的条件递增
(for-condition-increment)
,但在3.0
中被弃用了。 - 另一种是Swift推荐使用的
for-in
循环
for i in 0..<3 {
print(i)
}
- 0..<3 表示 [0,3) 打印结果
0
1
2
- 如果要包含3,需使用0...3
-
for-in
使用广泛,可以对字符串遍历,也可以对数组和字典遍历。
let dict06 = ["name":"Lucy","sex":"woman","age":"18"]
for (key,value) in dict06 {
print("Key:\(key),Value:\(value)")
}
1.2 while循环
- Swift中的
while
循环语句和OC
中非常相似。
var temp = 0
while temp<3 {
temp += 1
print("Try again.")
}
#打印结果
Try again.
Try again.
Try again.
while
是先执行条件语句,如果为true
才执行大括号里的代码块。
1.3 repeat-while语句
- Swft中的
do-while
语句,在swfit2.2中已经被repeat-while
语句替换,但使用方法和传统的do-while
一致。
var temp = 0
repeat {
temp += 1
print("try it again")
}
while temp<3
repeat-while
与while不同的是,它先执行大括号中代码块,再执行条件语句,所以它至少会被执行一次。
2.条件语句
2.1 if语句
Swift中的if
语句与OC
中的有一定区别
- Swift中不再使用
()
。 - 在
OC
中使用if
语句如果代码段只有一行,可不写{}
,但在Swift中,大括号是强制使用的。
let grade = 80
if grade > 90 {
print("A")
} else if grade > 80 {
print("B")
} else if grade > 70 {
print("C")
} else {
print("D")
}
2.2 switch语句
-
switch
语句会尝试把值与若干个跳进进行匹配,当条件较多时,通常用switch
代替if
语句。 -
switch
语句邮多个case
构成。每一个case
都是代码执行的一个分支。 - 与
OC
中不同的是,不需要给case
分支添加break
。 -
switch
语句必须是完整的,即每一个可能的值,都必须至少有一个case
分支来对应。
let date = 3
switch date {
case 1:
print("星期一")
case 2:
print("星期二")
case 3:
print("星期三")
case 4:
print("星期四")
case 5:
print("星期五")
case 6:
print("星期六")
default:
print("星期日")
}
- 为了匹配一些跟特定的值,Swift提供了几种更复杂的匹配模式。
let time = 12
switch time {
case 0...6:
print("sleep")
case 7:
print("get up")
case 8,12,18 :
print("eat")
case let x where x>=18 && x<=24 :
print("play")
default:
print("busy")
}
2.3 continue语句和fallthrough语句
continue语句
- swift中continue用来告诉用于一个循环体停止本次的循环,并立即进入下一个循环
let datas = [1,2,3,4,5,6,7,8,9]
var odd = 0
for even in datas {
if even%2==0 {
continue
}
odd += 1
}
print(odd)
这段代码表示,如果数组里面的数是偶数
,就立即停止循环,进行下一次循环,如果遇到的是奇数
, 那么跳过if语句
,odd++
fallthrough语句
- 在OC中,必须要在
case
的末尾加入break
,才能阻止自动跳入下一个case
分之中。 - 在swift中,
switch
语句不会从一个case
跳转到下一个case
分支,而是只要匹配一个case
分支,就会完成整条switch
语句。 -
fallthrough
语句的作用是在switch
语句中,执行完一个case
分支之后,跳转到下一个case
分支中。
let time = 6
switch time {
case 2,3,6,12:
massage += "\(time) o`cl0ck"
fallthrough
default:
print(massage+".")
}
由于使用了fallthrough
,执行完第一个case
分之后,会跳转到default
语句中,从而输出massage
并加句号。