赋值运算符(Assignment Operator)
- 如果赋值的右边是一个多元组,它的元素可以马上被分解成多个常量或变量:
let (x, y) = (1, 2)
// x is equal to 1, and y is equal to 2
- 与 C 语言和 Objective-C 不同,Swift 的赋值操作并不返回任何值。这个特性使你无法把(==)错写成(=),由于 if x = y是错误代码,Swift 能帮你避免此类错误发生。
if x = y {
// 此句错误, 因为 x = y 并不返回任何值
}
记得在C语言中,为了防止此类错误,编程规范中有建议 if (3 == x),就是为了防止错写成if (x = 3)。这真的让很多人不习惯,在Swift中,可以删掉这个规定了。
算术运算符(Arithmetic Operators)
与 C 语言和 Objective-C 不同的是,Swift 默认情况下不允许在数值运算中出现溢出情况。但是你可以使用 Swift 的溢出运算符来实现溢出运算(如 a&+ b)
加法运算符也可用于 String的拼接
"hello, " + "world" // equals "hello, world"
求余运算符(Remainder Operator)
- a = (b × 倍数) + 余数 (a % b)
- 在对负数 b求余时,b的符号会被忽略。这意味着 a % b和 a % -b的结果是相同的
- 不同于 C 语言和 Objective-C,Swift 中是可以对浮点数进行求余的。
9 % 4 // = 1 // 9 = (4 * 2) + 1
-9 % 4 // = -1 // -9 = (4 * -2) + -1
9 % -4 // = 9 % 4 = 1
8 % 2.5 // = 0.5 // 8 = (2.5 * 3) + 0.5
三目运算符(Ternary Conditional Operator)
- 三目运算提供有效率且便捷的方式来表达二选一的选择。
- 应避免在一个组合语句中使用多个三目运算符。
if question {
answer1
} else {
answer2
}
// question ? answer1 : answer2
空合运算符(Nil Coalescing Operator)
- 空合运算符(a ?? b)将对可选类型 a进行空判断,如果 a包含一个值就进行解封,否则就返回一个默认值 b。表达式 a必须是 Optional 类型。默认值 b的类型必须要和 a存储值的类型保持一致。
a != nil ? a! : b
// a ?? b
let defaultColorName = "red"
var userDefinedColorName: String? // defaults to nil
var colorNameToUse = userDefinedColorName ?? defaultColorName
// userDefinedColorName is nil, so colorNameToUse is set to the default of "red"
userDefinedColorName = "green"
colorNameToUse = userDefinedColorName ?? defaultColorName
// userDefinedColorName is not nil, so colorNameToUse is set to "green"
在需要默认值得可选型操作中,推荐这种写法
区间运算符(Range Operators)
闭区间运算符(Closed Range Operator)
- 闭区间运算符(a...b)定义一个包含从 a到 b(包括 a 和 b)的所有值的区间。a的值不能超过 b。
for index in 1...5 {
print("\(index) times 5 is \(index * 5)")
}
// 1 times 5 is 5
// 2 times 5 is 10
// 3 times 5 is 15
// 4 times 5 is 20
// 5 times 5 is 25
半开区间运算符(Half-Open Range Operator)
- 半开区间(a..<b)定义一个从 a到 b,包括a但不包括 b的区间。
let names = ["Anna", "Alex", "Brian", "Jack"]
let count = names.count
for i in 0..<count {
print("Person \(i + 1) is called \(names[i])")
}
// Person 1 is called Anna
// Person 2 is called Alex
// Person 3 is called Brian
// Person 4 is called Jack
- 借用了数学上区间的概念,好理解
- 可以统一为 for in 结构,提倡使用
- 传统的 for(;;)结构可以不用了,端点值是否包含经常搞错