請問python里面怎樣刪除list中元素的字符?
1.remove: 刪除單個元素,刪除首個符合條件的元素,按值刪除
舉例說明:
>>> str=[1,2,3,4,5,2,6]
>>> str.remove(2)
>>> str
[1, 3, 4, 5, 2, 6]
2.pop: 刪除單個或多個元素,按位刪除(根據索引刪除)
>>> str=[0,1,2,3,4,5,6]
>>> str.pop(1) #pop刪除時會返回被刪除的元素
>>> str
[0, 2, 3, 4, 5, 6]
>>> str2=['abc','bcd','dce']
>>> str2.pop(2)
'dce'
>>> str2
['abc', 'bcd']
3.del:它是根據索引(元素所在位置)來刪除
舉例說明:
>>> str=[1,2,3,4,5,2,6]
>>> del str[1]
>>> str
[1, 3, 4, 5, 2, 6]
>>> str2=['abc','bcd','dce']
>>> del str2[1]
>>> str2
['abc', 'dce']
除此之外,del還可以刪除指定范圍內的值。
>>> str=[0,1,2,3,4,5,6]
>>> del str[2:4] #刪除從第2個元素開始,到第4個為止的元素(但是不包括尾部元素)
>>> str
[0, 1, 4, 5, 6]