2

以前我曾经Signature.bind(argument_dict)将参数字典转换为BoundArguments具有.args并且.kwargs可以传递给函数的对象。

def foo(a: str, b: str, c: str): ...
    
argument_dict= {"a": "A", "c": "C", "b": "B"}

import inspect
sig = inspect.signature(foo)

bound_arguments = sig.bind(**argument_dict)
foo(*bound_arguments.args, **bound_arguments.kwargs)

但是当函数只有位置参数时,这似乎是不可能的。

def foo(a: str, /, b: str, *, c: str): ...
    
import inspect
sig = inspect.signature(foo)

argument_dict= {"a": "A", "b": "B", "c": "C"}
bound_arguments = sig.bind(**argument_dict) # Error: "a" is positional-only

在这种情况下,如何以编程方式调用该函数?

BoundArguments这些是从参数字典构造的本机方式吗?

4

1 回答 1

3

我只能找到这样的东西,只使用字典中的位置参数:

pos_only = [k for k, v in sig.parameters.items() if v.kind is inspect.Parameter.POSITIONAL_ONLY]
positionals = [argument_dict.pop(k) for k in pos_only]
bound_arguments = sig.bind(*positionals, **argument_dict)
于 2020-10-06T22:35:57.250 回答