元组(tuples)把多个值组合成一个复合值。元组内的值可以是任意类型,并不要求是相同类型。
//http404Error的类型是(Int,String),值是(404,"Not Found") let http404Error = (404,"Not Found")
你可以将一个元组的内容分解(decompose)成单独的常量和变量,然后你就可以正常使用它们了。
let (statusCode,statusMessage) = http404Error //输出“The status code is 404” print("The status code is \(statusCode)") //输出“The status messgae is Not Found” print("The status message is \(statusMessage)")
如果你只需要一部分元组值,分解的时候可以把要忽略的部分用下划线(_)标记。
let (justTheStatusCode,_) = http404Error //输出“The status code is 404” print("The status code is \(justTheStatusCode)")
此外,你还可以通过下标来访问元组中的单个元素,下标从0开始。
//输出“The status code is 404” print("The status code is \(http404Error.0)") //输出“The status messge is Not Found” print("The status message is \(http404Error.1)")
你可以在定义元组的时候给单个元素命名。
let http200Status = (statusCode: 200, description: "OK")
给元组中的元素命名后你可以通过名字来获取这些元素的值。
//输出“The status code is 200” print("The status code is \(http200Status.statusCode)") //输出“The status message is OK” print("The status message is \(http200Status.description)")
作为函数返回值时,元组非常有用。一个用来获取网页的函数可能会返回一个(Int,String)元组来描述是否获取成功。和只能返回一个类型的值比较起来,一个包含两个不同类型值的元组可以让函数的返回信息更有用。
注:当遇到一些相关值的简单分组时,元组是很有用的。元组不适合用来创建复杂的数据结构。如果你的数据结构比较复杂,不要使用元组,用类或结构体去建模。