Python3 map函数与reduce函数

时间:2020-12-08 18:32:26
# -*- coding:utf-8 -*-
# 传入一个数字,返回这个数字的平方
def calc(x):  s = x * x
    return s

list1 = [1,2,3,4,5,6,7,8,9,10]  result_list = [] # for 循环遍历列表中的每一个元素。让列表中每一个元素都执行一次calc函数
for number in list1:  # 传入一个数字,得到返回的结果
    s = calc(number)
    # 把计算的结果s添加到空列表中
    result_list.append(s)
print(result_list)

# map(func,iter)作用:让列表中每一个元素都去执行一次calc函数
# python2版本中,map返回的是一个结果列表,所有执行函数返回的结果都会放在列表中
# python3版本中,map返回的是一个生成器对象,生成器对象可以同next获取其中的内容,可以将生成器对象转换为列表
m = map(calc, list1)
# 转换为列表
m = list(m)
print(m)

# 去除列表中的字符串中的特殊字符
list2 = [' \n','张三\n李四\n',' 王 五\n','\t','\t\n'] def strip_some(string):  # 去除\n
    string = string.strip('\n')
    # 去除空格
    string = string.strip()
    # 替换\n
    string = string.replace('\n','')
    # 替换\t
    string = string.replace('\t','')
    # 替换空格
    string = string.replace(' ','')
    # 返回处理后的字符串
    return string
# 使用map()函数,让列表中的每一个字符串都执行一次strip_some()函数
result = map(strip_some, list2)
# 转换为list
result = list(result)
print(result)

# python3中默认没有引入该函数,手动引入
from functools import reduce
# 可以在python2环境中运行测试效果
# reduce()函数:要执行的函数接收两个参数,两个元素会进行一次运算,并且将运算的结果和第三个元素再次运算。。以此类推.......
list3 = [1,2,3,4,5,6,7,8,9,10] def add(x, y):  rs = x + y
    return rs
# reduce(func,iter)
rs = reduce(add, list3)
print(rs)

list3 = [0,1,2,3,4,5,6,7,8,9,10]  def test(x):  if x % 2 == 0:  return x
# 使用map执行test函数,会将所有的返回结果都放在结果列表中
m = list(map(test, list3))
print(m)
# 会将返回的结果进行筛选,只会取出条件为真或不为None的元素
# filter 让列表中的每一个元素都执行一次函数,如果执行函数返回的结果为真或不为None,把结果放入结果列表中,否则就不要了
m = list(filter(test, list3))
print(m)


'''  1.map()函数,会让列表中每一个元素都执行一某个函数(传递1个参数),并且将执行函数返回的结果(无论是什么样的结果)放在结果列表中  2.filter()函数,回让列表中的每一个元素都执行一次某个函数(传递1个参数),并且将执行函数返回为真或不为None的结果放在结果列表中  3.reduce()函数,会将列表中的每两个元素执行一次函数(传递2个参数),并且可以将前两个元素计算的结果拿过来,继续和列表中的第三个元素计算,计算完成后继续和第四个计算.....,最后返回的就是计算后的结果  ''' list4 = ['hello','world','nihao','shijie'] def add_s(x, y):  s = x + '*' + y
    return s
# 利用reduce函数,将列表中字符串拼接起来
rs = reduce(add_s, list4)
print(rs)