1. 装饰器

关于Python装饰器的讲解,网上一搜有很多资料,有些资料讲的很详细。因此,我不再详述,我会给出一些连接,帮助理解。

探究functools模块wraps装饰器的用途

案例1

import functools

def log(func):
@functools.wraps(func)
def wrapper(*args, **kw):
print("打印传入参数func的名字:{}".format(func.__name__))
return func(*args, **kw)
return wrapper @log
def new():
print('2018-11-24') new()
打印传入参数func的名字:new
2015-3-25

案例2

from functools import wraps   

def my_decorator(func):
@wraps(func)
def wrapper(*args, **kwargs):
print('Calling decorated function...')
return func(*args, **kwargs)
return wrapper @my_decorator def example():
"""Docstring"""
print('Called example function') print(example.__name__, example.__doc__)
example Docstring

案例3

def logger(text):
def decorator(func):
@functools.wraps(func)
def wrapper(*args, **kw):
print("logger传入的参数text:{}".format(text))
print("打印传入参数func的名字:{}".format(func.__name__))
return func(*args, **kw)
return wrapper
return decorator @logger('DEBUG')
def today():
print('2018-11-24') today() print('-------------')
print(today.__name__)
logger传入的参数text:DEBUG
打印传入参数func的名字:today
2018-11-24
-------------
today

2. filter 过滤器

Python函数式编程

案例1

def is_odd(n):
return n % 2 == 1
L = range(100)
print(L)
print(list(filter(is_odd, L)))
range(0, 100)
[1, 3, 5, 7, 9, 11, 13, 15, 17, 19, 21, 23, 25, 27, 29, 31, 33, 35, 37, 39, 41, 43, 45, 47, 49, 51, 53, 55, 57, 59, 61, 63, 65, 67, 69, 71, 73, 75, 77, 79, 81, 83, 85, 87, 89, 91, 93, 95, 97, 99]

案例2

def not_empty(s):
return s and s.strip()
print(list(filter(not_empty, ['A', '', 'b', None, 'c', ' '])))
['A', 'b', 'c']

3. map 映射

Python函数式编程

def f(x):
return x*x
print(list(map(f, [1, 2, 3, 4, 5])))
[1, 4, 9, 16, 25]

4. partial 偏导雏形

partial具有固定参数的功能

案例1

固定say中的man参数

import functools
def say(man, words):
print('say', words, 'to', man) # say('boss', 'hello') # say hello to boss
say2boss = functools.partial(say, 'boss')
say2boss('good morning')
say good morning to boss

案例2

固定基,固定二进制,也就是将二进制函数中的基固定为2

import functools
int2 = functools.partial(int, base=2)
print('1000000 =', int2('1000000'))
print('1010101 =', int2('1010101'))
1000000 = 64
1010101 = 85

案例3

def add(a,b):
return a + b + 10
add3 = functools.partial(add,3)
add5 = functools.partial(add,5)
print("固定add函数中一个参数3,结果为3+4+10 = {} ".format(add3(4)))
print("固定add函数中一个参数5,结果为5+10+10 = {} ".format(add5(10)))
固定add函数中一个参数3,结果为3+4+10 = 17
固定add函数中一个参数5,结果为5+10+10 = 25

5. reduce

案例1

import functools
S = range(1,6)
print(functools.reduce(lambda x, y: x+y, S))
15

案例2 字符串数字转化为整型

from functools import reduce
CHAR_TO_INT = {
'0':0,
'1':1,
'2':2,
'3':3,
'4':4,
'5':5,
'6':6,
'7':7,
'8':8,
'8':9
}
def str2int(s):
ints = map(lambda ch: CHAR_TO_INT[ch], s)
return reduce(lambda x, y: x*10 + y, ints) print(str2int('0'))
print(str2int('12300'))
print(str2int('0012345'))
0
12300
12345

案例3 字符串数字转化为浮点型

