how to insert an element to the end of the list using insert in python code example
Example 1: append to lists python
list = [] ## Start as the empty list
list.append('a') ## Use append() to add elements
list.append('b')
Example 2: how to insert an element to the end of the list using insert in python
Syntax : list(index, item)
>>> numbers = [1, 2, 3]
>>> numbers
[1, 2, 3]
>>> numbers.insert(len(numbers), 4) #len(list) as index to insert item at the end of list
>>> numbers
[1, 2, 3, 4]
>>> numbers.insert(4, 5)
>>> numbers
[1, 2, 3, 4, 5]
>>> len(numbers)
5
>>> numbers[4] # last index always will be len(list) - 1. Because index starts at 0.
5
>>> numbers[5] # Throws error since index no 4 is the last index with element 5.
Traceback (most recent call last):
File "<pyshell#8>", line 1, in <module>
numbers[5]
IndexError: list index out of range
Example 3: how to add an item to a list python
numbers = [1, 2, 3, 4]
numbers.append(10)
print(numbers)
Example 4: append to list at index python
list.insert(index, obj)