Python: Passing parameters by name along with kwargs

后端 未结 3 1803
傲寒
傲寒 2020-12-28 13:38

In python we can do this:

def myFun1(one = \'1\', two = \'2\'):
    ...

Then we can call the function and pass the arguments by their name:

3条回答
  •  旧时难觅i
    2020-12-28 13:49

    The general idea is:

    def func(arg1, arg2, ..., kwarg1=default, kwarg2=default, ..., *args, **kwargs):
        ...
    

    You can use as many of those as you want. The * and ** will 'soak up' any remaining values not otherwise accounted for.

    Positional arguments (provided without defaults) can't be given by keyword, and non-default arguments can't follow default arguments.

    Note Python 3 also adds the ability to specify keyword-only arguments by having them after *:

    def func(arg1, arg2, *args, kwonlyarg=default):
        ...
    

    You can also use * alone (def func(a1, a2, *, kw=d):) which means that no arguments are captured, but anything after is keyword-only.

    So, if you are in 3.x, you could produce the behaviour you want with:

    def myFun3(*, name, lname, **other_info):
        ...
    

    Which would allow calling with name and lname as keyword-only.

    Note this is an unusual interface, which may be annoying to the user - I would only use it in very specific use cases.

    In 2.x, you would need to manually make this by parsing **kwargs.

提交回复
热议问题