如何在 Python 中向一个列表前端添加元素

Syed Moiz Haider 2023年1月30日
  1. 在 Python 中使用 insert() 方法向列表最前端插入元素
  2. 在 Python 中使用 deque.appendleft() 方法向列表最前端插入元素
  3. 在 Python 中创建一个新的列表,并将其添加到列表中
如何在 Python 中向一个列表前端添加元素

本教程介绍了如何在 Python 中向列表最前端插入元素。本教程还列出了一些示例代码来帮助理解。

在 Python 中使用 insert() 方法向列表最前端插入元素

使用 insert() 是最常用的方法之一。insert()list 库提供。list.insert(pos, element) 需要两个参数,poselement 作为参数。pos 定义了元素的位置。

使用该方法的示例代码如下所示。

lists = ["james", "tim", "jin"]
lists.insert(0, "steve")

print(lists)

输出:

['steve', 'james', 'tim', 'jin']

但是,list.insert() 操作消耗的时间比较多。为了提高时间性能,我们可以使用 collections.deque 方法。

在 Python 中使用 deque.appendleft() 方法向列表最前端插入元素

Python 的 collections 模块提供了多种功能。在 Python 2.4 中,collections 中加入了 deque(),一个双端队列。它是一个类似于容器的列表,在追加和弹出过程中效率很高。deque 功能有一个 appendleft(element) 方法。它接受一个元素并将其追加到列表的开头。

下面给出了该方法的示例代码。

import collections

dequeue = collections.deque([5, 2, 6, 8, 1])
print(dequeue)

dequeue.appendleft(10)
print(dequeue)

输出:

deque([5, 2, 6, 8, 1])
deque([10, 5, 2, 6, 8, 1])

在 Python 中创建一个新的列表,并将其添加到列表中

一个非常简单和琐碎的解决方案是创建一个新的列表,将所需元素 x 放在列表的第 0 个索引处。当然,你不会在列表中预置 x,而是创建一个新的列表,x 已经在列表的第一个位置。

下面给出了这种方法的基础代码。

lists = ["james", "tim", "jin"]
new_list = ["x"] + lists
print(new_list)

输出:

['x', 'james', 'tim', 'jin']

在 Python 中使用列表切片法向列表最前端插入元素

列表切片是另一种将元素预先添加到列表中的方法。通过将第 0 个元素分配给该元素,将该元素预先添加到列表中。

该方法的示例代码如下。

temp_list = [4, 5, 8, 10, 13]

print(temp_list)
temp_list[:0] = [12]

print(temp_list)

输出:

[4, 5, 8, 10, 13]
[12, 4, 5, 8, 10, 13]
Syed Moiz Haider avatar Syed Moiz Haider avatar

Syed Moiz is an experienced and versatile technical content creator. He is a computer scientist by profession. Having a sound grip on technical areas of programming languages, he is actively contributing to solving programming problems and training fledglings.

LinkedIn

相关文章 - Python List