Swift_函数


点击查看源码

定义和调用函数

//定义和调用函数
func testDefiningAndCallingFunctions() {
func sayHello(_ personName: String) -> String {
let greeting = "Hello " + personName + "!"
return greeting
}
print(sayHello("XuBaoAiChiYu")) /* print Hello XuBaoAiChiYu! */
}

无参数函数

//无参数函数
func testFunctionsWithoutParameters() {
//无参数 只有一个String类型的返回值
func sayHelloWorld() -> String {
return "hello world!"
}
print(sayHelloWorld()) /* print hello world! */
}

多参数函数

//多参数函数
func testFunctionsWithMultipleParameters() {
//传入两个参数 并返回一个String类型的数据
func sayHello(_ personName: String, alreadyGreeted: Bool) -> String {
if alreadyGreeted {
return "Hello again \(personName)!"
} else {
return "Hello \(personName)!"
}
}
print(sayHello("XuBaoAiChiYu", alreadyGreeted: true)) /* print Hello again XuBaoAiChiYu! */
}

函数无返回值

//函数无返回值
func testFunctionsWithoutReturnValues() {
//传入一个String类型的数据 不返回任何数据
func sayGoodbye(_ personName: String) {
print("Goodbye \(personName)!")
}
sayGoodbye("XuBaoAiChiYu") /* print Goodbye XuBaoAiChiYu! */
}

函数多返回值

//函数多返回值
func testMultipleReturnValues() {
//返回一个Int类型的数据
func printAndCount(_ stringToPrint: String) -> Int {
print(stringToPrint)
return stringToPrint.characters.count
}
print(printAndCount("hello world")) //返回元组合数据
func minMax(_ array: [Int]) -> (min: Int, max: Int) {
var currentMin = array[0]
var currentMax = array[0]
for value in array[1..<array.count] {
if value < currentMin {
currentMin = value
} else if value > currentMax {
currentMax = value
}
}
return (currentMin, currentMax)
} let bounds = minMax([8, -6, 2, 109, 3, 71])
print("min is \(bounds.min) and max is \(bounds.max)") /* print hello world
11
min is -6 and max is 109 */
}

返回类型可选

//返回类型可选
func testOptionalTupleReturnTypes() {
//返回一个元组或Nil
func minMax(_ array: [Int]) -> (min: Int, max: Int)? {
if array.isEmpty {
return nil
}
var currentMin = array[0]
var currentMax = array[0]
for value in array[1..<array.count] {
if value < currentMin {
currentMin = value
} else if value > currentMax {
currentMax = value
}
}
return (currentMin, currentMax)
}
if let bounds = minMax([8, -6, 2, 109, 3, 71]) {
print("min is \(bounds.min) and max is \(bounds.max)")
} /* print min is -6 and max is 109 */
}

指定外部参数名

//指定外部参数名
func testSpecifyingExternalParameterNames() {
//指定外部参数名to和and
func sayHello(to person: String, and anotherPerson: String) -> String {
return "Hello \(person) and \(anotherPerson)!"
}
print(sayHello(to: "Bill", and: "Ted")) /* print Hello Bill and Ted! */
}

省略外部参数名

//省略外部参数名
func testOmittingExternalParameterNames() {
//使用 _ 省略外面参数名,
func someFunction(_ firstParameterName: Int, _ secondParameterName: Int) {
print("\(firstParameterName) and \(secondParameterName)")
}
someFunction(2, 3) /* print 2 and 3 */
}

默认参数值

//默认参数值
func testDefaultParameterValues() {
//设置默认值 当用户不传入时 使用默认值
func someFunction(_ parameterWithDefault: Int = 12) {
print("\(parameterWithDefault)")
}
someFunction(6)
someFunction() /* print 6
12 */
}

可变参数

//可变参数
func testVariadicParameters() {
//传入的参数类型已知Double 个数未知
func arithmeticMean(_ numbers: Double...) -> Double {
var total: Double = 0
for number in numbers {
total += number
}
return total / Double(numbers.count)
}
print("\(arithmeticMean(1, 2, 3, 4, 5))")
print("\(arithmeticMean(3, 8.25, 18.75))") /* print 3.0
10.0 */
}

常量和变量参数

