可以在不提供默认值的情况下使用关键字参数吗?
Can you have keyword arguments without supplying a default value?
我已经习惯了 function/method 中这样的定义 Python:
def my_function(arg1=None , arg2='default'):
... do stuff here
如果我不提供arg1
(或arg2
),则分配默认值None
(或'default'
)。
我可以像这样指定关键字参数,但没有默认值吗?如果未提供参数,我希望它会引发错误。
你可以在现代Python(3,即):
>>> def func(*, name1, name2):
... print(name1, name2)
...
>>> func()
Traceback (most recent call last):
File "<ipython-input-5-08a2da4138f6>", line 1, in <module>
func()
TypeError: func() missing 2 required keyword-only arguments: 'name1' and 'name2'
>>> func("Fred", "Bob")
Traceback (most recent call last):
File "<ipython-input-7-14386ea74437>", line 1, in <module>
func("Fred", "Bob")
TypeError: func() takes 0 positional arguments but 2 were given
>>> func(name1="Fred", name2="Bob")
Fred Bob
任何参数都可以作为关键字表达式给出,无论它是否具有默认值:
def foo(a, b):
return a - b
foo(2, 1) # Returns 1
foo(a=2, b=1) # Returns 1
foo(b=2, a=1) # Returns -1
foo() # Raises an error
如果您想将参数强制为关键字-仅,请参阅 DSM 的答案,但这似乎不是您真正要问的。
我已经习惯了 function/method 中这样的定义 Python:
def my_function(arg1=None , arg2='default'):
... do stuff here
如果我不提供arg1
(或arg2
),则分配默认值None
(或'default'
)。
我可以像这样指定关键字参数,但没有默认值吗?如果未提供参数,我希望它会引发错误。
你可以在现代Python(3,即):
>>> def func(*, name1, name2):
... print(name1, name2)
...
>>> func()
Traceback (most recent call last):
File "<ipython-input-5-08a2da4138f6>", line 1, in <module>
func()
TypeError: func() missing 2 required keyword-only arguments: 'name1' and 'name2'
>>> func("Fred", "Bob")
Traceback (most recent call last):
File "<ipython-input-7-14386ea74437>", line 1, in <module>
func("Fred", "Bob")
TypeError: func() takes 0 positional arguments but 2 were given
>>> func(name1="Fred", name2="Bob")
Fred Bob
任何参数都可以作为关键字表达式给出,无论它是否具有默认值:
def foo(a, b):
return a - b
foo(2, 1) # Returns 1
foo(a=2, b=1) # Returns 1
foo(b=2, a=1) # Returns -1
foo() # Raises an error
如果您想将参数强制为关键字-仅,请参阅 DSM 的答案,但这似乎不是您真正要问的。