06_Python 元組

ysy_blog發表於2020-11-29


元組是Python中的一種不可變容器, 元組一旦建立,元組中的元素將不可改變

1.建立元組

建立元組有()和tuple()兩種方法。元組中的元素可為數字、字串、列表、元組、集合、字典、布林值或物件等等。
()方法

  • ():建立空元組。
  • (value,):建立只含一個元素的元組。
  • (value1,value2,…,valuen):建立包含多個元素的元組。
t1 = ()
t2 = (1,)
t3 = (1,2,3,True,["a","b"])
print(t1)  # ()
print(t2)  # (1,)
print(t3)  # (1, 2, 3, True, ['a', 'b'])

tuple()方法

  • tuple():建立空元組。
  • tuple(iterable):根據可迭代物件建立元組。
t1 = tuple()
t2 = tuple((1,))
t3 = tuple([1])
t4 = tuple([1,2,3,4,5])
print(t1)  # ()
print(t2)  # (1,)
print(t3)  # (1,)
print(t4)  # (1, 2, 3, 4, 5)


2.元組的常用方法

方法說明
tuple.count(value)統計元組中value出現的次數。如果value不存在,則返回0。
tuple.index(value, start=0)在元組中查詢value第一次出現的索引,如果value不存在則報錯。start=0表示從第0個位置開始查詢。
len(tuple)求元組的元素個數。
t = (1,2,3,4,5,2,3,4,2,3,4)
print(t.count(2))  # 3

find_value = 10
try:
    idx = t.index(find_value)
    print("idx={}".format(idx))
except:
    print("{} is not in t".format(find_value))
# 10 is not in t

print(len(t))  # 11


3.遍歷元組

元組的遍歷同列表的遍歷一樣,可按索引遍歷、按值遍歷、同時遍歷索引和值。關於如何遍歷列表請檢視之前寫的這篇博文:05_Python 列表

相關文章