Python has built in a lot of useful functions that we can call directly.
To invoke a function, you need to know the name and parameters of the function, such as a function that asks for an absolute value abs
, and only one argument. Documents can be viewed directly from the official Python website:
Http://docs.python.org/3/library/functions.html#abs
You can also help(abs)
view the abs
function's help information on the interactive command line.
Call abs
function:
>>> abs(100)100>>> abs(-20)20>>> abs(12.34)12.34
When calling a function, if the number of arguments passed in is incorrect, the error will be reported TypeError
, and Python will tell you explicitly that abs()
there are only 1 parameters, but two are given:
>>> abs(1, 2)Traceback (most recent call last): File "<stdin>", line 1, in <module>TypeError: abs() takes exactly one argument (2 given)
If the number of arguments passed in is correct, but the parameter type cannot be accepted by the function, TypeError
the error is reported, and an error message str
is given: is the wrong parameter type:
>>> abs(‘a‘)Traceback (most recent call last): File "<stdin>", line 1, in <module>TypeError: bad operand type for abs(): ‘str‘
Instead max
, the function max()
can receive any number of arguments and return the largest one:
>>> max(1, 2)2>>> max(2, 3, 1, -5)3
Data type conversions
Python's built-in common functions also include data type conversion functions, such as int()
functions that convert other data types to integers:
>>> int(‘123‘)123>>> int(12.34)12>>> float(‘12.34‘)12.34>>> str(1.23)‘1.23‘>>> str(100)‘100‘>>> bool(1)True>>> bool(‘‘)False
The function name is actually a reference to a function object, and it is possible to assign a function name to a variable, which is equivalent to giving the function an "alias":
>>> a = abs # 变量a指向abs函数>>> a(-1) # 所以也可以通过a调用abs函数1
Python's Calling function