CHAR_TO_FLOAT = {
'0': 0,
'1': 1,
'2': 2,
'3': 3,
'4': 4,
'5': 5,
'6': 6,
'7': 7,
'8': 8,
'9': 9,
'.': -1
} def str2float(s):
nums = map(lambda ch: CHAR_TO_FLOAT[ch], s)
point = 0
def to_float(f, n):
nonlocal point
if n == -1:
point = 1
return f
if point == 0:
return f * 10 + n
else:
point = point * 10
return f + n / point
return reduce(to_float, nums, 0.0) print(str2float('0'))
print(str2float('123.456'))
print(str2float('123.45600'))
print(str2float('0.1234'))
print(str2float('.1234'))
print(str2float('120.0034'))
0.0
123.456
123.456
0.12340000000000001
0.12340000000000001
120.0034

6. sorted

案例1 简单排序

L = ['bob', 'about', 'Zoo', 'Credit']
print(sorted(L))
print(sorted(L, key=str.lower))
['Credit', 'Zoo', 'about', 'bob']
['about', 'bob', 'Credit', 'Zoo']

案例2 根据要求排序

from operator import itemgetter
students = [('Bob', 75), ('Adam', 92), ('Bart', 66), ('Lisa', 88)]
print(sorted(students, key=itemgetter(0)))
print(sorted(students, key=lambda t: t[1]))
print(sorted(students, key=itemgetter(1), reverse=True))
[('Adam', 92), ('Bart', 66), ('Bob', 75), ('Lisa', 88)]
[('Bart', 66), ('Bob', 75), ('Lisa', 88), ('Adam', 92)]
[('Adam', 92), ('Lisa', 88), ('Bob', 75), ('Bart', 66)]

7. 返回函数

案例1

def lazy_sum(*args):
def sum():
ax = 0
for n in args:
ax = ax + n
return ax
return sum
f = lazy_sum(1, 2, 3, 4, 5, 6, 7, 8, 9)
print(f)
print(f())
<function lazy_sum.<locals>.sum at 0x000001C8F8CF69D8>
45

案例2

def count():
fs = []
for i in range(1, 4):
def f():
return i * i
fs.append(f)
return fs f1, f2, f3 = count()
print(f1())
print(f2())
print(f3())
9
9
9

案例3

def count():

    fs = []

    def f(n):
def j():
return n * n
return j for i in range(1, 4):
fs.append(f(i)) return fs f1, f2, f3 = count()
print(f1())
print(f2())
print(f3())
1
4
9

8. 素数

Python3基础-代码阅读系列—素数

def main():
for n in primes():
if n < 50:
print("{}是1——100之间的素数。".format(n))
else:
break def _odd_iter():
n = 1
while True:
n = n + 2
yield n def _not_divisible(n):
return lambda x: x % n > 0 def primes():
yield 2
it = _odd_iter()
while True:
n = next(it)
yield n
it = filter(_not_divisible(n), it) if __name__ == '__main__':
main()
2是1——100之间的素数。
3是1——100之间的素数。
5是1——100之间的素数。
7是1——100之间的素数。
11是1——100之间的素数。
13是1——100之间的素数。
17是1——100之间的素数。
19是1——100之间的素数。
23是1——100之间的素数。
29是1——100之间的素数。
31是1——100之间的素数。
37是1——100之间的素数。
41是1——100之间的素数。
43是1——100之间的素数。
47是1——100之间的素数。

参考文献

  1. http://y.tsutsumi.io/dry-principles-through-python-decorators.html
  2. http://wklken.me/posts/2013/08/18/python-extra-functools.html
  3. https://github.com/michaelliao/learn-python3/tree/master/samples/functional

