Previously I've used Signature.bind(argument_dict) to turn argument dictionary into BoundArguments object that has .args and .kwargs that can be passed to a function.
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)
But this does not seem to be possible when the function has positional-only parameters.
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
How do I programmatically call the function in this case?
Is these a native way to construct BoundArguments from an argument dictionary?