• Python学习二(函数)


    1.def

            在Python中,定义一个函数需要使用 def 语句,def 后写出函数名括号参数冒号:,然后在缩进块中编写函数体,函数返回值用return语句返回

    1. #def
    2. def test_func(data):
    3. if(data):
    4. print(data)
    5. else:
    6. print('NULL')
    7. test_func('hello')
    8. test_func(0)
    9. 结果:
    10. hello
    11. NULL

    2.pass

            pass是一个空指令,当定义了一个函数,但是又没有想好要写什么内容,可以在函数中直接写pass,让整个代码先跑起来。在一些判断语句中pass也同样适用。

    1. #函数
    2. def test_func2(data):
    3. pass
    4. #判断
    5. if data > 0:
    6. pass

    3.isinstance

            isinstance的意思是“判断类型”,是一个内置函数,用于判断一个对象是否是一个已知的类型。返回结果为Bool类型。

    1. def test_func(data):
    2. if not isinstance(data,(int,float)):
    3. print("false type")
    4. test_func('hello')
    5. 结果:false type

    4.raise

            很多时候需要在程序中添加异常报警。比如对类型判断的时候,如果类型出错,只是打印一句LOG是非常不明显的。此时就可以使用raise语句来抛出异常

    1. def test_func(data):
    2. if not isinstance(data,(int,float)):
    3. raise TypeError('false type')
    4. test_func('hello')
    5. 结果:
    6. Traceback (most recent call last):
    7. File "d:/python/test_project/test.py", line 21, in
    8. test_func('hello')
    9. File "d:/python/test_project/test.py", line 9, in test_func
    10. raise TypeError('false type')
    11. TypeError: false type

            这里TypeError是系统内置的异常类型,还有其他很多的类型,可以根据需求自己选择。

    1. class SystemError(_StandardError): ...
    2. class TypeError(_StandardError): ...
    3. class ValueError(_StandardError): ...
    4. class FloatingPointError(ArithmeticError): ...
    5. class OverflowError(ArithmeticError): ...
    6. class ZeroDivisionError(ArithmeticError): ...
    7. class ModuleNotFoundError(ImportError): ...
    8. class IndexError(LookupError): ...
    9. class KeyError(LookupError): ...
    10. class UnboundLocalError(NameError): ...
    11. class BlockingIOError(OSError):
    12. characters_written: int
    13. class ChildProcessError(OSError): ...
    14. class ConnectionError(OSError): ...
    15. class BrokenPipeError(ConnectionError): ...
    16. class ConnectionAbortedError(ConnectionError): ...
    17. class ConnectionRefusedError(ConnectionError): ...
    18. class ConnectionResetError(ConnectionError): ...
    19. class FileExistsError(OSError): ...
    20. class FileNotFoundError(OSError): ...
    21. class InterruptedError(OSError): ...
    22. class IsADirectoryError(OSError): ...
    23. class NotADirectoryError(OSError): ...
    24. class PermissionError(OSError): ...
    25. class ProcessLookupError(OSError): ...
    26. class TimeoutError(OSError): ...
    27. class NotImplementedError(RuntimeError): ...
    28. class RecursionError(RuntimeError): ...
    29. class IndentationError(SyntaxError): ...
    30. class TabError(IndentationError): ...
    31. class UnicodeError(ValueError): ...

            当然,也可以不设置异常类型

    1. def test_func(data):
    2. if not isinstance(data,(int,float)):
    3. raise
    4. test_func('hello')
    5. 结果:
    6. Traceback (most recent call last):
    7. File "d:/python/test_project/test.py", line 22, in
    8. test_func('hello')
    9. File "d:/python/test_project/test.py", line 10, in test_func
    10. raise
    11. RuntimeError: No active exception to reraise

    5.可变参数

            如果有一个函数可能会传入多个参数,但是又不确定参数的个数是多少,此时就可以使用可变参数。可变参数允许传入的参数个数为0个

    1. def test_func(*data):
    2. for n in data:
    3. print(n)
    4. test_func('hello','world',"this","is")
    5. 结果:
    6. hello
    7. world
    8. this
    9. is

    如果此时有一个list或tuple需要传入函数中,也可以使用可变参数来实现。

    1. def test_func(*data):
    2. for n in data:
    3. print(n)
    4. temp = ['this','is','a','test']
    5. test_func(*temp)
    6. 结果:
    7. this
    8. is
    9. a
    10. test

    6.关键字参数

            关键字参数允许传入0个任意个含参数名的参数,这些关键字参数在函数内部自动组装成一个dict

    1. def personal_inf(**inf):
    2. print(inf)
    3. personal_inf(name = 'json', age=18)
    4. 结果:
    5. {'name': 'json', 'age': 18}

    7.命名关键字参数

            对于关键字参数,函数调用者可以传入任意个数的关键字参数,对于需要的参数,可以在函数中自行判断。例如

    1. def personal_inf(**inf):
    2. if 'name' in inf:
    3. print('name is %s' %inf['name'])
    4. if 'age' in inf:
    5. print('age is %s' %inf['age'])
    6. personal_inf(age=18,city='beijing')
    7. 结果:
    8. age is 18

            如果需要对参数的关键字进行限制的话,就需要用到命名关键字参数。命名关键字参数需要一个特殊分割符 ‘ * ’ ,' * ' 后面的参数被视为命名关键字参数

    1. def personal_inf(*,name,age):
    2. print(name,age)
    3. personal_inf(name='json',age=18)
    4. 结果:
    5. json 18

            如果此时输入的参数不是需要的参数的话。

    1. def personal_inf(*,name,age):
    2. print(name,age)
    3. personal_inf(name='json',age=18,city='beijing')

            编译就会报错

    1. Traceback (most recent call last):
    2. File "d:/python/test_project/test.py", line 18, in <module>
    3. personal_inf(name='json',age=18,city='beijing')
    4. TypeError: personal_inf() got an unexpected keyword argument 'city'

    8.map

            map()函数接收两个参数,一个是函数,一个是Iterator,Iterator是惰性序列,因此通过List()函数让他把整个序列都计算出来并返回一个list

    1. def t_lower(a):
    2. return a.lower()
    3. tl = {'HELLO','WORLD',"THIS","IS"}
    4. tl2 = list(map(t_lower,['HELLO','WORLD',"THIS","IS"])) #将所有元素通过t_lower函数转为小写,并最终通过list()函数转换为list
    5. print(tl2)
    6. 结果:
    7. ['hello', 'world', 'this', 'is']

    9.reduce

            reduce()函数接收两个参数,一个是函数,一个是序列。reduce把结果继续和下一个元素做累积计算

    1. def t_sum(a, b):
    2. return a+b
    3. tl = {1,2,3,4,5,6,7,8,9,10}
    4. print(reduce(t_sum,tl)) #计算累加和
    5. 结果:
    6. 55

    10.filter

            filter是一个内建的函数,用于过滤序列。接收两个参数,一个函数,一个序列filter()把传入的函数一次作用于每个元素,然后根据返回值是True还是False决定保留还是丢弃该元素。注意,filter()函数返回的是一个Iterator惰性序列,所以要用list函数获取所有结果并返回list

            strip方法

            strip方法用于移除字符串头、尾指定的字符(默认是空格或换行符)或字符序列。

            注意:该方法只能删除开头或结尾的字符不能删除中间部分的字符

    1. tl2 = "000012345678900000"
    2. print(tl2.strip('0')) #过滤头和尾的0
    3. 结果:
    4. 123456789

            strip能过滤字符串,当然也能过滤List中的元素字符串,比如可以过滤List中的空元素

    1. def filter_empty(a):
    2. return a and a.strip() #默认过滤空
    3. tl = ['',None,'a','b','','c',None,'d']
    4. print(list(filter(filter_empty,tl)))
    5. 结果:
    6. ['a', 'b', 'c', 'd']

    11.sorted

            sorted是一个自动排序的函数,该函数是一个高阶函数,可以接受一个Key函数来实现自定义的排序

    1. tl = [10,8,6,4,2,1,3,5,7,9] #排序
    2. print(sorted(tl))
    3. 结果:
    4. [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
    5. def t_square(a):
    6. return a*a
    7. tl = [-10,8,-6,4,-2,1,-3,5,-7,9]
    8. print(sorted(tl,key=t_square)) #对比元素的平方后进行排序
    9. 结果:
    10. [1, -2, -3, 4, 5, -6, -7, 8, 9, -10]

    12.hasattr

            该函数用于判断某个对象中,是否存在指定的属性名存在返回True否则,返回False

            第一个参数:对象

            第二个参数:属性名

    1. class human:
    2. def __init__(self) -> None:#初始化
    3. self.name = 'xiaoming'
    4. self.age = 18
    5. self.city = 'shanghai'
    6. print(hasattr(p,'name'))
    7. print(hasattr(p,'age'))
    8. print(hasattr(p,'gender'))
    9. 结果:
    10. True
    11. True
    12. False

    13.getattr

            返回对象对应的属性(第二个参数指定的属性),当只有两个参数时,若不存在,则报错三个参数时,若不存在,则返回第三个参数设置的默认值

            第一个参数:对象

            第二个参数:属性

            第三个参数:报错值

    1. class human:
    2. def __init__(self) -> None:#初始化
    3. self.name = 'xiaoming'
    4. self.age = 18
    5. self.city = 'shanghai'
    6. print(getattr(p,'name'))
    7. print(getattr(p,'gender'))
    8. print(getattr(p,'gender',-2))
    9. 结果:
    10. xiaoming
    11. Traceback (most recent call last): #只有两个参数,报错
    12. File "d:/python/test_project/test.py", line 78, in <module>
    13. print(getattr(p,'gender')) #实例
    14. AttributeError: 'human' object has no attribute 'gender'
    15. -2 #有三个参数,返回第三个参数的值

    14.setattr

            设置对象的指定属性内容。如果当前设置的属性不存在,则创建该属性。

            第一个参数:对象

            第二个参数:属性名

            第三个参数:属性值

    1. class human:
    2. def __init__(self) -> None:#初始化
    3. self.name = 'xiaoming'
    4. self.age = 18
    5. self.city = 'shanghai'
    6. print(getattr(p,'name'))
    7. setattr(p,'name','lisa') #修改属性值
    8. print(getattr(p,'name'))
    9. print(getattr(p,'gender',-1)) #获取不存在的属性
    10. setattr(p,'gender','boy') #该属性不存在,则创建属性
    11. print(p.gender)
    12. 结果:
    13. xiaoming
    14. lisa
    15. -1
    16. boy

    15.delattr

            删除属性,如果没有该属性,则直接报错

    1. class human:
    2. def __init__(self) -> None:#初始化
    3. self.name = 'xiaoming'
    4. self.age = 18
    5. self.city = 'shanghai'
    6. print(getattr(p,'name'))
    7. delattr(p,'name') #删除属性
    8. print(getattr(p,'name',-1))
    9. 结果:
    10. xiaoming
    11. -1

    16.动态操作属性

            可以通过用户输入的方式来实现动态添加属性。

    1. class human:
    2. def __init__(self) -> None:#初始化
    3. self.name = 'xiaoming'
    4. self.age = 18
    5. self.city = 'shanghai'
    6. p = human() #实例
    7. attr = input('请输入要添加的属性名:')
    8. attr_value = input('请输入要添加的属性值:')
    9. setattr(p,attr,attr_value) #添加属性
    10. print('您添加的属性名为:%s,属性值为:%s' %(attr,getattr(p,attr,-1)))
    11. 结果:
    12. 请输入要添加的属性名:height
    13. 请输入要添加的属性值:180
    14. 您添加的属性名为:height,属性值为:180

  • 相关阅读:
    KVM报错:Unable to connect to libvirt qemu:///system. 确定 ‘libvirtd’ 守护进程正在运行。
    【Spring】IOC底层原理
    Vue项目下页面自适应pc端不同分辨率自适应
    [Python] OSError: [E050] Can‘t find model ‘en_core_web_sm‘.
    解析:hyperf 官方骨架包的 Dockerfile
    Java面向对象(二)
    javascript
    通过R语言且只用基础package来制作一个小游戏
    Web应用安全威胁与防护措施
    Linux知识复习第2期
  • 原文地址:https://blog.csdn.net/qq_26226375/article/details/125993164