Python3基础-特别函数(map filter partial reduces sorted)实例学习的更多相关文章

  1. python几个特别函数map filter reduce lambda

    lambda函数也叫匿名函数,即,函数没有具体的名称.先来看一个最简单例子: def f(x): return x**2 print f(4) Python中使用lambda的话,写成这样 g = l ...

  2. python 内置函数 map filter reduce lambda

    map(函数名,可遍历迭代的对象) # 列组元素全加 10 # map(需要做什么的函数,遍历迭代对象)函数 map()遍历序列得到一个列表,列表的序号和个数和原来一样 l = [2,3,4,5,6, ...

  3. 高阶函数-map/filter/reduce

    什么样的函数叫高阶函数: 条件:1.函数接受函数作为参数 2.函数的返回值中包含函数 高阶函数之----map函数 map(func, *iterables) --> map objectnum ...

  4. python的高阶函数(map,filter,sorted,reduce)

    高阶函数 关注公众号"轻松学编程"了解更多. 1.MapReduce MapReduce主要应用于分布式中. 大数据实际上是在15年下半年开始火起来的. 分布式思想:将一个连续的字 ...

  5. 高阶函数map(),filter(),reduce()

    接受函数作为参数,或者把函数作为结果返回的函数是高阶函数,官方叫做 Higher-order functions. map()和filter()是内置函数.在python3中,reduce()已不再是 ...

  6. Python——高阶函数——map filter zip

    一.map函数 1.作用:它接收一个函数 f 和一个 list,并通过把函数 f 依次作用在 list 的每个元素上,得到一个新的 list 并返回. 2.实例 def f(x): return x* ...

  7. Python---高级函数map, filter, zip, enumerate等的用法

    今天看自然语言处理这本书的时候,被这里的高级函数的概念吸引了,因为我觉得所有的函数都只是函数而已,是为了实现特定功能而实现的,不应该有高级,低级之分啊!不过了解之后,发现这几个函数确实是有点高级,非常 ...

  8. python之内置函数:map ,filter ,reduce总结

    map函数: #处理序列中的每个元素,得到的结果是一个'列表',该列表元素个数及位置与原来一样 filter函数: #遍历序列中的每个元素,判断每个元素得到一个布尔值,如果是true,则留下来 peo ...

  9. Python3基础笔记--函数

    一.函数 定义: 函数是指将一组语句的集合通过一个名字(函数名)封装起来,要想执行这个函数,只需调用其函数名即可     特性: 1)代码重用 2)保持一致性 3)可扩展性 参考博客: Py西游攻关之 ...

随机推荐

  1. 如何录制Chrome或者Linux下的应用

    说明: PortMapping的这种用法其实早就有了,开始我一直没注意到这点,后面才发现了这个功能,特别在<性能测试进阶指南Loadrunner11实战>第二版中更新. 不是所有的对象都能 ...

  2. Android实时取景:用SurfaceView实现

    对于基于摄像头的Android应用,实时取景是一个基本前提,通过前置或后置摄像头持续获取捕获到的内容,可以进一步做处理(人脸检测.美颜.滤镜等). 所谓实时取景,简单说就是调用android的摄像头, ...

  3. Update openssh7.9 on centos6

    一.制作RPM安装包1)依赖安装yum install rpm-build gcc make wget openssl-devel krb5-devel pam-devel libX11-devel ...

  4. android app使用微信登录接口回调没有被执行的问题研究

    本人开发的一个app使用了sharesdk集成微信登录功能,在测试的过程中微信授权登录界面有调用,但是授权后原应用的回调没有被执行 应用的包名是com.kimi.searcher 首先,确认微信点击授 ...

  5. 浏览器LocalStroage使用

    http://www.cnblogs.com/st-leslie/p/5617130.html

  6. Scala学习教程笔记三之函数式编程、集合操作、模式匹配、类型参数、隐式转换、Actor、

    1:Scala和Java的对比: 1.1:Scala中的函数是Java中完全没有的概念.因为Java是完全面向对象的编程语言,没有任何面向过程编程语言的特性,因此Java中的一等公民是类和对象,而且只 ...

  7. Evaluation map and reflexive space

    For a normed space \(X\), an isometric isomorphism can be defined from \(X\) to its second dual spac ...

  8. nginx的with-http_sub_module模块使用之替换字符串

    一.介绍 该ngx_http_sub_module模块是一个过滤器,通过将一个指定的字符串替换为另一个字符串来修改响应.该模块不是默认生成的,它应该使用--with-http_sub_module 配 ...

  9. Codeforces 822E Liar dp + SA (看题解)

    Liar 刚开始感觉只要开个dp[ i ][ j ][ 0 / 1 ]表示处理了s的前 i 个用了 k 段, i 是否是最后一段的最后一个字符 的 t串最长匹配长度, 然后wa24, 就gg了.感觉这 ...

  10. Mysql 锁库与锁表

    一.全局锁表 1.FLUSH TABLES WITH READ LOCK 这个命令是全局读锁定,执行了命令之后所有库所有表都被锁定只读.一般都是用在数据库联机备份,这个时候数据库的写操作将被阻塞,读操 ...