Is there a way to quickly repeat a function (and generate a tuple) in Python 2?
I'm hoping the syntax looks something like:
x, y = repeat(fxn, 2)
where fxn
takes no arguments and 2
is the length of the output tuple.
Is there a way to quickly repeat a function (and generate a tuple) in Python 2?
I'm hoping the syntax looks something like:
x, y = repeat(fxn, 2)
where fxn
takes no arguments and 2
is the length of the output tuple.
Recursion approach
If you insist you really want a repeat
function which repeatedly invokes a function at a given number of times and returns a tuple of all return values from all calls, you may probably write in a recursion:
x, y = repeat(fxn, 2) #repeat fxn 2 times, accumulate the return tuples
So
def repeat(f,n):
ret, n = (f(),), n-1
if n>0:
ret = ret + (repeat(f,n))
return ret
To test if it works
Given you define a test function:
def F():
return 'foo'
Test the repeat
a = repeat(F,1) # a <-- 'foo'
a, b = repeat(F,2) # a = 'foo', b = 'foo'
a, b, c, d, e = repeat(F,5) # returns tuples of ('foo','foo','foo','foo','foo') correctly
Bingo!
You can use generator expressions: