python 清空队列queue python清空列表元素_Python


现在我们已经知道列表是一种动态的数据结构。我们可以定义一个空的列表,然后动态的添加元素。但是真正的动态不光是能动态添加数据,还要能在不需要元素的时候,动态的移除元素。

在 Python 中,你可以通过元素的位置或值移除它。

通过位置移除元素

知道元素位置的前提下,可以通过 del


dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
# Remove the first dog from the list.
del dogs[0]

print(dogs)


通过值移除元素

remove()


dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
# Remove australian cattle dog from the list.
dogs.remove('australian cattle dog')

print(dogs)


注意:只有找到的第一个元素会被移除,当有多个相同值的元素时,剩下的元素不会被移除。


letters = ['a', 'b', 'c', 'a', 'b', 'c']
# Remove the letter a from the list.
letters.remove('a')

print(letters)


从列表中 popping 元素

在程序设计中有一个很有意思的概念:从集合中 'popping' 元素。每一种程序设计语言都有类似 Python 中列表的数据结构。所有这些结构都可以用作队列。处理队列元素的方法也是多种多样。

其中一个简单的方法是,开始创建一个空列表,不断的增添元素。当需要取出元素时,总是从最后一个元素开始,取出后再从列表中移除。pop()


dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
last_dog = dogs.pop()

print(last_dog)
print(dogs)


这种操作也叫做先进后出的操作。最先进入列表的元素总是最后一个取出的。

事实上,你可以利用 pop() 函数处理任意的元素。只要给出想要 pop 出去的元素的索引。因此我们也可以作先进先出的操作。示例如下:


dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
first_dog = dogs.pop(0)

print(first_dog)
print(dogs)


手试一试

名人

  • 生成一个包含四个名人名字的列表。
  • 一次移除一个名人,使用上述列出的移除操作的函数。
  • pop 最后一个元素,然后 pop
  • 利用元素的位置移除元素;利用元素值移除元素。
# Ex : Famous People
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
#Remove each person from the list, one at a time, using each of the four methods we have just seen
fpeople.remove('taylor swift')
print(fpeople)
del fpeople[2]
print(fpeople)
bowie=fpeople.pop(0)
print(bowie,fpeople)
last=fpeople.pop()
print('there are no more famous people in the list')
print(fpeople)
# put your code here


#Pop the last item from the list
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
fpeople.pop()
print(fpeople)
# and pop any item except the last item.
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
for _ in range(0,len(fpeople)-1):
    fpeople.pop(0)
print(fpeople)

fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
fpeople.remove('obama')
del fpeople[2]
print(fpeople)