JavaScript
x
5
1
help_f= "The Syntax is lambda x: f(x), where f(x) is the function in python lenguage"
2
parser.add_argument("-f",dest="f", type=function, help=help_f, required=True)
3
params = parser.parse_args()
4
method( params.f)
5
I have something like this, the idea is that -f parameter to be a lambda. But i do not know how to do it when I called from a bash shell because if a try:
JavaScript
1
2
1
python archive.py -f lambda x: 2*x-4
2
I get error: “error: argument -f: invalid function value: 'x : x-4'
“
Some help?
Advertisement
Answer
To be able to access imported functions/modules you need to pass globals
to eval
. For example:
JavaScript
1
7
1
>>> from math import exp # anything in global scope will be accessible
2
>>> lambda_t = 'lambda x: exp(x)'
3
4
>>> l = eval(lambda_t, globals())
5
>>> l(2)
6
7.38905609893065
7
To make this work as an argument, you would need to either accept a string and process it after, or wrap the creation of the lambda in another function. You can pass this as your type
parameter to handle the conversion.
JavaScript
1
14
14
1
import argparse
2
from math import exp
3
4
def create_lambda_with_globals(s):
5
return eval(s, globals())
6
7
parser = argparse.ArgumentParser()
8
9
help_f= "The Syntax is lambda x: f(x), where f(x) is the function in python language"
10
parser.add_argument("-f",dest="f", type=create_lambda_with_globals, help=help_f, required=True)
11
params = parser.parse_args() # the lambda is now defined in params.f
12
13
print(params.f(2)) # run the lambda with an input of 2
14
Running this from the command line:
JavaScript
1
3
1
python test.py -f 'lambda x: exp(x)'
2
7.38905609893
3