1
2List = ["One", "value"]
3
4List.append("to add") # "to add" can also be an int, a foat or whatever"
5
6#List is now ["One", "value","to add"]
7
8#Or
9
10List2 = ["One", "value"]
11# "to add" can be any type but IT MUST be in a list
12List2 += ["to add"] # can be seen as List2 = List2 + ["to add"]
13
14#List2 is now ["One", "value", "to add"]
1 list = ['larry', 'curly', 'moe']
2 list.append('shemp') ## append elem at end
3 list.insert(0, 'xxx') ## insert elem at index 0
4 list.extend(['yyy', 'zzz']) ## add list of elems at end
5 print list ## ['xxx', 'larry', 'curly', 'moe', 'shemp', 'yyy', 'zzz']
6 print list.index('curly') ## 2
7
8 list.remove('curly') ## search and remove that element
9 list.pop(1) ## removes and returns 'larry'
10 print list ## ['xxx', 'moe', 'shemp', 'yyy', 'zzz']
1# Basic syntax:
2your_list.append('element_to_append')
3
4# Example usage:
5your_list = ['a', 'b']
6your_list.append('c')
7print(your_list)
8--> ['a', 'b', 'c']
9
10# Note, .append() changes the list directly and doesn’t require an
11# assignment operation. In fact, the following would produce an error:
12your_list = your_list.append('c')
1# Python list mutation, adding elements
2history = ["when"]
3
4# adds item to the end of a list
5history.append("how")
6# ["when", "how"]
7
8# combine lists
9history.extend( ["what", "why"] ) # works with tuples too
10# or
11history = history + ["what", "why"]
12# ["when", "how", "what", "why"]
13
14# insert at target position
15history.insert(3, "where")
16# ["when", "how, "what", "where", "why"]
17#
1#.append() is a function that allows you to add values to a list
2sampleList.append("Bob")
3print ("Bob should appear in the list:", sampleList)
4
5#The output will be:
6Bob should appear in the list: ['Bob']