📜  Python list insert()

📅  最后修改于: 2020-09-20 13:35:15             🧑  作者: Mango

list insert()方法将元素添加到列表中的指定索引处。

insert()方法的语法是

list.insert(i, elem)

在这里,将elem插入到第i th索引处的列表中。 elem之后的所有元素都向右移动。

insert()参数

insert()方法采用两个参数:

  1. index-需要在其中插入元素的索引
  2. element-这是要插入列表中的元素

从insert()返回值

insert()方法不返回任何内容。返回None 。它仅更新当前列表。

示例1:将元素插入列表

# vowel list
vowel = ['a', 'e', 'i', 'u']

# 'o' is inserted at index 3
# the position of 'o' will be 4th
vowel.insert(3, 'o')

print('Updated List:', vowel)

输出

Updated List: ['a', 'e', 'i', 'o', 'u']

示例2:将元组(作为元素)插入列表

mixed_list = [{1, 2}, [5, 6, 7]]

# number tuple
number_tuple = (3, 4)

# inserting a tuple to the list
mixed_list.insert(1, number_tuple)

print('Updated List:', mixed_list)

输出

Updated List: [{1, 2}, (3, 4), [5, 6, 7]]