Consider the following python2 code
In [5]: points = [ (1,2), (2,3)]
In [6]: min(points, key=lambda (x, y): (x*x + y*y))
Out[6]: (1, 2)
This is not supported in python3 and I have to do the following:
>>> min(points, key=lambda p: p[0]*p[0] + p[1]*p[1])
(1, 2)
This is very ugly. If the lambda was a function, I could do
def some_name_to_think_of(p):
x, y = p
return x*x + y*y
Removing this feature in python3 forces the code to either do the ugly way(with magic indexes) or create unnecessary functions(The most bothering part is to think of good names for these unnecessary functions)
I think the feature should be added back at least to lambdas alone. Is there a good alternative?
Update: I am using the following helper extending the idea in the answer
def star(f):
return lambda args: f(*args)
min(points, key=star(lambda x,y: (x*x + y*y))
Update2: A cleaner version for star
import functools
def star(f):
@functools.wraps(f)
def f_inner(args):
return f(*args)
return f_inner
Question&Answers:
os 与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…