一、 創(chuàng)建列表
在Python中,我們可以使用一對方括號[]來創(chuàng)建一個列表,也可以使用list()函數(shù)進行創(chuàng)建。 下面是一些創(chuàng)建列表的示例:
list1 = [1, 2, 3, 4]
list2 = ['apple', 'banana', 'orange']
list3 = [1, 'apple', True, 2.5]
list4 = list() # 空列表
list5 = list(range(5)) # [0, 1, 2, 3, 4]
list6 = list('hello') # ['h', 'e', 'l', 'l', 'o']
其中,list()函數(shù)可以將一個可迭代對象轉(zhuǎn)換為列表,也可以創(chuàng)建一個空列表,如上所示。
二、訪問列表元素
Python中,列表中的元素可以通過下標來進行訪問,下標從0開始。如果我們想要訪問列表中的最后一個元素,可以使用-1作為下標。
fruits = ['apple', 'banana', 'orange', 'grape']
print(fruits[0]) # 'apple'
print(fruits[-1]) # 'grape'
此外,我們還可以通過切片的方式獲取列表的一個子列表。切片的格式為 list[start:end:step],其中start表示開始下標(默認為0),end表示結(jié)束下標(默認為列表長度),step表示步長(默認為1)。
nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
print(nums[2:6]) # [3, 4, 5, 6]
print(nums[:5]) # [1, 2, 3, 4, 5]
print(nums[::2]) # [1, 3, 5, 7, 9]
print(nums[::-1]) # [10, 9, 8, 7, 6, 5, 4, 3, 2, 1]
三、修改列表元素
Python中,列表中的元素是可以修改的。我們可以通過下標來訪問列表中的元素,并將其賦值為新的值。
fruits = ['apple', 'banana', 'orange', 'grape']
fruits[1] = 'pear'
print(fruits) # ['apple', 'pear', 'orange', 'grape']
四、增加列表元素
在Python中,我們可以使用append()方法向列表末尾添加一個元素。
fruits = ['apple', 'banana', 'orange']
fruits.append('grape')
print(fruits) # ['apple', 'banana', 'orange', 'grape']
除此之外,我們還可以使用extend()方法向列表末尾添加多個元素,或者使用insert()方法在指定位置插入一個元素。
fruits = ['apple', 'banana', 'orange']
fruits.extend(['grape', 'watermelon'])
print(fruits) # ['apple', 'banana', 'orange', 'grape', 'watermelon']
fruits.insert(1, 'pear')
print(fruits) # ['apple', 'pear', 'banana', 'orange', 'grape', 'watermelon']
五、刪除列表元素
我們可以使用del語句或者pop()方法刪除列表中的元素。
fruits = ['apple', 'banana', 'orange', 'grape']
del fruits[1]
print(fruits) # ['apple', 'orange', 'grape']
popped_fruit = fruits.pop() # 彈出末尾元素
print(popped_fruit)
print(fruits) # ['apple', 'orange']
此外,我們還可以使用remove()方法根據(jù)元素的值來刪除元素。
fruits = ['apple', 'banana', 'orange', 'grape']
fruits.remove('apple')
print(fruits) # ['banana', 'orange', 'grape']
六、列表操作符
Python中,列表支持一些操作符,如+、*以及in操作符。
list1 = [1, 2, 3]
list2 = [4, 5, 6]
list3 = list1 + list2
print(list3) # [1, 2, 3, 4, 5, 6]
list4 = ['hello'] * 3
print(list4) # ['hello', 'hello', 'hello']
print(2 in list1) # True
print(4 not in list1) # True
七、列表方法
Python中,列表提供了多個方法來操作列表對象。比如,我們可以使用count()方法來統(tǒng)計列表中某個元素出現(xiàn)的次數(shù)。
numbers = [1, 2, 3, 4, 3, 2, 1]
print(numbers.count(3)) # 2
此外還有其他方法,比如sort()、reverse()等等。
numbers = [3, 2, 1, 4, 5]
numbers.sort()
print(numbers) # [1, 2, 3, 4, 5]
numbers.reverse()
print(numbers) # [5, 4, 3, 2, 1]
八、列表推導式
列表推導式是Python中的一種快速創(chuàng)建列表的方式,它可以使用簡單的語法將一個可迭代對象轉(zhuǎn)換為列表。
numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
even_numbers = [num for num in numbers if num % 2 == 0]
print(even_numbers) # [2, 4, 6, 8, 10]
以上代碼中,我們使用列表推導式快速過濾出列表中的偶數(shù)。
九、總結(jié)
列表是Python中最常用的數(shù)據(jù)類型之一。在Python中,我們可以方便地通過一對方括號創(chuàng)建一個列表,也可以使用list()函數(shù)進行創(chuàng)建。Python中的列表支持多種操作,如訪問元素、修改元素、增加元素、刪除元素、列表操作符以及列表方法。此外,我們還可以使用列表推導式快速創(chuàng)建列表。