list的?extend
时间: 2024-01-07 12:22:53 浏览: 77
list的extend()方法用于在列表末尾一次性追加另一个序列中的多个值。它会修改原始列表,将另一个序列中的元素添加到列表中。
以下是extend()方法的示例代码:
```python
list1 = [1, 2, 3]
list2 = [4, 5, 6]
list1.extend(list2)
print(list1) # 输出:[1, 2, 3, 4, 5, 6]
```
在上面的示例中,我们首先创建了两个列表list1和list2。然后,我们使用extend()方法将list2中的元素添加到list1中。最后,我们打印list1的内容,可以看到list2中的元素已经被成功添加到了list1的末尾。
相关问题
list.extend
list.extend 是一个 Python 中的列表方法,它用于将一个可迭代对象的元素逐个添加到列表中。
例如,我们有两个列表:
```python
list1 = [1, 2, 3]
list2 = [4, 5, 6]
```
如果我们使用 `extend` 方法将 list2 的元素添加到 list1 中,代码如下:
```python
list1.extend(list2)
```
执行后,list1 的值将变为 `[1, 2, 3, 4, 5, 6]`,其中 list2 的元素被添加到了 list1 的末尾。
需要注意的是,`extend` 方法会直接修改调用它的列表。同时,被添加的元素不是整个 list2 对象,而是它的每个元素。
list extend
Python's list extend() method adds the elements of one list to the end of another list.
Syntax:
```python
list1.extend(list2)
```
Here, list1 is the list to which the elements of list2 are added.
Example:
```python
fruits = ['apple', 'banana', 'cherry']
more_fruits = ['orange', 'peach', 'pear']
fruits.extend(more_fruits)
print(fruits) # Output: ['apple', 'banana', 'cherry', 'orange', 'peach', 'pear']
```
In this example, the elements of the list `more_fruits` are added to the end of the list `fruits` using the `extend()` method. The resulting list is `['apple', 'banana', 'cherry', 'orange', 'peach', 'pear']`.
阅读全文