Swift-函数

e.g.1

func sayHello(name: String?) -> String {
  return "Hello" + name ?? "guest"
}
var nickname: String? = nil
sayHello(name: nickname)

e.g.2: 使用元组返回多个值

func findMaxAndMin(numbers: [Int]) -> (max: Int, min: Int)? {
    
//    当数组为空的时候,返回nil
//    if numbers.isEmpty {
//        return nil
//    }
    
    
    guard numbers.count > 0 else {
        return nil
    }
    
    var maxValue = numbers[0]
    var minValue = numbers[0]
    
    for number in numbers {
        maxValue = maxValue > number ? maxValue : number
        minValue = minValue < number ? minValue : number
    }
    
    return (maxValue, minValue)
    
}

var scores: [Int]? = [202, 1234, 5659, 982, 555]
scores = scores ?? [] //如果是nil直接赋一个空数组

if let result = findMaxAndMin(numbers: scores!) { //强制解包,上段代码已经保证了其安全
    print("The max score is \(result.max)")
    print("The min score is \(result.min)")
}

e.g.3: 调用时隐藏变量名

// 下划线代表忽略
func mutiply(_ num1: Int, _ num2: Int) -> Int {
    return num1 * num2
}
mutiply(2, 3)

e.g.4: 默认参数和可变参数

//变长型函数参数
print("Hello",1, 2, 3, separator: "|", terminator: "...") // Hello|1|2|3...
//例子
func mean(_ numbers: Double ...) -> Double {
    var sum: Double = 0
    
    for number in numbers {
        sum += number
    }
    
    return sum / Double(numbers.count)
}

mean(numbers: 3)
mean(numbers: 2, 4)
mean(numbers: 3, 4, 8)

e.g.5: 函数可以作为参数使用

//1. 当函数有两个参数,同时有返回值时
func add(_ a: Int, _ b: Int) -> Int {
    return a + b
}

//let anotherAdd = add
let anotherAdd: (Int, Int) -> Int = add   //将函数当作变量使用


//2. 当函数只有一个参数,返回值是空时
func sayHello(name: String) {
    print("Hello, \(name)")
}

let anotherSayHello: (String) -> () = sayHello
//let anotherSayHello: (String) -> Void = sayHello

//3. 当函数即没有参数也没有返回时值
func sayHello(){
    print("Hello")
}

let anotherSayHello1: () -> () = sayHello
let anotherSayHello2: () -> Void = sayHello


//算法1. 默认从小到大排序
var arr: [Int] = []
for _ in 0..<100 {
    arr.append(Int(arc4random() % 1000))
}
arr.sort() //改变arr本身
arr.sorted() //不改变arr本身

//算法2. 按从大到小排序
func biggerNumberFirst(_ a: Int, _ b: Int) -> Bool {
    return a > b
}
arr.sort(by: biggerNumberFirst)

//算法3. 首位是1..2..3..4的排序
func cmpByNumberString(_ a: Int, _ b: Int) -> Bool {
    return String(a) < String(b)
}
arr.sort(by: cmpByNumberString)
//print(arr)

//算法4. 谁离500更近
func near500(_ a: Int, _ b: Int) -> Bool {
    return abs(500-a) < abs(500-b) //abs():取绝对值
}
arr.sort(by: near500)

//自己定义排序的规则,然后统一传到sort()函数里,实现任何想要的排序方法

e.g.6:高阶函数初探

func changeScores1(scores: inout [Int]){

    for (index, score) in scores.enumerated() {
        scores[index] = Int(sqrt(Double(score)) * 10)
    }
}

func changeScores2(scores: inout [Int]) {

    for (index, score) in scores.enumerated() {
        scores[index] = Int(Double(score) / 300 * 100)
    }
}

var scores1 = [36, 61, 78, 89, 91]
changeScores1(scores: &scores1)

var scores2 = [188, 240, 220, 260, 160]
changeScores2(scores: &scores2)

//高阶函数,函数式编程初探

//1. 初阶抽象
//建立通用的函数模版(把函数当参数传入)
func changeScores(scores: inout [Int], changeMethod: (Int) -> Int) {

    for (index, score) in scores.enumerated() {
        scores[index] = changeMethod(score)
    }
}

//实现具体改变的方式
func changeMethod1(score: Int) -> Int {
    return Int(sqrt(Double(score)) * 10)
}

func changeMethod2(score: Int) -> Int {
    return Int(Double(score) / 300 * 100)
}

//调用时将函数名作为参数传入
var scores1 = [36, 61, 78, 89, 91]
//changeScores(scores: &scores1, changeMethod: changeMethod1)

var scores2 = [188, 240, 220, 260, 160]
//changeScores(scores: &scores2, changeMethod: changeMethod2)



//2. 三大著名函数, 高阶抽象

var scores = [65, 91, 45, 59, 87]

//map():遍历,把调用的数组根据参数(函数)变化成另一个新的数组,返回新的数组
scores.map(changeMethod1) //更高一层的抽象

func isPassOrFail(score: Int) -> String {
    return score > 60 ? "Pass" : "Fail"
}
scores.map(isPassOrFail) // ["Pass", "Pass", "Fail", ...


//filter(): 遍历,根据参数(函数)规则来过滤,返回过滤后的新数组
func fail(score: Int) -> Bool {
    return score < 60
}
//filter接收的函数参数必须返回的是Bool型
scores.filter(fail) // [45, 59]


//reduce(): 遍历,最终聚合成一个值,此处为计算数组的和

func add(num1: Int, num2: Int) -> Int {
    return num1 + num2
}
scores.reduce(0, add)
scores.reduce(0, +) //用法相同

func concatenate(str: String, int: Int) -> String{
    return str + String(int) + " | "
}
scores.reduce("+", concatenate) // +65 | 91 | 45 | 59 | 8...

e.g.7:函数的嵌套和作为返回值

func tier1MailFeeByWeight(weight: Int) -> Int {
   return 1 * weight
}

func tier2MailFeeByWeight(weight: Int) -> Int {
   return 3 * weight
}


func feeByUnitPrice(price: Int, weight: Int) -> Int {
   
   //返回值是函数
   func chooseMailFeeCalculationByWeight(_ weight: Int) -> (Int) -> (Int) {
       return weight >= 10 ? tier2MailFeeByWeight : tier1MailFeeByWeight
   }

   let mailFeeByWeight = chooseMailFeeCalculationByWeight(weight) //变量代表一个函数,因此可以给他赋值
   return mailFeeByWeight(weight) + price * weight 
}
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,185评论 6 493
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,445评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 157,684评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,564评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,681评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,874评论 1 290
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,025评论 3 408
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,761评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,217评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,545评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,694评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,351评论 4 332
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,988评论 3 315
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,778评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,007评论 1 266
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,427评论 2 360
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,580评论 2 349