//常量和变量参数
func testConstantAndVariableParameters() {
//默认为let常量参数 也可声明var可变参数 在函数内直接修改
func alignRight(_ string: String, totalLength: Int, pad: Character) -> String {
var string = string
let amountToPad = totalLength - string.characters.count
if amountToPad < 1 {
return string
}
let padString = String(pad)
for _ in 1...amountToPad {
string = padString + string
}
return string
}
let originalString = "hello"
let paddedString = alignRight(originalString, totalLength: 10, pad: "-") print("originalString:\(originalString); paddedString:\(paddedString);") /* print originalString:hello; paddedString:-----hello; */
}

In-Out参数

//In-Out参数
func testInOutParameters() {
//使用inout声明的参数 在函数内修改参数值时 外面参数值也会变
func swapTwoInts(_ a: inout Int, _ b: inout Int) {
let temporaryA = a
a = b
b = temporaryA
}
var someInt = 3
var anotherInt = 107
swapTwoInts(&someInt, &anotherInt)
print("someInt is now \(someInt), and anotherInt is now \(anotherInt)") /* print someInt is now 107, and anotherInt is now 3 */
}

使用函数类型

//使用函数类型
func testUsingFunctionTypes() {
//加法
func addTwoInts(_ a: Int, _ b: Int) -> Int {
return a + b
}
//乘法
func multiplyTwoInts(_ a: Int, _ b: Int) -> Int {
return a * b
} // 函数体赋值为参数
var mathFunction: (Int, Int) -> Int = addTwoInts
print("Result: \(mathFunction(2, 3))") // 函数体指向替换
mathFunction = multiplyTwoInts
print("Result: \(mathFunction(2, 3))") // 函数体传递
let anotherMathFunction = addTwoInts
print("\(anotherMathFunction)") /* print Result: 5
Result: 6
(Function) */
}

函数做参数类型

//函数做参数类型
func testFunctionTypesAsParameterTypes() {
//加法
func addTwoInts(_ a: Int, _ b: Int) -> Int {
return a + b
}
//其中一个参数为一个函数体
func printMathResult(_ mathFunction: (Int, Int) -> Int, _ a: Int, _ b: Int) {
print("Result: \(mathFunction(a, b))")
} printMathResult(addTwoInts, 3, 5) /* print Result: 8 */
}

函数做返回类型

//函数做返回类型
func testFunctionTypesAsReturnTypes() {
//加1
func stepForward(_ input: Int) -> Int {
return input + 1
}
//减1
func stepBackward(_ input: Int) -> Int {
return input - 1
}
//使用函数体做返回类型
func chooseStepFunction(_ backwards: Bool) -> (Int) -> Int {
return backwards ? stepBackward : stepForward
} var currentValue = 3 // 此时moveNearerToZero指向stepForward函数
let moveNearerToZero = chooseStepFunction(currentValue > 0) // 调用函数体
currentValue = moveNearerToZero(currentValue)
print("\(currentValue)... ") /* print 2... */
}

嵌套函数

//嵌套函数
func testNestedFunctions() {
//函数体内部嵌套函数 并做返回类型
func chooseStepFunction(_ backwards: Bool) -> (Int) -> Int {
//嵌套函数
func stepForward(_ input: Int) -> Int {
return input + 1
}
//嵌套函数
func stepBackward(_ input: Int) -> Int {
return input - 1
}
return backwards ? stepBackward : stepForward
} var currentValue = -2 let moveNearerToZero = chooseStepFunction(currentValue > 0)
currentValue = moveNearerToZero(currentValue) print("\(currentValue)... ") /* print -1... */
}

