Swift 函数
1. 定义和调用函数
- func的为函数关键字前缀, ->表示 函数返回的类型
func greet(person: String) -> String{
let greeting = "hello" + person + "!"
return greeting
}
greet(person: "Alex")
2. 隐式返回
- 如果整个函数体是一个单一表达式,那么函数会隐式返回这个表达式
func sum(v1: Int, v2: Int) -> Int {
v1 + v2
}
sum(v1: 10, v2: 20)
3. 返回元组:实现多返回值
func calculate(v1 : Int, v2: Int) -> (sum: Int, subtract: Int, average: Int){
let sum = v1 + v2;
let subtract = v1 - v2;
let average = sum / 2
return (sum, subtract, average)
}
calculate(v1: 20, v2: 10)
4. 参数标签
- 可以修改参数标签,方便阅读
func gotowork(at time: String){
print("this time is \(time)")
}
gotowork(at: "08:00")
- 可以使用下划线_ 省略参数标签
func sum(_ v1: Int, _ v2: Int) -> Int {
return v1 + v2;
}
let result = sum(10, 20)