add 2 lists code example
Example 1: python how to add one list to another list
first_list.append(second_list)
first_list.extend(second_list)
first_list = [1, 2, 3, 4, 5]
second_list = [6, 7, 8, 9]
first_list.append(second_list)
print(first_list)
--> [1, 2, 3, 4, 5, [6, 7, 8, 9]]
first_list = [1, 2, 3, 4, 5]
second_list = [6, 7, 8, 9]
first_list.extend(second_list)
print(first_list)
--> [1, 2, 3, 4, 5, 6, 7, 8, 9]
Example 2: join lists python
first_list = ["1", "2"]
second_list = ["3", "4"]
first_list += second_list
first_list = first_list + second_list
first_list.extend(second_list)
Example 3: python add elements of two lists together
list1 = [1, 2, 3]
list2 = [4, 5, 6]
sum_list = []
for (item1, item2) in zip(list1, list2):
sum_list.append(item1 + item2)
print(sum_list)