1.1.3 python基本資料型別之元組

花姐毛毛腿發表於2019-01-18

一,元組tuple

Python 的元組與列表類似,不同之處在於元組的元素不能修改

1,元組建立

tup1 = ('Google', 'Runoob', 1997, 2000)
複製程式碼

建立空元組

tup = ()
複製程式碼

元組中只包含一個元素時,需要在元素後面新增逗號,否則括號會被當作運算子使用:

tup1 = (50)
type(tup1)     ## 不加逗號,型別為整型
輸出
<class 'int'>
 
tup1 = (50,)
type(tup1)     ## 加上逗號,型別為元組
輸出
<class 'tuple'>
複製程式碼

2,訪問元組

tup1 = ('Google', 'Runoob', 1997, 2000)
tup2 = (1, 2, 3, 4, 5, 6, 7 )
 
print ("tup1[0]: ", tup1[0])
print ("tup2[1:5]: ", tup2[1:5])
輸出:
tup1[0]:  Google
tup2[1:5]:  (2, 3, 4, 5)
複製程式碼

3,修改元組

tup1 = (12, 34.56);
tup2 = ('abc', 'xyz')
 
## 以下修改元組元素操作是非法的。
## tup1[0] = 100
 
## 建立一個新的元組
tup3 = tup1 + tup2;
print (tup3)
輸出
(12, 34.56, 'abc', 'xyz')
複製程式碼

4,刪除元組

tup = ('Google', 'Runoob', 1997, 2000)
 
print (tup)
del tup;
print ("刪除後的元組 tup : ")
print (tup)

輸出
刪除後的元組 tup : 
Traceback (most recent call last):
  File "test.py", line 8, in <module>
    print (tup)
NameError: name 'tup' is not defined
複製程式碼

5,元組運算

len((1, 2, 3)) 計算元素個數

tup = (1,2,3)
n = len(tup)
print(n)
輸出
3
複製程式碼

(1, 2, 3) + (4, 5, 6) 連線

tup = (1, 2, 3) + (4, 5, 6)
print(tup)
輸出
(1, 2, 3, 4, 5, 6)
複製程式碼

('Hi!',) * 4 複製

tup = ('Hi!',) * 4
print(tup)
輸出
('Hi!', 'Hi!', 'Hi!', 'Hi!')
複製程式碼

3 in (1, 2, 3) 元素是否存在

status = 3 in (1, 2, 3)
print(status)	
輸出
True
複製程式碼

for x in (1, 2, 3): print (x,) 1 2 3 迭代

for x in (1, 2, 3): print (x,)
輸出
1
2
3
複製程式碼

6,元組索引,擷取

L = ('Google', 'Taobao', 'python')
item = L[1]
print(item)
輸出
taobao
#######################################
item = L[-1]
print(item)
輸出
python
#######################################
item = L[0:2]
print(item)
輸出
('Google', 'Taobao')
複製程式碼

7,內建函式

1, len(tuple) 計算元組元素個數。

tup = ('Google', 'Taobao', 'python')
n = len(tup)
print(n)
輸出
3
複製程式碼

2 max(tuple) 返回元組中元素最大值。

tup = (1, 2, 3)
n = max(tup)
print(n)
輸出
3
複製程式碼

3 min(tuple) 返回元組中元素最小值。

tup = (1, 2, 3)
n = max(tup)
print(n)
輸出
1
複製程式碼

4 tuple(seq) 將列表轉換為元組。

tup = tuple([1,2,3])
print(tup)
輸出
(1, 2, 3)
複製程式碼

相關文章