Python的各种推导式(列表推导式、字典推导式、集合推导式)

推导式comprehensions(又称解析式),是Python的一种独有特性。推导式是可以从一个数据序列构建另一个新的数据序列的结构体。共有三种推导,在Python2和Python3中都有支持:

  1. 列表(list)推导式
  2. 字典(dict)推导式
  3. 集合(set)推导式

列表推导式

使用[]生成list
例一:

result = [i for i in range(30) if i % 3 is 0]
print('result = ',result)
#	result =  [0, 3, 6, 9, 12, 15, 18, 21, 24, 27]

例二:

def squared(x):
    return x*x
result = [squared(i) for i in range(30) if i % 3 is 0]
print('result = ',result)
# result =  [0, 9, 36, 81, 144, 225, 324, 441, 576, 729]

使用()生成generator
将两表推导式的[]改成()即可得到生成器

result = (i for i in range(30) if i % 3 is 0)
print('result = ',result)
#   result =   at 0x0000000002B915C8>

字典推导式

字典推导和列表推导的使用方法是类似的,只不过中括号改成大括号。
**例一:**大小写key合并

mcase = {'a':10,'b':34,'A':7,'Z':3}
result = {
    k.lowe

你可能感兴趣的:(Python趣味学习)