python提高效率的内置函数
作者:YXN-python 阅读量:91 发布日期:2023-09-08
enumerate()
用于将一个可遍历的数据对象(如列表、元组或字符串)组合为一个索引序列,同时列出数据和数据下标,一般用在 for 循环当中。
enumerate(sequence, [start=0])
fruits = ['apple', 'banana', 'cherry']
for i, fruit in enumerate(fruits):
print(i, fruit)
zip()
函数通常用于同时遍历多个序列,并在循环中保持它们的相对位置。
zip([iterable, ...])
a = [1, 2, 3]
b = [4, 5, 6]
zipped = zip(a, b)
print(*zipped) # 输出:(1, 4) (2, 5) (3, 6)
filter()
filter() 函数用于过滤序列,过滤掉不符合条件的元素,返回由符合条件元素组成的新列表。
该接收两个参数,第一个为函数,第二个为序列,序列的每个元素作为参数传递给函数进行判断,然后返回 True 或 False,最后将返回 True 的元素放到新列表中。
filter(function, iterable)
newlist = filter(lambda n: n % 2 == 1, [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
print(list(newlist)) # 输出:[1, 3, 5, 7, 9]
map()
map() 会根据提供的函数对指定序列做映射。
第一个参数 function 以参数序列中的每一个元素调用 function 函数,返回包含每次 function 函数返回值的新列表。
map(function, iterable, ...)
print(list(map(lambda x: x ** 2, [1, 2, 3, 4, 5])))
# 输出:[1, 4, 9, 16, 25]
sorted
对所有可迭代的对象进行排序操作。
sorted(iterable, cmp=None, key=None, reverse=False)
- iterable -- 可迭代对象。
- cmp -- 比较的函数,这个具有两个参数,参数的值都是从可迭代对象中取出,此函数必须遵守的规则为,大于则返回1,小于则返回-1,等于则返回0。
- key -- 主要是用来进行比较的元素,只有一个参数,具体的函数的参数就是取自于可迭代对象中,指定可迭代对象中的一个元素来进行排序。
- reverse -- 排序规则,reverse = True 降序 , reverse = False 升序(默认)。
a = [('b', 2), ('a', 1), ('c', 3), ('d', 4)]
print(sorted(a, key=lambda x: x[1]))
# 输出 [('a', 1), ('b', 2), ('c', 3), ('d', 4)]
itertools.combinations()
生成一个序列的所有可能组合。
from itertools import combinations
letters = ['a', 'b', 'c']
combos = combinations(letters, 2)
print(list(combos))
# 输出:[('a', 'b'), ('a', 'c'), ('b', 'c')]
lambda
匿名函数,常用于一次性使用的简单计算或作为其他函数的参数。
add_one = lambda x: x + 1
result = add_one(10)
print(result) # 11
reversed()
反转序列或可迭代对象的顺序。
numbers = [1, 2, 3, 4, 5]
reversed_numbers = list(reversed(numbers))
print(reversed_numbers) # 输出:[5, 4, 3, 2, 1]
YXN-python
2023-09-08