Swift - 元组



元组用于在一个值中存储一组值,例如 (32, "Swift Programming") 是一个包含两个值的元组,这两个值分别是 23 和 "Swift Programming"。元组可以存储多个值,每个值之间用逗号分隔。它可以存储相同或不同数据类型的值。当我们想要一起返回多个值时,它们很有用。

元组通常由函数用于同时返回多个值。元组不用于复杂的数据结构;它们对于简单的相关数据组很有用。

语法

以下是元组的语法:

var myValue = (value1, value2, value3, value4, …, valueN)

我们可以使用点表示法后跟元素的索引来访问元组的元素:

var result = tupleName.indexValue

示例

Swift 程序创建并访问元组的元素。

import Foundation

// Creating a tuple
var myTuple = ("Romin", 321, "Delhi")

// Accessing the elements of Tuple
var name = myTuple.0
var id = myTuple.1
var city = myTuple.2

// Displaying the result
print("Employee name =", name)
print("Employee id =", id)
print("Employee city =", city)

输出

Employee name = Romin
Employee id = 321
Employee city = Delhi

包含不同数据类型的元组

在元组中,我们允许存储不同类型的的数据,例如 (Int, Int, Float),(Float, Double, String) 等。您还可以存储相同数据类型的数据,例如 (Int, Int, Int) 等。

示例

Swift 程序创建包含不同数据类型的元组。

import Foundation

// Creating a tuple with data of different data types
var myTuple = ("Mona", 21, "Mumbai", 101)

// Accessing the elements of Tuple
var name = myTuple.0
var age = myTuple.1
var city = myTuple.2
var id = myTuple.3

// Displaying the result
print("Student name =", name)
print("Student age =", age)
print("Student city =", city)
print("Student id =", id)

输出

Student name = Mona
Student age = 21
Student city = Mumbai
Student id = 101

将元组赋值给单独的变量

我们可以将元组的值分配给单独的常量或变量,以便我们可以使用该常量或变量的名称来访问它们。这里常量或变量的数量应等于元组的值。

语法

以下是将元组值分配给单独的常量或变量的语法:

let (name1, name2) = tuple

示例

Swift 程序创建一个元组,其值分配给一组常量。

import Foundation

// Creating a tuple
var myTuple = ("Mickey", 21, "Pune")

// Assigning tuple to a set of constants
let(name, age, city) = myTuple

// Accessing the value of tuples according to the constant
print("Student name =", name)
print("Student age =", age)
print("Student city =", city)

输出

Student name = Mickey
Student age = 21
Student city = Pune

Swift 中带下划线的元组

我们允许在元组中使用下划线 "_"。它会在分解元组时忽略带下划线的部分元组。或者换句话说,我们可以说通过使用下划线,我们可以忽略某些元组的值。我们允许在同一个元组中使用多个下划线来忽略多个值。

语法

以下是带下划线的元组的语法:

let (name1, name2, _) = tuple

示例

Swift 程序创建一个带下划线 "_" 的元组。

import Foundation

// Creating a tuple
var myTuple = (21, "Pune", "CSE")

// Assigning a tuple to a set of constants
let(age, _, branch) = myTuple

// Accessing the values of tuples 
print("Student age =", age)
print("branch =", branch)

输出

Student age = 21
branch = CSE

为元组中的各个值分配名称

在 Swift 中,我们允许为元组的各个元素分配名称。我们还可以根据其名称访问元组的元素。

语法

以下是为元组元素分配名称的语法:

let myTuple = (id: 102, name: "Sona")

示例

Swift 程序创建并根据其名称访问元组元素。

import Foundation

// Creating a tuple
var myTuple = (name: "Mona", branch: "ECE", year: 2022) 

// Accessing the values of tuples according to their names
print("Student name =", myTuple.name)
print("Branch =", myTuple.branch)
print("Current Year", myTuple.year)

输出

Student name = Mona
Branch = ECE
Current Year 2022
广告