How do Python methods handle arbitrary parameters?
I will use the range
function as the main example in this question.
I use range
a lot to generate a list of numbers. However, I use it often with different parameters, specifically a different NUMBER of parameters. It makes me wonder how range
easily handles different numbers of parameters and assigns them to their respective value (if they represent the highest value, or the smallest value, or the interval between values). How does range
do this? Does it use if
statements to handle each scenario, or is there a more efficient way?
Asked by: Aida556 | Posted: 30-11-2021
Answer 1
At a higher level Python lets you define your functions as:
def foo(*args, **kwargs)
This form of abstract definition enables any number of arguments. The implementation then is the developer's choice. The range function prototype is:
range(start, stop[, step])
to mean start and stop are expected and step is optional. However, the implementation of this allows for an alternate prototype
range(stop)
where start defaults to 0 and step defaults to 1. The only thing that makes range look like an overloaded function is its ability to accept an implicit 0 value for start although it is the first argument.
Answered by: Leonardo756 | Posted: 01-01-2022Answer 2
There are 2 ways to handle a variable number of arguments, you can provide default parameters:
Note: range is not implement this way but is just here for illustration:
def my_range(start=0, stop=None, step=1):
if stop == None:
start, stop = 0, start
while start < stop:
yield start
start += step
Now you can call this:
list(my_range(10)) # 0..9
list(my_range(2, 10)) # 2..9
list(my_range(10, step=2)) # 0,2,4,6,8
The other way is to use *
for unnamed args and **
for keyword args, the above implemented with *args
and **kwargs
is a lot messier.
def my_range(*args, **kwargs):
d = {'start':0, 'stop':None, 'step':1}
for arg, v in zip(('start', 'stop', 'step'), args):
d[arg] = v
d.update(kwargs)
start, stop, step = (d[arg] for arg in ('start', 'stop', 'step'))
if stop == None:
start, stop = 0, start
while start < stop:
yield start
start += step
Obviously the former is much easier to implement, and the latter is usually reserved for special cases and would not be used to implement the above.
Answered by: David582 | Posted: 01-01-2022Answer 3
Python functions allow a variable number of arguments, either with default argument values:
def range(start, stop=None, step=None):
if stop is None:
start = 0
stop = start
if step is None:
step = 1
while (step > 0 and start < stop) or (step < 0 and start > stop):
yield start
start += step
(This is not a complete implementation of all the semantics of range). Alternatively, use *args
and **kwargs
:
def range(*args, **kwargs):
if len(args) == 1:
start = 0
stop = args[0]
step = 1
elif len(args) == 2:
start, stop = args
step = 1
elif len(args) == 3:
start, stop, step = args
if 'start' in kwargs:
start = kwargs['start']
if 'stop' in kwargs:
stop = kwargs['stop']
if 'step' in kwargs:
step = kwargs['step']
while (step > 0 and start < stop) or (step < 0 and start > stop):
yield start
start += step
Note that the standard library range
does not accept any keyword arguments, thereby greatly simplifying its implementation.
Similar questions
python - Django: Arbitrary number of unnamed urls.py parameters
I have a Django model with a large number of fields and 20000+ table rows. To facilitate human readable URLs and the ability to break down the large list into arbitrary sublists, I would like to have a URL that looks like this:
/browse/<name1>/<value1>/<name2>/<value2>/ .... etc ....
where 'name' maps to a model attribute and 'value' is the search criteria for that...
python - How do I call a function with arbitrary parameters from another function?
I'd like to know how I would go about doing something like this (in python 2):
def myFunction(fn, params):
return ("You called " + fn.__name__ + "(" + str(params) ")" +
" and got " + str(fn(params)))
Say I have a couple functions:
def doSomething(s):
# manipulation
return s
def doAnotherThing(someInt, someOtherInt, someString):
# do something with ...
curve fitting - Creating a python lmfit Model with arbitrary number of parameters
Is there a way to construct a an lmfit Model based on a function with an arbitrary number of dependent variables? For example:
from lmfit import Model
def my_poly(x, *params):
func = 0
for i in range(len(params)):
func+= params[i]*z**i
return func
#note: below does not work
my_model = Model(my_poly, independent_vars = ['x'], param_names = ['A','B','C'])
Something similar to th...
python - Allowing for an arbitrary number of parameters in a function?
This question already has answers here:
python - Fit an arbitrary number of parameters when calling curve_fit
Closest I found to this question was here: Fitting only one parameter of a function with many parameters in python. I have a multi-parameter function that I want to be able to call with a different subset of parameters being optimised in different parts of the code (useful because for some data...
scipy - Python: Finding number of fitting parameters for arbitrary curve
Is there a way to return the number of arguments an arbitrary function has which is defined in some other file? I have tried using the Signature class in inspect as follows:
from foo import func1, func2, func3
from inspect import signature
from scipy.optimize import curve_fit
func_list = [ func1, func2, func3 ]
n, bins, patches = hist( array )
for f in func_list:
sig = signature(f)
args = sig.par...
python - How to write a wrapper to fix arbitrary parameters of the jacobian of a function
This is an extension of a previous stack-exchange question I posted. link
Context:
My goal is to fit data to a function f(t, *p) using the scipy.optimize.curve_fit function. I happen to know some parameters pfix = {p_j, ..., p_k} a...
python - How to create a function with arbitrary parameters based on an arbitrary string
My end goal is: I want to create a set of truth tables, where each truth table corresponds to an arbitrarily defined boolean expression, which is originally stored as a string (like: "(var_1 and not var_2) or var_3" ). The string could have any number of operators.
This is easily achievable if I have a particular boolean expression in mind:
def evaluator(var_1,var_2,var_3):
return (var_1 and no...
python - How to allow any arbitrary query parameters using FastAPI and Swagger?
Note: This question is different from the one here, in that I need it to work with Swagger.
Given a FastAPI GET endpoint, I want to allow any arbitrary set of URL parameters, while maintaining Swagger support.
My use case is that I want to support a JSON API-like set of query parameters s...
Python function that counts negative integers using arbitrary number of parameters
Python newbie here, I need help with working with function with arbitrary number of parameters.
I want to implement a function that can take an arbitrary number of parameters, and counts negative integers. I want to try the negative_counter function on the following list of numbers 4,-3,5,6,-7
See my attempt (not sure what I am doing wrong)
def negative_counter(*args):...
python - Django: Arbitrary number of unnamed urls.py parameters
I have a Django model with a large number of fields and 20000+ table rows. To facilitate human readable URLs and the ability to break down the large list into arbitrary sublists, I would like to have a URL that looks like this:
/browse/<name1>/<value1>/<name2>/<value2>/ .... etc ....
where 'name' maps to a model attribute and 'value' is the search criteria for that...
python - variables as parameters in field options
I want to create a model, that will set editable=False on creation, and editable=True on editing item. I thought it should be something like this:
home = models.ForeignKey(Team, editable=lambda self: True if self.id else False)
But it doesn't work. Maybe something with overriding the init can help me, but i don't sure what can do the trick. I know i can check for self.id...
c# - How to analyse .exe parameters inside the program?
I have a program that can have a lot of parameters (we have over +30 differents options).
Example:
myProgram.exe -t alpha 1 -prod 1 2 -sleep 200
This is 3 Commands (from command pattern object at the end) that each contain some parameters. Inside the code we parse all command (start with -) and get a list of string (split all space) for the parameters. So in fact, we have : string-->Collection ...
python - Default parameters to actions with Django
Is there a way to have a default parameter passed to a action in the case where the regex didnt match anything using django?
urlpatterns = patterns('',(r'^test/(?P<name>.*)?$','myview.displayName'))
#myview.py
def displayName(request,name):
# write name to response or something
I have tried setting the third parameter in the urlpatterns to a dictionary containing ' and giving...
python - Loop function parameters for sanity check
I have a Python function in which I am doing some sanitisation of the input parameters:
def func(param1, param2, param3):
param1 = param1 or ''
param2 = param2 or ''
param3 = param3 or ''
This caters for the arguments being passed as None rather than empty strings. Is there an easier/more concise way to loop round the function parameters to apply such an expression to ...
python - How can I pass all the parameters to a decorator?
I tried to trace the execution of some methods using a decorator. Here is the decorator code:
def trace(func):
def ofunc(*args):
func_name = func.__name__
xargs = args
print "entering %s with args %s" % (func_name,xargs)
ret_val = func(args)
print "return value %s" % ret_val
print "exiting %s" % (func_nam...
parameters - Python Newbie: Returning Multiple Int/String Results in Python
I have a function that has several outputs, all of which "native", i.e. integers and strings. For example, let's say I have a function that analyzes a string, and finds both the number of words and the average length of a word.
In C/C++ I would use @ to pass 2 parameters to the function. In Python I'm not sure what's the right solution, because integers and strings are not passed by reference but by value (at leas...
Print out list of function parameters in Python
Is there a way to print out a function's parameter list?
For example:
def func(a, b, c):
pass
print_func_parametes(func)
Which will produce something like:
["a", "b", "c"]
python - How to create a decorator that can be used either with or without parameters?
I'd like to create a Python decorator that can be used either with parameters:
@redirect_output("somewhere.log")
def foo():
....
or without them (for instance to redirect the output to stderr by default):
@redirect_output
def foo():
....
Is that at all possible?
Note that I'm not looking for a different solution to the problem of redirectin...
python - Scope of lambda functions and their parameters?
This question already has answers here:
Still can't find your answer? Check out these communities...
PySlackers | Full Stack Python | NHS Python | Pythonist Cafe | Hacker Earth | Discord Python