Swift_函数的更多相关文章

  1. Swift_类型选择

    Swift_类型选择 点击查看源码 //类型选择 func test() { class MediaItem { } class Movie: MediaItem { } class Song: Me ...

  2. Swift_初始化

    #Swift_初始化 点击查看源码 初始化结构体 //初始化结构体 func testInitStruct() { //结构体 类中默认方法 struct Size { //宽 var width = ...

  3. Swift_枚举

    Swift_枚举 点击查看源码 空枚举 //空枚举 enum SomeEnumeration { // enumeration definition goes here } 枚举基本类型 //枚举基本 ...

  4. Swift_闭包

    Swift_闭包 点击查看源码 闭包优化 //闭包优化 func testClosures() { //函数做参数 排序 let names = ["XuBaoAiChiYu", ...

  5. Python 小而美的函数

    python提供了一些有趣且实用的函数,如any all zip,这些函数能够大幅简化我们得代码,可以更优雅的处理可迭代的对象,同时使用的时候也得注意一些情况   any any(iterable) ...

  6. 探究javascript对象和数组的异同,及函数变量缓存技巧

    javascript中最经典也最受非议的一句话就是:javascript中一切皆是对象.这篇重点要提到的,就是任何jser都不陌生的Object和Array. 有段时间曾经很诧异,到底两种数据类型用来 ...

  7. JavaScript权威指南 - 函数

    函数本身就是一段JavaScript代码,定义一次但可能被调用任意次.如果函数挂载在一个对象上,作为对象的一个属性,通常这种函数被称作对象的方法.用于初始化一个新创建的对象的函数被称作构造函数. 相对 ...

  8. C++对C的函数拓展

    一,内联函数 1.内联函数的概念 C++中的const常量可以用来代替宏常数的定义,例如:用const int a = 10来替换# define a 10.那么C++中是否有什么解决方案来替代宏代码 ...

  9. 菜鸟Python学习笔记第一天:关于一些函数库的使用

    2017年1月3日 星期二 大一学习一门新的计算机语言真的很难,有时候连函数拼写出错查错都能查半天,没办法,谁让我英语太渣. 关于计算机语言的学习我想还是从C语言学习开始为好,Python有很多语言的 ...

随机推荐

  1. Linux基础之命令练习Day4-fdisk,mkfs,mlabel,mount,umount,mkswap,swapon,dd,top,free,ps,kill,rpm,yum,make

    一. 硬盘分区.格式化及文件系统的管理 1. 在Linux系统中,一切皆文件.每个设备都被当作一个文件来对待. 常见的存储设备在Linux系统中的文件名如下表所示: 2. 对硬盘进行分区有以下优点: ...

  2. codeforces之始

    很早就听说acmer界的CF嘞!还记得刚开始听到神犇们在讨论CF的时候我还以为是网游CF(穿越火线)呢... 今年刚开学的时候就打算开始打cf的,由于一些事情耽搁了.之后又要准备省赛所以就一直拖到现在 ...

  3. 【转】ArcGIS Server10.1安装常见问题及解决方案

    转载自:http://www.higis.cn/Tech/tech/tId/85/ 最近因为更换系统的原因,重新安装了ArcGISServer 10.1.过程中遇到了几个小问题,虽然都一一解决了,但也 ...

  4. mac phpstrom 环境配置

    因为mac下自带php,但是没有环境(ini文件)所有需要自己重新安装一下: curl -s http://php-osx.liip.ch/install.sh | bash -s 5.5 # 5.5 ...

  5. Connection Manager ->> Multiple Flat File Connection & Multiple File Connection

    遍历一个文件夹下的所有文件的方法有两钟:1)使用Multiple Flat File Connection,把所有我们要的文件用"|"作为连接符拼凑出一条connection st ...

  6. How to prepare system design questions in a tech interview?

    http://blog.baozitraining.org/2014/09/how-to-prepare-system-design-questions.html 如何准备面试中的系统设计问题一直都是 ...

  7. Python学习---协程 1226

    协程[是一个单线程],又称微线程,纤程.英文名Coroutine. 一句话说明什么是协程:协程是一种用户态的轻量级线程[程序员自己去切换线程] 协程条件: 必须在只有一个单线程里实现并发 修改共享数据 ...

  8. Android Studio添加取消代码注释快捷键

    经常需要注释,取消注释代码 Ctrl + /       对每段代码前面添加或者取消 // Ctrl + Shift + /   对代码添加 或取消 /* */ Ctrl + B     查找定义 C ...

  9. Exchange 2016系统要求

    一.支持的共存方案 下表列出了一些支持 Exchange 2016 与 Exchange 早期版本共存的应用场景. Exchange 2016与Exchange Server早期版本共存 Exchan ...

  10. Hibernate初探之单表映射

    http://www.imooc.com/video/7816 1.什么是ORM?为什么使用Hibernate? 对象关系映射:为了少写和底层数据库相关的sql语句,方便程序的维护.修改,提高跨平台性 ...