Python's Functools module provides a number of useful features, one of which is the partial function (Partial functions). Note that the partial function here is not the same as the partial function in mathematical sense. When we introduce the function parameters, we can reduce the difficulty of the function call by setting the default value of the parameter. And the partial function can also do this. Examples are as follows: 
 
 
the int () function converts a string to an integer, and the int () function is converted to decimal by default when only the string is passed in: 
>>> int (' 12345 ') 
12345 
However, the Int () function also provides an additional base parameter with a default value of 10. If you pass in the base parameter, you can do an n-ary conversion: 
>>> int (' 12345 ', base=8) 
5349 
>>> int (' 12345 ', 16) 
74565 
 
 
Suppose that to convert a large number of binary strings, passing in int (x, base=2) is very troublesome, so we think that we can define a function of Int2 (), by default, base=2 is passed in: Def int2 (x, base=2):
return int (x, Base)
This makes it very convenient for us to convert the binaries:
>>> int2 (' 1000000 ')
64
>>> int2 (' 1010101 ')
85
 
 
Functools.partial is to help us create a partial function, we do not need to define INT2 (), you can create a new function directly using the following code Int2:
>>> Import Functools
>>> Int2 = functools.partial (int, base=2)
>>> int2 (' 1000000 ')
64
>>> int2 (' 1010101 ')
85
So, a simple summary of Functools.partial's role is to put some of the parameters of a function to the fixed (that is, set the default value), return a new function, call this new function is simpler.
 
 
Notice the new Int2 function above, simply to reset the base parameter to the default value of 2, but you can also pass in other values when the function is called:
 
>>> int2 (' 1000000 ', base=10)
1000000
Finally, when you create a partial function, you can actually receive the 3 parameters of the function object, *args, and **kw when you pass in:
Int2 = functools.partial (int, base=2)
Actually fixed the keyword parameter base for the int () function, which is:
Int2 (' 10010 ')
Equivalent:
KW = {Base:2}
Int (' 10010 ', **kw)
 
When incoming:
Max2 = Functools.partial (max, 10)
In fact, the 10 is automatically added to the left as part of the *args, which is:
MAX2 (5, 6, 7)
Equivalent:
args = (10, 5, 6, 7)
Max (*args)
The result is 10.