创建两个列表[7,9,10]和[13,11,4],将这两个列表合并为一个列表
时间: 2024-09-11 13:01:19 浏览: 31
要创建两个列表并把它们合并成一个,我们可以先定义这两个列表,然后使用列表的加法操作或append方法来合并它们。下面是具体的步骤:
1. 创建第一个列表 `[7, 9, 10]`。
2. 创建第二个列表 `[13, 11, 4]`。
3. 使用加号操作符将两个列表合并:`[7, 9, 10] + [13, 11, 4]`。
4. 或者,可以创建一个空列表,然后使用append方法逐个将两个列表的元素添加到空列表中。
下面是代码示例:
```python
# 创建两个列表
list1 = [7, 9, 10]
list2 = [13, 11, 4]
# 使用加法操作符合并列表
merged_list = list1 + list2
# 输出合并后的列表
print(merged_list)
```
或者使用append方法:
```python
# 创建两个列表
list1 = [7, 9, 10]
list2 = [13, 11, 4]
# 创建一个空列表用于存放合并结果
merged_list = []
# 使用append方法将list1的所有元素添加到merged_list中
for item in list1:
merged_list.append(item)
# 使用append方法将list2的所有元素添加到merged_list中
for item in list2:
merged_list.append(item)
# 输出合并后的列表
print(merged_list)
```
无论使用哪种方法,最后得到的合并后的列表为 `[7, 9, 10, 13, 11, 4]`。
阅读全文