目录

Python - 添加列表项


追加项目

要将项目添加到列表末尾,请使用append() 方法:

示例

使用append()追加项目的方法:

thislist = ["apple", "banana", "cherry"]
thislist.append("orange")
print(thislist)
亲自试一试 »

插入项目

要在指定索引处插入列表项,请使用insert()方法。

这个insert()方法在指定索引处插入一个项目:

示例

插入一个项目作为第二个位置:

thislist = ["apple", "banana", "cherry"]
thislist.insert(1, "orange")
print(thislist)
亲自试一试 »

笔记:由于上述示例,列表现在将包含 4 个项目。



扩展列表

附加元素来自另一个清单对于当前列表,使用extend()方法。

示例

添加以下元素tropicalthislist:

thislist = ["apple", "banana", "cherry"]
tropical = ["mango", "pineapple", "papaya"]
thislist.extend(tropical)
print(thislist)
亲自试一试 »

这些元素将被添加到结尾列表中的。


添加任何可迭代对象

这个extend()方法不必附加列表,您可以添加任何可迭代对象(元组、集合、字典等)。

示例

将元组的元素添加到列表中:

thislist = ["apple", "banana", "cherry"]
thistuple = ("kiwi", "orange")
thislist.extend(thistuple)
print(thislist)
亲自试一试 »