https://www.liaoxuefeng.com/wiki/0014316089557264a6b348958f449949df42a6d3a2e542c000/00143167832686474803d3d2b7d4d6499cfd093dc47efcd0001.函数 Python内置了很多有用的函数,我们可以直接调用。 要调用一个函数,需要知道函数的名称和参数 https://docs.python.org/3/library/functions.html Built-in Functions(内置函数) abs() dict() help() min() setattr() all() dir() hex() next() slice() any() divmod() id() object() sorted() ascii() enumerate() input() oct() staticmethod() bin() eval() int() open() str() bool() exec() isinstance() ord() sum() bytearray() filter() issubclass() pow() super() bytes() float() iter() print() tuple() callable() format() len() property() type() chr() frozenset() list() range() vars() classmethod() getattr() locals() repr() zip() compile() globals() map() reversed() __import__() complex() hasattr() max() round() delattr() hash() memoryview() set()2.定义函数 1)定义一个函数要使用def语句,依次写出函数名、括号、括号中的参数和冒号:, 然后,在缩进块中编写函数体,函数的返回值用return语句返回 def my_abs(x): if x >= 0: return x else: return -x 2) 返回值 函数体内部的语句在执行时,一旦执行到return时,函数就执行完毕,并将结果返回。 因此,函数内部通过条件判断和循环可以实现非常复杂的逻辑。 如果没有return语句,函数执行完毕后也会返回结果,只是结果为None。 return None可以简写为return。 3.空函数 1)如果想定义一个什么事也不做的空函数,可以用pass语句: def nop(): pass 2)pass语句什么都不做,那有什么用?实际上pass可以用来作为占位符, 比如现在还没想好怎么写函数的代码,就可以先放一个pass,让代码能运行起来。 缺少了pass,代码运行就会有语法错误。 4.参数检查 1)调用函数时,如果参数个数不对,Python解释器会自动检查出来,并抛出TypeError: >>> my_abs(1, 2) Traceback (most recent call last): File "<stdin>", line 1, in <module> TypeError: my_abs() takes 1 positional argument but 2 were given 2)但是如果参数类型不对,Python解释器就无法帮我们检查。试试my_abs和内置函数abs的差别: >>> my_abs(‘A‘) Traceback (most recent call last): File "<stdin>", line 1, in <module> File "<stdin>", line 2, in my_abs TypeError: unorderable types: str() >= int() >>> abs(‘A‘) Traceback (most recent call last): File "<stdin>", line 1, in <module> TypeError: bad operand type for abs(): ‘str‘ 3)当传入了不恰当的参数时,内置函数abs会检查出参数错误,而我们定义的my_abs没有参数检查, 会导致if语句出错,出错信息和abs不一样。所以,这个函数定义不够完善。 def my_abs(x): if not isinstance(x, (int, float)): raise TypeError(‘bad operand type‘) if x >= 0: return x else: return -x 添加了参数检查后,如果传入错误的参数类型,函数就可以抛出一个错误: >>> my_abs(‘A‘) Traceback (most recent call last): File "<stdin>", line 1, in <module> File "<stdin>", line 3, in my_abs TypeError: bad operand type 5.返回多个值 import math def move(x, y, step, angle=0): nx = x + step * math.cos(angle) ny = y - step * math.sin(angle) return nx, ny >>> x, y = move(100, 100, 60, math.pi / 6) >>> print(x, y) 151.96152422706632 70.0 但其实这只是一种假象,Python函数返回的仍然是单一值: 原来返回值是一个tuple!但是,在语法上,返回一个tuple可以省略括号,而多个变量可以同时接收一个tuple, 按位置赋给对应的值,所以,Python的函数返回多值其实就是返回一个tuple,但写起来更方便。 6.函数的参数
时间: 2024-10-19 17:16:32