Python 的常见容器类型:列表、元组、字符串、字典、集合 内容大纲:
列表
元组
字符串
字典
集合
序列
列表是有序集合,没有固定大小,能够保存任意数量任意类型的 Python 对象用逗号将每个元素一一分开
【例子】
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] print(x, type(x)) ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] <class 'list'> 利用range()创建列表 x = list(range(10)) print(x, type(x)) x = list(range(1, 11, 2)) print(x, type(x)) [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] <class 'list'> [1, 3, 5, 7, 9] <class 'list'> 利用推导式创建列表 x = [0] * 5 print(x, type(x)) x = [0 for i in range(5)] print(x, type(x)) [0, 0, 0, 0, 0] <class 'list'> [0, 0, 0, 0, 0] <class 'list'> 创建一个混合列表 mix = [1, 'lsgo', 3.14, [1, 2, 3]] print(mix, type(mix)) [1, 'lsgo', 3.14, [1, 2, 3]] <class 'list'> 创建一个空列表 empty = [] print(empty, type(empty)) # [] <class 'list'> [] <class 'list'>列表内容可更改
此元素如果是一个 list,那么这个 list 将作为一个整体进行追加用extend()
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] x.append(['Thursday', 'Sunday']) print(x) print(len(x)) ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', ['Thursday', 'Sunday']] 6 x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] x.extend(['Thursday', 'Sunday']) print(x) print(len(x)) # 7 ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Thursday', 'Sunday'] 7严格来说 append 是追加,把一个东西整体添加在列表后,而 extend 是扩展,把一个东西里的所有元素添加在列表后。
list.insert(index, obj) 在编号 index 位置插入 obj。【例子】
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] x.insert(2, 'Sunday') print(x) print(len(x)) ['Monday', 'Tuesday', 'Sunday', 'Wednesday', 'Thursday', 'Friday'] 6remove 和 pop 都可以删除元素,前者是指定具体要删除的元素,后者是指定一个索引。
del var1[, var2 ……] 删除单个或多个对象。 x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] del x[0:2] print(x) ['Wednesday', 'Thursday', 'Friday']切片的通用写法是 start : stop : step
情况 1 - “start :”以 step 为 1 (默认) 从编号 start 往列表尾部切片。 x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] print(x[3:]) # ['Thursday', 'Friday'] print(x[-3:]) # ['Wednesday', 'Thursday', 'Friday'] ['Thursday', 'Friday'] ['Wednesday', 'Thursday', 'Friday'] 情况 2 - “: stop”以 step 为 1 (默认) 从列表头部往编号 stop 切片。 week = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] print(week[:3]) print(week[:-3]) ['Monday', 'Tuesday', 'Wednesday'] ['Monday', 'Tuesday'] 情况 3 - “start : stop”以 step 为 1 (默认) 从编号 start 往编号 stop 切片。 week = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] print(week[1:3]) print(week[-3:-1]) ['Tuesday', 'Wednesday'] ['Wednesday', 'Thursday'] 情况 4 - “start : stop : step”以具体的 step 从编号 start 往编号 stop 切片。注意最后把 step 设为 -1,相当于将列表反向排列。 week = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] print(week[1:4:2]) print(week[:4:2]) print(week[1::2]) print(week[::-1]) ['Tuesday', 'Thursday'] ['Monday', 'Wednesday'] ['Tuesday', 'Thursday'] ['Friday', 'Thursday', 'Wednesday', 'Tuesday', 'Monday'] 情况 5 - " : "复制列表中的所有元素(浅拷贝)。 eek = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] print(week[:]) ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'] list1 = [123, 456, 789, 213] list2 = list1 list3 = list1[:] print(list2) print(list3) list1.sort() print(list2) print(list3) list1 = [[123, 456], [789, 213]] list2 = list1 list3 = list1[:] print(list2) print(list3) list1[0][0] = 111 print(list2) print(list3) [123, 456, 789, 213] [123, 456, 789, 213] [123, 213, 456, 789] [123, 456, 789, 213] [[123, 456], [789, 213]] [[123, 456], [789, 213]] [[111, 456], [789, 213]] [[111, 456], [789, 213]]列表拼接有两种方式,用「加号 +」和「乘号 *」,前者首尾拼接,后者复制拼接。
list1 = [123, 456] list2 = [456, 123] list3 = [123, 456] print(list1 == list2) print(list1 == list3) list4 = list1 + list2 print(list4) list5 = list3 * 3 print(list5) list3 *= 3 print(list3) print(123 in list3) print(456 not in list3) False True [123, 456, 456, 123] [123, 456, 123, 456, 123, 456] [123, 456, 123, 456, 123, 456] True Falselist.count(obj) 统计某个元素在列表中出现的次数
list1 = [123, 456] * 3 print(list1) num = list1.count(123) print(num) [123, 456, 123, 456, 123, 456] 3list.index(x[, start[, end]]) 从列表中找出某个值第一个匹配项的索引位置
list1 = [123, 456] * 5 print(list1.index(123)) print(list1.index(123, 1)) print(list1.index(123, 3, 7)) 0 2 4list.reverse() 反向列表中元素
x = [123, 456, 789] x.reverse() print(x) # [789, 456, 123] [789, 456, 123]list.sort(key=None, reverse=False) 对原列表进行排序。
「元组」定义语法为:(元素1, 元素2, ..., 元素n)
【例子】
t1 = (1, 10.31, 'python') t2 = 1, 10.31, 'python' print(t1, type(t1)) print(t2, type(t2)) tuple1 = (1, 2, 3, 4, 5, 6, 7, 8) print(tuple1[1]) print(tuple1[5:]) print(tuple1[:5]) tuple2 = tuple1[:] print(tuple2) (1, 10.31, 'python') <class 'tuple'> (1, 10.31, 'python') <class 'tuple'> 2 (6, 7, 8) (1, 2, 3, 4, 5) (1, 2, 3, 4, 5, 6, 7, 8) 元组中只包含一个元素时,需要在元素后面添加逗号,否则括号会被当作运算符使用。 x = (1) print(type(x)) x = 2, 3, 4, 5 print(type(x)) x = [] print(type(x)) x = () print(type(x)) x = (1,) print(type(x)) <class 'int'> <class 'tuple'> <class 'list'> <class 'tuple'> <class 'tuple'> print(8 * (8)) print(8 * (8,)) 64 (8, 8, 8, 8, 8, 8, 8, 8)创建二维元组。
x = (1, 10.31, 'python'), ('data', 11) print(x) print(x[0]) print(x[0][0], x[0][1], x[0][2]) print(x[0][0:2]) ((1, 10.31, 'python'), ('data', 11)) (1, 10.31, 'python') 1 10.31 python (1, 10.31)【例子】解压(unpack)一维元组(有几个元素左边括号定义几个变量)
t = (1, 10.31, 'python') (a, b, c) = t print(a, b, c) 1 10.31 python t = (1, 10.31, ('OK', 'python')) (a, b, (c, d)) = t print(a, b, c, d) 1 10.31 OK python t = 1, 2, 3, 4, 5 a, b, *rest, c = t print(a, b, c) print(rest) 1 2 5 [3, 4]如果你根本不在乎 rest 变量,那么就用通配符「*」加上下划线「_」。
t = 1, 2, 3, 4, 5 a, b, *_ = t print(a, b) # 1 2 1 2如果字符串中需要出现单引号或双引号,可以使用转义符号\对字符串中的符号进行转义。
print('let\'s go') print("let's go") print('C:\\now') print("C:\\Program Files\\Intel\\Wifi\\Help") let's go let's go C:\now C:\Program Files\Intel\Wifi\Help原始字符串只需要在字符串前边加一个英文字母 r 即可。
print(r'C:\Program Files\Intel\Wifi\Help') C:\Program Files\Intel\Wifi\Help三引号允许一个字符串跨多行
【例子】
str2 = 'xiaoxie' print(str2.capitalize()) # Xiaoxie Xiaoxie lower() 转换字符串中所有大写字符为小写。upper() 转换字符串中的小写字母为大写。swapcase() 将字符串中大写转换为小写,小写转换为大写。 str2 = "DAXIExiaoxie" print(str2.lower()) print(str2.upper()) print(str2.swapcase()) daxiexiaoxie DAXIEXIAOXIE daxieXIAOXIE count(str, beg= 0,end=len(string)) 返回str在 string 里面出现的次数,如果beg或者end指定则返回指定范围内str出现的次数。 str2 = "DAXIExiaoxie" print(str2.count('xi')) 2 endswith(suffix, beg=0, end=len(string)) 检查字符串是否以指定子字符串 suffix 结束,如果是,返回 True,否则返回 False。startswith(substr, beg=0,end=len(string)) 检查字符串是否以指定子字符串 substr 开头,如果是,返回 True,否则返回 False。 str2 = "DAXIExiaoxie" print(str2.endswith('ie')) print(str2.endswith('xi')) print(str2.startswith('Da')) print(str2.startswith('DA')) True False False True find(str, beg=0, end=len(string)) 检测 str 是否包含在字符串中rfind(str, beg=0,end=len(string)) 类似于 find() 函数,不过是从右边开始查找。 str2 = "DAXIExiaoxie" print(str2.find('xi')) print(str2.find('ix')) print(str2.rfind('xi')) 5 -1 9 isnumeric() 如果字符串中只包含数字字符,则返回 True,否则返回 False。 str3 = '12345' print(str3.isnumeric()) str3 += 'a' print(str3.isnumeric()) True False ljust(width[, fillchar])返回一个原字符串左对齐,并使用fillchar(默认空格)填充至长度width的新字符串。rjust(width[, fillchar])返回一个原字符串右对齐,并使用fillchar(默认空格)填充至长度width的新字符串。【例子】
str4 = '1101' print(str4.ljust(8, '0')) print(str4.rjust(8, '0')) 11010000 00001101 lstrip([chars]) 截掉字符串左边的空格或指定字符。rstrip([chars]) 删除字符串末尾的空格或指定字符。strip([chars]) 在字符串上执行lstrip()和rstrip()。 str5 = ' I Love LsgoGroup ' print(str5.lstrip()) print(str5.lstrip().strip('I')) print(str5.rstrip()) print(str5.strip()) print(str5.strip().strip('p')) I Love LsgoGroup Love LsgoGroup I Love LsgoGroup I Love LsgoGroup I Love LsgoGrou partition(sub) 找到子字符串sub,把字符串分为一个三元组(pre_sub,sub,fol_sub),如果字符串中不包含sub则返回('原字符串','','')。rpartition(sub)类似于partition()方法,不过是从右边开始查找。 str5 = ' I Love LsgoGroup ' print(str5.strip().partition('o')) print(str5.strip().partition('m')) print(str5.strip().rpartition('o')) ('I L', 'o', 've LsgoGroup') ('I Love LsgoGroup', '', '') ('I Love LsgoGr', 'o', 'up') replace(old, new [, max]) 把 将字符串中的old替换成new str5 = ' I Love LsgoGroup ' print(str5.strip().replace('I', 'We')) We Love LsgoGroup split(str="", num) 不带参数默认是以空格为分隔符切片字符串 str5 = ' I Love LsgoGroup ' print(str5.strip().split()) print(str5.strip().split('o')) ['I', 'Love', 'LsgoGroup'] ['I L', 've Lsg', 'Gr', 'up'] u = "www.baidu.com.cn" # 使用默认分隔符 print(u.split()) # 以"."为分隔符 print((u.split('.'))) # 分割0次 print((u.split(".", 0))) # 分割一次 print((u.split(".", 1))) # 分割两次 print(u.split(".", 2)) # 分割两次,并取序列为1的项 print((u.split(".", 2)[1])) # 分割两次,并把分割后的三个部分保存到三个变量 u1, u2, u3 = u.split(".", 2) print(u1) print(u2) print(u3) ['www.baidu.com.cn'] ['www', 'baidu', 'com', 'cn'] ['www.baidu.com.cn'] ['www', 'baidu.com.cn'] ['www', 'baidu', 'com.cn'] baidu www baidu com.cn去掉换行符
c = '''say hello baby''' print(c) # say # hello # baby print(c.split('\n')) # ['say', 'hello', 'baby'] say hello baby ['say', 'hello', 'baby'] string = "hello boy<[www.baidu.com]>byebye" print(string.split('[')[1].split(']')[0]) print(string.split('[')[1].split(']')[0].split('.')) www.baidu.com ['www', 'baidu', 'com'] splitlines([keepends]) 按照行(’\r’, ‘\r\n’, \n’)分隔,返回一个包含各行作为元素的列表 str6 = 'I \n Love \n LsgoGroup' print(str6.splitlines()) print(str6.splitlines(True)) ['I ', ' Love ', ' LsgoGroup'] ['I \n', ' Love \n', ' LsgoGroup'] maketrans(intab, outtab) 创建字符映射的转换表translate(table, deletechars="") 根据参数table给出的表,转换字符串的字符 str7 = 'this is string example....wow!!!' intab = 'aeiou' outtab = '12345' trantab = str7.maketrans(intab, outtab) print(trantab) print(str7.translate(trantab)) {97: 49, 101: 50, 105: 51, 111: 52, 117: 53} th3s 3s str3ng 2x1mpl2....w4w!!!【例子】
str8 = "{0} Love {1}".format('I', 'Lsgogroup') print(str8) str8 = "{a} Love {b}".format(a='I', b='Lsgogroup') print(str8) str8 = "{0} Love {b}".format('I', b='Lsgogroup') print(str8) str8 = '{0:.2f}{1}'.format(27.658, 'GB') print(str8) I Love Lsgogroup I Love Lsgogroup I Love Lsgogroup 27.66GB Python 字符串格式化符号 符 号描述%c格式化字符及其ASCII码%s格式化字符串,用str()方法处理对象%r格式化字符串,用rper()方法处理对象%d格式化整数%o格式化无符号八进制数%x格式化无符号十六进制数%X格式化无符号十六进制数(大写)%f格式化浮点数字,可指定小数点后的精度%e用科学计数法格式化浮点数%E作用同%e,用科学计数法格式化浮点数%g根据值的大小决定使用%f或%e%G作用同%g,根据值的大小决定使用%f或%E 格式化操作符辅助指令 符号功能m.nm 是显示的最小总宽度,n 是小数点后的位数(如果可用的话)-用作左对齐+在正数前面显示加号( + )#在八进制数前面显示零(‘0’),在十六进制前面显示’0x’或者’0X’(取决于用的是’x’还是’X’)0显示的数字前面填充’0’而不是默认的空格字典是 Python 唯一的一个 映射类型,字符串、元组、列表属于序列类型。
【例子】
i = 1 print(id(i)) i = i + 2 print(id(i)) l = [1, 2] print(id(l)) l.append('Python') print(id(l)) 140731832701760 140731832701824 2131670369800 2131670369800 print(hash('Name')) print(hash((1, 2, 'Python'))) print(hash([1, 2, 'Python'])) -6668157630988609386 -1857436431894091236 数值、字符和元组 都能被哈希,因此它们是不可变类型。列表、集合、字典不能被哈希,因此它是可变类型。字典 是无序的 键:值(key:value)对集合,键必须是互不相同的(在同一个字典之内)。
】通过字符串或数值作为key来创建字典。
dic1 = {1: 'one', 2: 'two', 3: 'three'} print(dic1) print(dic1[1]) print(dic1[4]) {1: 'one', 2: 'two', 3: 'three'} one dic2 = {'rice': 35, 'wheat': 101, 'corn': 67} print(dic2) print(dic2['rice']) {'rice': 35, 'wheat': 101, 'corn': 67} 35通过元组作为key来创建字典,但一般不这样使用。
dic = {(1, 2, 3): "Tom", "Age": 12, 3: [3, 5, 7]} print(dic) print(type(dic)) {(1, 2, 3): 'Tom', 'Age': 12, 3: [3, 5, 7]} <class 'dict'>通过构造函数dict来创建字典。
dict() 创建一个空的字典。通过key直接把数据放入字典中,但一个key只能对应一个value,多次对一个key放入 value,后面的值会把前面的值冲掉。
dic = dict() dic['a'] = 1 dic['b'] = 2 dic['c'] = 3 print(dic) dic['a'] = 11 print(dic) dic['d'] = 4 print(dic) {'a': 1, 'b': 2, 'c': 3} {'a': 11, 'b': 2, 'c': 3} {'a': 11, 'b': 2, 'c': 3, 'd': 4}【例子】
dic1 = {1: "a", 2: [1, 2]} print(dic1.pop(1), dic1) # a {2: [1, 2]} # 设置默认值,必须添加,否则报错 print(dic1.pop(3, "nokey"), dic1) # nokey {2: [1, 2]} del dic1[2] print(dic1) # {} a {2: [1, 2]} nokey {2: [1, 2]} {} dict.popitem()随机返回并删除字典中的一对键和值,如果字典已经为空,却调用了此方法,就报出KeyError异常。 dic1 = {1: "a", 2: [1, 2]} print(dic1.popitem()) print(dic1) (2, [1, 2]) {1: 'a'} dict.clear()用于删除字典内所有元素。 dic = {'Name': 'Zara', 'Age': 7} print("字典长度 : %d" % len(dic)) dic.clear() print("字典删除后长度 : %d" % len(dic)) 字典长度 : 2 字典删除后长度 : 0 dict.copy()返回一个字典的浅复制。 dic1 = {'Name': 'Lsgogroup', 'Age': 7, 'Class': 'First'} dic2 = dic1.copy() print("dic2") dic2直接赋值和 copy 的区别
dic1 = {'user': 'lsgogroup', 'num': [1, 2, 3]} # 引用对象 dic2 = dic1 # 浅拷贝父对象(一级目录),子对象(二级目录)不拷贝,还是引用 dic3 = dic1.copy() print(id(dic1)) print(id(dic2)) print(id(dic3)) # 修改 data 数据 dic1['user'] = 'root' dic1['num'].remove(1) # 输出结果 print(dic1) print(dic2) print(dic3) 2131669221448 2131669221448 2131669225120 {'user': 'root', 'num': [2, 3]} {'user': 'root', 'num': [2, 3]} {'user': 'lsgogroup', 'num': [2, 3]} dict.update(dict2)把字典参数 dict2 的 key:value对 更新到字典 dict 里。 dic = {'Name': 'Lsgogroup', 'Age': 7} dic2 = {'Sex': 'female', 'Age': 8} dic.update(dic2) print(dic) {'Name': 'Lsgogroup', 'Age': 8, 'Sex': 'female'}Python 中set与dict类似,也是一组key的集合,但不存储value。
num = {} print(type(num)) num = {1, 2, 3, 4} print(type(num)) <class 'dict'> <class 'set'>在创建空集合的时候只能使用s = set(),因为s = {}创建的是空字典。
basket = set() basket.add('apple') basket.add('banana') print(basket) {'banana', 'apple'} basket = {'apple', 'orange', 'apple', 'pear', 'orange', 'banana'} print(basket) {'pear', 'orange', 'banana', 'apple'} 使用set(value)工厂函数,把列表或元组转换成集合。 a = set('abracadabra') print(a) b = set(("Google", "Lsgogroup", "Taobao", "Taobao")) print(b) c = set(["Google", "Lsgogroup", "Taobao", "Google"]) print(c) {'b', 'r', 'a', 'c', 'd'} {'Taobao', 'Google', 'Lsgogroup'} {'Taobao', 'Google', 'Lsgogroup'}去掉列表中重复的元素
lst = [0, 1, 2, 3, 4, 5, 5, 3, 1] temp = [] for item in lst: if item not in temp: temp.append(item) print(temp) a = set(lst) print(list(a)) [0, 1, 2, 3, 4, 5] [0, 1, 2, 3, 4, 5]从结果发现集合的两个特点:无序 (unordered) 和唯一 (unique)。
【例子】
fruits = {"apple", "banana", "cherry"} x = fruits.pop() print(fruits) print(x) {'banana', 'apple'} cherry由于 set 是无序和无重复元素的集合
set.intersection(set1, set2) 返回两个集合的交集。set1 & set2 返回两个集合的交集。set.intersection_update(set1, set2) 交集,在原始的集合上移除不重叠的元素。 a = set('abracadabra') b = set('alacazam') print(a) print(b) c = a.intersection(b) print(c) print(a & b) print(a) a.intersection_update(b) print(a) {'b', 'r', 'a', 'c', 'd'} {'l', 'a', 'c', 'z', 'm'} {'a', 'c'} {'a', 'c'} {'b', 'r', 'a', 'c', 'd'} {'a', 'c'} set.union(set1, set2) 返回两个集合的并集。set1 | set2 返回两个集合的并集。 a = set('abracadabra') b = set('alacazam') print(a) print(b) print(a | b) c = a.union(b) print(c) {'b', 'r', 'a', 'c', 'd'} {'l', 'a', 'c', 'z', 'm'} {'l', 'b', 'r', 'a', 'c', 'z', 'd', 'm'} {'l', 'b', 'r', 'a', 'c', 'z', 'd', 'm'} set.difference(set) 返回集合的差集。set1 - set2 返回集合的差集。set.difference_update(set) 集合的差集,直接在原来的集合中移除元素,没有返回值。 a = set('abracadabra') b = set('alacazam') print(a) print(b) c = a.difference(b) print(c) print(a - b) print(a) a.difference_update(b) print(a) {'b', 'r', 'a', 'c', 'd'} {'l', 'a', 'c', 'z', 'm'} {'d', 'b', 'r'} {'d', 'b', 'r'} {'b', 'r', 'a', 'c', 'd'} {'b', 'r', 'd'} set.issubset(set)判断集合是不是被其他集合包含,如果是则返回 True,否则返回 False。set1 <= set2 判断集合是不是被其他集合包含,如果是则返回 True,否则返回 False。【例子】
x = {"a", "b", "c"} y = {"f", "e", "d", "c", "b", "a"} z = x.issubset(y) print(z) # True print(x <= y) # True x = {"a", "b", "c"} y = {"f", "e", "d", "c", "b"} z = x.issubset(y) print(z) # False print(x <= y) # False True True False False set.issuperset(set)用于判断集合是不是包含其他集合,如果是则返回 True,否则返回 False。set1 >= set2 判断集合是不是包含其他集合,如果是则返回 True,否则返回 False。 x = {"f", "e", "d", "c", "b", "a"} y = {"a", "b", "c"} z = x.issuperset(y) print(z) print(x >= y) x = {"f", "e", "d", "c", "b"} y = {"a", "b", "c"} z = x.issuperset(y) print(z) print(x >= y) True True False False set.isdisjoint(set) 用于判断两个集合是不是不相交,如果是返回 True,否则返回 False。 x = {"f", "e", "d", "c", "b"} y = {"a", "b", "c"} z = x.isdisjoint(y) print(z) x = {"f", "e", "d", "m", "g"} y = {"a", "b", "c"} z = x.isdisjoint(y) print(z) False TruePython 提供了不能改变元素的集合的实现版本,即不能增加或删除元素,类型名叫frozenset。需要注意的是frozenset仍然可以进行集合操作,只是不能用带有update的方法。
a = frozenset(range(10)) print(a) b = frozenset('lsgogroup') print(b) frozenset({0, 1, 2, 3, 4, 5, 6, 7, 8, 9}) frozenset({'l', 'g', 'r', 'u', 'o', 's', 'p'})在 Python 中,序列类型包括字符串、列表、元组、集合和字典,这些序列支持一些通用的操作,但比较特殊的是,集合和字典不支持索引、切片、相加和相乘操作。
【例子】
print(max(1, 2, 3, 4, 5)) # 5 print(max([-8, 99, 3, 7, 83])) # 99 print(max('IloveLsgoGroup')) # v 5 99 v min(sub)返回序列或参数集合中的最小值 print(min(1, 2, 3, 4, 5)) print(min([-8, 99, 3, 7, 83])) print(min('IloveLsgoGroup')) 1 -8 G sum(iterable[, start=0]) 返回序列iterable与可选参数start的总和。 print(sum([1, 3, 5, 7, 9])) print(sum([1, 3, 5, 7, 9], 10)) print(sum((1, 3, 5, 7, 9))) print(sum((1, 3, 5, 7, 9), 20)) 25 35 25 45 enumerate(sequence, [start=0])用于将一个可遍历的数据对象(如列表、元组或字符串)组合为一个索引序列,同时列出数据和数据下标,一般用在 for 循环当中。
seasons = ['Spring', 'Summer', 'Fall', 'Winter'] a = list(enumerate(seasons)) print(a) # [(0, 'Spring'), (1, 'Summer'), (2, 'Fall'), (3, 'Winter')] b = list(enumerate(seasons, 1)) print(b) # [(1, 'Spring'), (2, 'Summer'), (3, 'Fall'), (4, 'Winter')] for i, element in a: print('{0},{1}'.format(i, element)) # 0,Spring # 1,Summer # 2,Fall # 3,Winter [(0, 'Spring'), (1, 'Summer'), (2, 'Fall'), (3, 'Winter')] [(1, 'Spring'), (2, 'Summer'), (3, 'Fall'), (4, 'Winter')] 0,Spring 1,Summer 2,Fall 3,Winter zip(iter1 [,iter2 [...]]) 用于将可迭代的对象作为参数,将对象中对应的元素打包成一个个元组,然后返回由这些元组组成的对象,这样做的好处是节约了不少的内存。我们可以使用 list() 转换来输出列表。如果各个迭代器的元素个数不一致,则返回列表长度与最短的对象相同,利用 * 号操作符,可以将元组解压为列表。 a = [1, 2, 3] b = [4, 5, 6] c = [4, 5, 6, 7, 8] zipped = zip(a, b) print(zipped) # <zip object at 0x000000C5D89EDD88> print(list(zipped)) # [(1, 4), (2, 5), (3, 6)] zipped = zip(a, c) print(list(zipped)) # [(1, 4), (2, 5), (3, 6)] a1, a2 = zip(*zip(a, b)) print(list(a1)) # [1, 2, 3] print(list(a2)) # [4, 5, 6] <zip object at 0x000001F0517E38C8> [(1, 4), (2, 5), (3, 6)] [(1, 4), (2, 5), (3, 6)] [1, 2, 3] [4, 5, 6]