Dec-22-2023, 03:04 PM
(This post was last modified: Dec-22-2023, 08:59 PM by mikisDeWitte.)
Hello python experts!
I'm working on a function ("salary_or_name_builder" in the example) that routes my input parameters to multiple functions.
Ideally, (for decoupling purposes) that function lets another function decide the scenario and use that scenario to simply execute the function.
The issue is that my two functions salary_func & age_func take a different number of arguments.
I know I can modify salary_func so that it gets a third parameter that it doesn't use, but that sounds sloppy.
Does anyone have a tip to handle this "gracefully"?
Is this the most graceful solution?
I was also thinking of using *args & **kwargs, but I find that syntax bad for readibility. I know what my functions need and I don't want to "mask" that
Thanks for any suggestion!
Mikis
I'm working on a function ("salary_or_name_builder" in the example) that routes my input parameters to multiple functions.
Ideally, (for decoupling purposes) that function lets another function decide the scenario and use that scenario to simply execute the function.
The issue is that my two functions salary_func & age_func take a different number of arguments.
I know I can modify salary_func so that it gets a third parameter that it doesn't use, but that sounds sloppy.
Does anyone have a tip to handle this "gracefully"?
from typing import Union def salary_func(base_salary: int, yearly_bonus: int) -> None: print(f"you're expected to make {12*base_salary + yearly_bonus} / year") def age_func(year:int, month:int, day:int) -> None: print(f"you were born on {day}-{month}-{year}") def determine_scenario(param: Union[int, None]) -> str: if param is None: return salary_func else: return age_func def salary_or_name_builder(param1: int, param2: int, param3: Union[int, None] = None) -> None: call = determine_scenario(param3) call(param1, param2, param3) salary_or_name_builder(2000, 1, 1) # works OK! salary_or_name_builder(2800, 10000) # salary_func() takes 2 positional arguments but 3 were givenMy best effort so far was modifying my salary_or_name_builder with functools.partial like this
from functools import partial ... def salary_or_name_builder(param1: int, param2: int, param3: Union[int, None] = None) -> None: call = determine_scenario(param3) if getattr(call, '__name__', repr(callable)) == "age_func": call = partial(call, day=param3) call(param1, param2)But that kind of beats the purpose of the abstraction (since it needs to know all the possible inputs).
Is this the most graceful solution?
I was also thinking of using *args & **kwargs, but I find that syntax bad for readibility. I know what my functions need and I don't want to "mask" that

Thanks for any suggestion!
Mikis