extend() 函数的功能:
用于在列表末尾一次性追加另一个序列中的多个值(用新列表扩展原来的列表)
A = [1, 2, 3]B = [['a', 'b']]A.extend([4])A.extend([5, 6])B.extend(['c', 'd'])B.extend([['e', 'f']])print(A)print(B)
// output[1, 2, 3, 4, 5, 6][['a', 'b'], 'c', 'd', ['e', 'f']]
extend()
函数、append()
函数、+
与 +=
功能比较:
append()
是向列表尾部追加一个新元素,列表只占一个索引位,在原有列表上增加。extend()
向列表尾部追加一个列表,将列表中的每个元素都追加进来,在原有列表上增加。+
与extend()
在效果上具有相同的功能,但是实际上生成了一个新的列表来存放这两个列表的和,只能用在两个列表相加上。+=
与extend()
效果一样。
1. append():
// append():A = [1, 2, 3]B = [4, 5, 6]print(A.append(B))print(A)
// outputNone[1, 2, 3, [4, 5, 6]]
2. extend():
A = [1, 2, 3]B = [4, 5, 6]print(A.extend(B))print(A)
// outputNone[1, 2, 3, 4, 5, 6]
3. +:
A = [1, 2, 3]B = [4, 5, 6]print(A+B)print(A)
// output[1, 2, 3, 4, 5, 6][1, 2, 3]
4. +=
A = [1, 2, 3]B = [4, 5, 6]A += Bprint(A)
// output[1, 2, 3, 4, 5, 6]
来源地址:https://blog.csdn.net/sweet_tea_/article/details/128520677