Python: Extract variables out of namespace

房东的猫 提交于 2019-12-19 06:11:21

问题


I'm using argparse in python to parse commandline arguments:

parser = ArgumentParser()
parser.add_argument("--a")
parser.add_argument("--b")
parser.add_argument("--c")
args = parser.parse_args()

Now I want to do some calculations with a, b, and c. However, I find it tiresome to write args.a + args.b + args.c all the time.

Therefore, I'm extracting those variables:

a, b, c = [args.a, args.b, args.c]

Such that I can write a + b + c.

Is there a more elegant way of doing that?

Manual extraction gets very tedious and error prone when adding many arguments.


回答1:


If you want them as globals, you can do:

globals().update(vars(args))

If you're in a function and want them as local variables of that function, you can do this in Python 2.x as follows:

def foo(args):
   locals().update(vars(args))       
   print a, b, c
   return
   exec ""  # forces Python to use a dict for all local vars
            # does not need to ever be executed!  but assigning
            # to locals() won't work otherwise.

This trick doesn't work in Python 3, where exec is not a statement, nor likely in other Python variants such as Jython or IronPython.

Overall, though, I would recommend just using a shorter name for the args object, or use your clipboard. :-)




回答2:


You can add things to the local scope by calling locals(). It returns a dictionary that represents the currently available scope. You can assign values to it as well - locals()['a'] = 12 will result in a being in the local scope with a value of 12.



来源:https://stackoverflow.com/questions/8306171/python-extract-variables-out-of-namespace

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!