今天我们来解决3个具体问题。
问题1:用户输入一行数字,数字之间用空格隔开,如何接收这些数字并转换为列表。
# 接收一组数字,方法1
ls = []
for i in input().split():
ls.append(eval(i))
print(ls)
其实,还有一种更优雅的方法。
# 接受一组数字,方法2
ls = list(map(eval, input().split()))
print(ls)
这里就要隆重介绍我们今天的主角——map()函数!
map(function, iterable, ...)
function:一个函数,内置函数、自定义函数、匿名函数等都可以
iterable, …:一个或多个序列,可迭代对象都可以
返回迭代器。
在上面的例子中,eval()是一个内置函数,用来执行一个字符串表达式,并返回表达式的值。
问题2:输入两个正整数n和m,n≥m,输出从正整数1~n里无重复地取m个数字的所有组合。
比如:
输入
5 2
输出
1 2
1 3
1 4
1 5
2 3
2 4
2 5
3 4
3 5
4 5
# 用map实现输入输出
from itertools import combinations
n,m = map(int,input().split())
for i in combinations(range(1,n+1),m):
print(' '.join(map(str,i)))
问题3:用map()生成平安经!
# map实现平安经
for i in map(lambda x:x+"岁平安", map(str,range(1,100))):
print(i, end=',')
print("100岁平安。")