Enable Javascript in your browser and then refresh this page, for a much enhanced experience.
First solution in Clear category for Min and Max by v0id
def find_extremum(cmp_func, args, kwargs):
"""find extremum value in args as specified by cmp_func and kwargs['key']"""
values = args if len(args) > 1 else args[0]
key_func = kwargs.get("key")
ext_value = ext_key = _marker = []
for value in values:
key = value if key_func is None else key_func(value)
if ext_key is _marker or cmp_func(key, ext_key):
ext_value, ext_key = value, key
return ext_value
def operator_lt(a, b):
return a < b
def min(*args, **kwargs):
return find_extremum(operator_lt, args, kwargs)
def operator_gt(a, b):
return a > b
def max(*args, **kwargs):
return find_extremum(operator_gt, args, kwargs)
if __name__ == '__main__':
#These "asserts" using only for self-checking and not necessary for auto-testing
assert max(3, 2) == 3, "Simple case max"
assert min(3, 2) == 2, "Simple case min"
assert max([1, 2, 0, 3, 4]) == 4, "From a list"
assert min("hello") == "e", "From string"
assert max(2.2, 5.6, 5.9, key=int) == 5.6, "Two maximal items"
assert min([[1, 2], [3, 4], [9, 0]], key=lambda x: x[1]) == [9, 0], "lambda key"
Nov. 14, 2015
Comments: