📜  Python List.append()方法

📅  最后修改于: 2020-10-30 05:40:42             🧑  作者: Mango

Python清单append()方法

Python append()方法将一个项目添加到列表的末尾。它通过修改列表来追加元素。该方法不会返回自身。该项目也可以是列表或字典,它们构成了嵌套列表。方法如下所述。

签名

append(x)

参量

x:可以是数字,列表,字符串,字典等。

返回

它不返回任何值,而是修改列表。

让我们来看一些append()方法的示例,以了解其功能。

Python清单append()方法示例1

首先,让我们看一个简单的示例,该示例将元素追加到列表中。

# Python list append() Method
# Creating a list
list = ['1','2','3']
for l in list:  # Iterating list
    print(l)
# Appending element to the list
list.append(4)  
print("List after appending element : ",list) # Displaying list

输出:

1
2
3
List after appending element :  ['1', '2', '3', 4]

Python列表append()方法示例2

也可以将列表追加到列表中,这将在列表内创建一个列表。请参见下面的示例。

# Python list append() Method
# Creating a list
list = ['1','2','3']
for l in list:  # Iterating list
    print(l)
# Appending a list to the list
list2 = ['4','5','6','7']
list.append(list2)  
print("List after appending element : ", list) # Displaying list

输出:

1
2
3
List after appending element :  ['1', '2', '3', ['4', '5', '6', '7']]

Python列表append()方法示例3

将多个列表追加到列表将创建一个嵌套列表。在此,两个列表将追加到列表并生成列表列表。请参见下面的示例。

# Python list append() Method
# Creating a list
list = ['1','2','3']
for l in list:  # Iterating list
    print(l)
# Appending a list to the list
list2 = ['4','5','6','7']
list.append(list2)  
# Nested list
list2.append(['8','9','10']) # Appending one more list
print("List after appending element : ", list) # Displaying list

输出:

1
2
3
List after appending element :  ['1', '2', '3', ['4', '5', '6', '7', ['8', '9', '10']]]