Python zip() 函数详解
概念
zip() 函数用于将可迭代的对象作为参数,将对象中对应的元素打包成一个个元组,然后返回由这些元组组成的列表(python2.x的定义)。
特别注意:
- python3.x的定义与python2.x定义的主要区别是返回值,在python3.x为了减少内存,返回的是一个zip对象,可以用list、dict等进行转换。
- 如果各个迭代器的元素个数不一致,则返回列表长度与最短的对象相同,利用 * 号操作符,可以将元组解压为列表(也叫减包运算)。
语法
zip([iterable, ...])
参数说明:
- iterabl -- 一个或多个可迭代对象
- iterable,... 表示多个列表、元组、字典、集合、字符串,甚至还可以为 range() 区间
- iterable中可以为不同的数据类型
- 多个迭代器之间用逗号隔开
返回值
- 返回元组列表(python2.x)
- 返回zip对象(其实这里就是一个迭代器)(python3.x)
例如:
list_3 = [11, 12, 13, 14, 15] print(next(list_3)) 执行结果: TypeError: 'list' object is not an iterator
可以看出zip()返回的就是迭代器对象,若是可迭代对象是没有next()方法的,就像上面的报错,换成迭代器就不会报错了
实例
- 同一数据类型
list_1 = [1, "str", 3, 4, 5] list_2 = [6, 7, 8, 9, 10] list_3 = [11, 12, 13, 14, 15] result = list(zip(list_1, list_2, list_3)) print(result) 执行结果: [(1, 6, 11), ('str', 7, 12), (3, 8, 13), (4, 9, 14), (5, 10, 15)]
- 不同数据类型
list_1 = [1, "str", 3, 4, 5] list_2 = [6, 7, 8, 9, 10] list_3 = [11, 12, 13, 14, 15] dict_4 = {"张三": 18, "王五": 19, "赵四": 18, "王琦": 19, "王虎": 18, "张六": 19} tuple_5 = {"a", "b", "c", "d", "e"} set_6 = {20, 30, 40, 50, 60} result = list(zip(list_1, list_2, list_3, dict_4, tuple_5,set_6)) print(result) 执行结果: [(1, 6, 11, '张三', 'b', 40), ('str', 7, 12, '王五', 'd', 50), (3, 8, 13, '赵四', 'c', 20), (4, 9, 14, '王琦', 'a', 60), (5, 10, 15, '王虎', 'e', 30)]
- 不同长度的同一数据类型
list_1 = [1, "str", 3, 4, 5] list_2 = [6, 7, 8, 9, 10] list_3 = [11, 12] result = list(zip(list_1, list_2, list_3)) print(result) 执行结果: [(1, 6, 11), ('str', 7, 12)]
- 不同长度的不同类型
list_1 = [1, "str", 3, 4, 5] list_2 = [6, 7, 8, 9, 10] list_3 = [11, 12] dict_4 = {"张三": 18, "王五": 19, "赵四": 18, "王琦": 19, "王虎": 18, "张六": 19} tuple_5 = {"a", "b", "c", "d", "e"} set_6 = {20, 30, 40} result = list(zip(list_1, list_2, list_3, dict_4,tuple_5,set_6)) print(result) 执行结果: [(1, 6, 11, '张三', 'b', 40), ('str', 7, 12, '王五', 'e', 20)]