美文网首页
深入了解python函数

深入了解python函数

作者: VictorChi | 来源:发表于2018-06-04 17:14 被阅读0次

    本文旨在对于python的函数,对象之间的讨论。仅代表个人观点,有兴趣同学可以添加我的微信:cc751290507

    1 什么是函数?

    # 函数的内省 共有35个属性,
    def func(a=1):
        '''
        这是一段注释
        :param a: 输入数字
        :return: 返回1
        '''
        return 1
    
    print(len(dir(func)), dir(func))  # python中func & func() 的区别
    
    print(func.__annotations__, type(func.__annotations__))  # 参数和返回值得注解  类型:dict
     # 函数的注解 的含义是
    def clip(text: str, max_len: 'int > 0' = 80) -> str:
        return text
    '''函数声明中的各个参数可以在 : 之后增加注解表达式。如果参数有默认值,注解放在参
    数名和 = 号之间。如果想注解返回值,在 ) 和函数声明末尾的 : 之间添加 -> 和一个表达
    式。那个表达式可以是任何类型。注解中最常用的类型是类(如 str 或 int)和字符串
    (如 'int > 0')。在示例 中,max_len 参数的注解用的是字符串。
    注解不会做任何处理,只是存储在函数的 __annotations__ 属性(一个字典)中:
    
    >>> from clip_annot import clip
    >>> clip.__annotations__
    {'text': <class 'str'>, 'max_len': 'int > 0', 'return': <class 'str'>}
    
    'return' 键保存的是返回值注解,即示例中函数声明里以 -> 标记的部分。
    Python 对注解所做的唯一的事情是,把它们存储在函数的 __annotations__ 属性里。仅
    此而已,Python 不做检查、不做强制、不做验证,什么操作都不做。换句话说,注解对
    Python 解释器没有任何意义。注解只是元数据,可以供 IDE、框架和装饰器等工具使用。
    
    '''
    
    
    print(func.__call__, type(func.__call__))  # shixian () 运算符,即可调用兑现协议, 类型:method-warapper ?
    print(func.__class__, type(func.__class__))  # 继承了function类, 类型:type
    print(func.__closure__, type(func.__closure__))  # 函数闭包即自由变量的绑定,通常是None 类型:tuple
    print(func.__code__, type(func.__code__))  # 编译成字节码的函数元数据和函数定义体 类型:code 什么是code 类型?
    print(func.__defaults__, type(func.__defaults__))  # 形参默认值 类型:tuple
    print(func.__doc__, type(func.__doc__))  # 返回该函数的注释 类型:str
    print(func.__globals__, type(func.__globals__))  # 函数所在模块中的全局变量 类型:str
    print(func.__kwdefaults__, type(func.__kwdefaults__))  # 仅限关键字形式参数的默认值 类型:dict
    print(func.__name__, type(func.__name__))  # 函数名称 类型:str
    print(func.__qualname__,
          type(func.__qualname__))  # 函数的限定名称,如 Random.choice( 参阅PEP3155,https://www.python.org/dev/peps/pep-3155/) 类型:str
    
    仅限关键字参数

    什么是仅限关键字参数?
    简单来说就是python中的*arges**kwagres.
    有什么作用呢?

    • 可以传递多个参数的值.
    • 可以指定参数传递.
    • 固定的输出格式,tuple 针对于 *agres来说.

    例如:

    def func(a,*,b):
        return a,b
    print(func(1,b=6)) # (1,6) 仅限关键字参数不一定要有默认值,可以像上例中 b 那样,强制必须传入实参 只能是(1,b=?)的形式.不能传入更多的值.
    
    
    def func(a,*c,b):
        return a,c,b
    
    print(func(1,3,3,3,2,b=6)) # (1, (3, 3, 3, 2), 6)  # 关键字参数有了默认值之后可以有更多的值
    
    # 没有搞懂的属性.
    # print(func.__get__, type(func.__get__))  # 实现描述符的协议 descriptor
    # print(func.__dir__, type(func.__dir__))  # 形参默认值 类型:tuple
    # print(func.__delattr__, type(func.__delattr__))  # 形参默认值 类型:tuple
    # print(func.__dict__, type(func.__dict__))  # 字典? 类型:dict
    

    2 什么是对象?

    3什么是类?

    参考书籍流畅的python,第五章一等函数。

    相关文章

      网友评论

          本文标题:深入了解python函数

          本文链接:https://www.haomeiwen.com/subject/zgeysftx.html