python学习笔记,特做记录,分享给大家,希望对大家有所帮助。
列表生成式
列表生成式即List Comprehensions,是Python内置的非常简单却强大的可以用来创建list的生成式。
举个例子,要生成list [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]可以用list(range(1, 11)):
list(range(1, 11))
运行结果:
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
Process finished with exit code 0
但如果要生成[1x1, 2x2, 3x3, ..., 10x10]怎么做?方法一是循环:
L = []
for x in range(1, 11):
L.append(x * x)
print(L)
但是循环太繁琐,而列表生成式则可以用一行语句代替循环生成上面的list:
L2 = [x * x for x in range(1, 11)]
print(L2)
运行结果都是一样的:
[1, 4, 9, 16, 25, 36, 49, 64, 81, 100]
Process finished with exit code 0
写列表生成式时,把要生成的元素x * x放到前面,后面跟for循环,就可以把list创建出来,十分有用,多写几次,很快就可以熟悉这种语法。
for循环后面还可以加上if判断,这样我们就可以筛选出仅偶数的平方:
L3 = [x * x for x in range(1, 11) if x % 2 == 0]
print(L3)
运行结果:
[4, 16, 36, 64, 100]
Process finished with exit code 0
还可以使用两层循环,可以生成全排列:
L4 = [m + n for m in 'ABC' for n in 'XYZ']
print(L4)
运行结果:
['AX', 'AY', 'AZ', 'BX', 'BY', 'BZ', 'CX', 'CY', 'CZ']
Process finished with exit code 0
三层和三层以上的循环就很少用到了。
运用列表生成式,可以写出非常简洁的代码。例如,列出当前目录下的所有文件和目录名,可以通过一行代码实现:
# 导入os模块
import os
# os.listdir可以列出文件和目录
L5 = [d for d in os.listdir('.')]
print(L5)
运行结果:
['FBYVariableParameter.py', 'loadingImage.py', '高级特性.py']
Process finished with exit code 0
for循环其实可以同时使用两个甚至多个变量,比如dict的items()可以同时迭代key和value:
d = {'x': 'A', 'y': 'B', 'z': 'C' }
for k, v in d.items():
print(k, '=', v)
运行结果:
x = A
y = B
z = C
Process finished with exit code 0
因此,列表生成式也可以使用两个变量来生成list:
d = {'x': 'A', 'y': 'B', 'z': 'C' }
L6 = [k + '=' + v for k, v in d.items()]
print(L6)
运行结果:
['x=A', 'y=B', 'z=C']
Process finished with exit code 0
最后把一个list中所有的字符串变成小写:
L7 = ['Hello', 'World', 'IBM', 'Apple']
L8 = [s.lower() for s in L6]
print(L8)
运行结果:
['x=a', 'y=b', 'z=c']
Process finished with exit code 0
欢迎关注公众号「网罗开发」,可领取python测试demo和学习资源,大家一起学python,网罗天下方法,方便你我开发。