Python 序列通用操作介紹

2022-01-21 21:41:28 字數 4634 閱讀 2701

python包含6種內建的序列:列表、元組、字串 、unicode字串、buffer物件、xrange物件。在序列中的每個元素都有自己的編號。列表與元組的區別在於,列表是可以修改,而組元不可修改。理論上幾乎所有情況下元組都可以用列表來代替。有個例外是但元組作為字典的鍵時,在這種情況下,因為鍵不可修改,所以就不能使用列表。

我們先來編寫乙個列表:

使用方括號括起來,列表元素使用逗號進行分隔:

>>> a = ["hello",100]

>>> a

['hello', 100]

>>>

序列是可以巢狀的:

>>> a =["xiaoming",98]

>>> b =["xiaohong",87]

>>> grade=[a,b]

>>> grade

[['xiaoming', 98], ['xiaohong', 87]]

>>>

下面來介紹一下通用的序列操作。

所有序列都可以進行如下操作:

並且python提供了一些序列內建函式:

另外序列操作還有迭代,這個以後介紹。

下面就這些操作做乙個介紹

索引即標號,及元素在序列中的編號。這些編號從0開始遞增,0表示第乙個元素:

>>> world = "hello word"

>>> world[0]

'h'>>> world[3] #第四個元素

'l'>>>

用法就如c語言的陣列一樣。在python中比較神奇的是,索引可以是負數:使用負數時,python會從右邊向左邊計數,最後乙個元素的索引值為-1,為啥不是-0呢?因為會和第乙個元素重合:

>>> world = "hello word"

>>> world[0]

'h'>>> world[3]

'l'>>> world[-1]#從右邊開始計數

'd'>>> world[-2]

'r'>>>

字串字面值可以直接使用索引,不需要定義乙個變數來引用這個字串字面值,這和c語言不一樣:

>>> "hello word"[1]

'e'>>>

有一些函式的返回值為字串,有的返回其他的序列,我們可以在函式呼叫之後使用來對返回序列的元素值進行索引。

>>> input("input something:")[1]

input something:hello word

'e'>>>

在這個例子中我們使用序列來儲存12個月份的單詞字串與每月天數的數字字尾。程式的目的是輸入年月日後進行序列索引查詢對應的單詞並輸出結果:

>>> 

year:2015

month:9

day:4

4th september 2015

>>>

程式清單1

months =[

'january',

'february',

'march',

'april',

'may',

'june',

'july',

'august',

'september',

'octber',

'november',

'december',

]endings=['st','nd','rd']+17*['th']\

+['st','nd','rd']+7*['th']\

+['st']

year = input('year:')

month = input('month:')

day = input('day:')

print(day+endings[int(day)-1]+' '+months[int(month)-1]+' ' +year)

注意點:

>>> a = 5*['a','b']

>>> a

['a', 'b', 'a', 'b', 'a', 'b', 'a', 'b', 'a', 'b']

>>>

分片即提取乙個範圍內的序列,語法是:

序列名(或字串字面值)[a:b] 提取索引a~b範圍內的子串行。

>>> number=[1,2,3,4,5,6,7,8,9,10]

>>> number[1:5]

[2, 3, 4, 5]

>>>

注意點:

>>> number[0:19]

[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]

>>>

>>> number[-3:1]

>>>

>>> number[0:]

[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]

>>>

>>> number[:10]

[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]

>>>

>>> number[:]

[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]

>>>

分片的步長指的是,在分片索引標記的範圍內,多長的距離取樣乙個值構成分配。在上面展示的**中,步長都是為1的,也即範圍內所有元素都被取樣。我們可以設定分片步長:

number[a
Python 序列通用操作介紹

python包含6種內建的序列 列表 元組 字串 unicode字串 buffer物件 xrange物件。在序列中的每個元素都有自己的編號。列表與元組的區別在於,列表是可以修改,而組元不可修改。理論上幾乎所有情況下元組都可以用列表來代替。有個例外是但元組作為字典的鍵時,在這種情況下,因為鍵不可修改,...

python通用序列操作 python序列的使用

序列之通用操作 pytho中,最基本的資料結構就是序列。什麼是序列 numbers 1,2,3,4,5,6,7,8,9,0 greeting u hello,world names alice tom ben john python內建序列種類 共有6種 列表,元組,字串,unicode字串,buf...

python通用序列操作 序列的幾個通用操作介紹

sequence 是 python 的一種內建型別 built in type 內建型別就是構建在 python interpreter 裡面的型別,幾個基本的 sequence type 比如 list 表 tuple 定值表,或翻譯為元組 range 範圍 可以看作是 python interp...