編寫一個 Python 程序來反轉元組項。我們使用具有負值的元組切片來反轉數值、字元串、混合和嵌套元組。
# Tuple Reverse
intRTuple = (10, 30, 19, 70, 40, 60)
print("Original Tuple Items = ", intRTuple)
revIntTuple = intRTuple[::-1]
print("Tuple Items after Reversing = ", revIntTuple)
strRTuple = ('apple', 'Mango', 'kiwi')
print("String Tuple Items = ", strRTuple)
revStrTuple = strRTuple[::-1]
print("String Tuple after Reversing = ", revStrTuple)
mixRTuple = ('Apple', 22, 'Kiwi', 45.6, (1, 3, 7), 16, [1, 2])
print("Mixed Tuple Items = ", mixRTuple)
revMixTuple = mixRTuple[::-1]
print("Mixed Tuple after Reversing = ", revMixTuple)
Original Tuple Items = (10, 30, 19, 70, 40, 60)
Tuple Items after Reversing = (60, 40, 70, 19, 30, 10)
String Tuple Items = ('apple', 'Mango', 'kiwi')
String Tuple after Reversing = ('kiwi', 'Mango', 'apple')
Mixed Tuple Items = ('Apple', 22, 'Kiwi', 45.6, (1, 3, 7), 16, [1, 2])
Mixed Tuple after Reversing = ([1, 2], 16, (1, 3, 7), 45.6, 'Kiwi', 22, 'Apple')
在這個 python 示例中,我們使用了反轉函數來反轉元組。反轉函數(reversed(intRTuple))返回反轉的對象,所以我們必須將其轉換回 Tuple。
# Tuple Reverse
intRTuple = (3, 78, 44, 67, 34, 11, 19)
print("Original Tuple Items = ", intRTuple)
revTuple = reversed(intRTuple)
print("Data Type = ", type(revTuple))
revIntTuple = tuple(revTuple)
print("Tuple Items after Reversing = ", revIntTuple)
print("Tuple Data Type = ", type(revIntTuple))
Original Tuple Items = (3, 78, 44, 67, 34, 11, 19)
Data Type = <class 'reversed'>
Tuple Items after Reversing = (19, 11, 34, 67, 44, 78, 3)
Tuple Data Type = <class 'tuple'>
使用 For 循環反轉元組的 Python 程序
在這個 Python 示例中,帶有反轉函數的 for 循環從最後一個到第一個迭代元組項。在循環中,我們將每個元組項添加到 revIntTuple 中。
# Tuple Reverse
intRTuple = (10, 19, 29, 39, 55, 60, 90, 180)
print("Original Tuple Items = ", intRTuple)
revintTuple = ()
for i in reversed(range(len(intRTuple))):
revintTuple += (intRTuple[i],)
print("After Reversing the Tuple = ", revintTuple)
Original Tuple Items = (10, 19, 29, 39, 55, 60, 90, 180)
After Reversing the Tuple = (180, 90, 60, 55, 39, 29, 19, 10)
這裡,我們使用 for loop range(for I in range(len(intRTuple)–1,0,-1))從最後一個到第一個迭代元組項,並將它們相加以反轉元組。
# Tuple Reverse
intRTuple = (10, 19, 29, 39, 55, 60, 90, 180)
print("Original Tuple Items = ", intRTuple)
revintTuple = ()
for i in range(len(intRTuple) - 1, 0, -1):
revintTuple += (intRTuple[i],)
print("After Reversing the Tuple = ", revintTuple)
原創文章,作者:小藍,如若轉載,請註明出處:https://www.506064.com/zh-tw/n/241737.html