在函数定义时,位于*parameter或单独一个星号*之后的所有参数都只能以关键参数的形式进行传值,不接收其他任何形式的传值。
>>> def demo(a, b, *, c):#参数c必须以关键参数进行传值
print(a+b+c)
>>> demo(1, 2, c=3) #正确
6
>>> demo(1, 2, 3) #错误,引发异常
TypeError: demo() takes 2 positional arguments but 3 were given
>>> def demo(a, b, *p, c):#参数c必须以关键参数进行传值
print(a+b+c+sum(p))
>>> demo(1, 2, 3, 4, c=5) #正确
15
>>> demo(1, 2, 3, 4, 5) #错误,引发异常
TypeError: demo() missing 1 required keyword-only argument: 'c'
另外如果用help()函数查看sum()函数的帮助文档时,会发现sum()函数的最后一个参数是斜线,实际上这个斜线并不是sum()函数的参数,只是用来表明这个函数只接收位置参数,而不允许以关键参数的形式进行传值,如果遇到其他函数或对象方法显示这样的帮助文档也表示同样的含义。这样的函数是用C开发的,并对参数传值形式做的要求,在Python中并不允许定义这样的函数。感谢浙江温州永嘉县教师发展中心应根球老师提供的参考资料。这涉及到“Argument Clinic”的概念,感兴趣的朋友可以查阅有关资料。
>>> help(sum) #查看sum()函数的帮助
Help on built-in function sum in module builtins:
sum(iterable, start=0, /)
Return the sum of a 'start' value (default: 0) plus an iterable of numbers
When the iterable is empty, return the start value.
This function is intended specifically for use with numeric values and may
reject non-numeric types.
>>> sum([1, 2, 3], 4) #按位置参数对start进行传值
10
>>> sum([1, 2, 3], start=4)#不允许使用关键参数,引发异常
TypeError: sum() takes no keyword arguments
>>> def demo(a, b, /): #在Python中不允许这样定义函数
SyntaxError: invalid syntax