Using the `Insert()` Method
tags: #python/documentation/data_structures/lists/methods
WARNING!
Keep in mind that the insert() method modifies the original list in place. If you want to create a new list with the inserted elements, you should use techniques like slicing to make a copy of the original list.
The insert() method in Python is used to insert an element at a specified position in a list. The syntax for the insert() method is as follows:
list.insert(index, element)
index: The position at which the element will be inserted.element: The value to be inserted into the list.
Here's an example demonstrating the use of the insert() method:
# Original list
my_list = [1, 2, 3, 4, 5]
# Insert 99 at index 2
my_list.insert(2, 99)
# Insert "apple" at the beginning (index 0)
my_list.insert(0, "apple")
# Print the modified list
print(my_list)
["apple", 1, 99, 2, 3, 4, 5]