在 Python 中遍歷一個元組
Vaibhav Vaibhav
2022年5月17日
Python 中的解包是指使用一行程式碼將列表或元組的值分配給變數。在本文中,我們將學習如何使用 Python 在 for
迴圈中解壓縮元組。
在 Python 中的 for
迴圈中解壓縮元組
我們可以使用 Python 的解包語法在 for
迴圈中解包元組。解包的語法如下。
x1, x2, ..., xn = <tuple of length n>
左側或等號之前的變數數應等於元組或列表的長度。例如,如果一個元組有 5
個元素,那麼解包它的程式碼如下。
a = tuple([1, 2, 3, 4, 5])
x1, x2, x3, x4, x5 = a
print(x1)
print(x2)
print(x3)
print(x4)
print(x5)
輸出:
1
2
3
4
5
我們可以使用相同的語法在 for
迴圈中解壓縮值。請參閱以下 Python 程式碼。
a = tuple([
("hello", 5),
("world", 25),
("computer", 125),
("science", 625),
("python", 3125)
])
for x, y in a:
print(f"{x}: {y}")
輸出:
hello: 5
world: 25
computer: 125
science: 625
python: 3125
父元組中的每個值元組都在變數 x
和 y
中解包。
Author: Vaibhav Vaibhav