Some higher-order features of Python Functions
The English name of a Higher-order function is her-order function. What is a high-level function? Let's take the actual code as an example and go into the concept step by step.
Variable can point to function
Take the abs () function built in Python for absolute value calculation as an example. To call this function, use the following code:
>>> abs(-10)10
But what if I only write abs?
>>> abs<built-in function abs>
It can be seen that abs (-10) is a function call, while abs is the function itself.
To obtain the function call result, we can assign the result to the variable:
>>> x = abs(-10)>>> x10
But what if I assign the function itself to the variable?
>>> f = abs>>> f<built-in function abs>
Conclusion: The function itself can also be assigned a value to the variable, that is, the variable can point to the function.
If a variable points to a function, can this function be called through this variable? Verify with code:
>>> f = abs>>> f(-10)10
Successful! It indicates that the variable f has now pointed to the abs function itself.
The function name is also a variable.
So what is the function name? The function name is actually a variable pointing to the function! For the abs () function, you can regard the function name abs as a variable, which points to a function that can calculate the absolute value!
What happens if abs points to another object?
>>> abs = 10>>> abs(-10)Traceback (most recent call last): File "<stdin>", line 1, in <module>TypeError: 'int' object is not callable
After pointing abs to 10, you cannot call this function through abs (-10! The abs variable does not point to the absolute value function!
Of course, the actual Code cannot be written like this. This is to show that the function name is also a variable. To restore the abs function, restart the Python interaction environment.
Note: Because the abs function is actually defined in the _ builtin _ module, to make the point of modifying the abs variable take effect in other modules, use _ builtin __. abs = 10.
Input Function
Since variables can point to functions and function parameters can receive variables, one function can receive another function as a parameter, which is called a higher-order function.
One of the simplest high-level functions:
def add(x, y, f): return f(x) + f(y)
When we call add (-5, 6, abs), parameters x, y, and f receive-5, 6, and abs respectively. According to the function definition, we can deduce the calculation process as follows:
x ==> -5y ==> 6f ==> absf(x) + f(y) ==> abs(-5) + abs(6) ==> 11
Verify with code:
>>> add(-5, 6, abs)11
Writing a high-order function allows the function parameters to receive other functions.
Summary
Passing in a function as a parameter is called a high-order function. Function programming is a highly abstract programming paradigm.