1

我正在尝试计算化学方程式中元素的数量。我以某种方式创建的调试器无法访问我程序中的全局变量。具体来说,我正在尝试访问carrotsleft没有被添加到堆栈中。有任何想法吗?

调试.py

class Debugger(object):
    def __init__(self,objs):
        assert type(objs)==list, 'Not a list of strings'
        self.objs = objs
    def __repr__(self):
        return '<class Debugger>'
    def show(self):
        for o in self.objs:
            print o,globals()[o] #EDIT

Chemical_Balancer.py

from Debug import Debugger

def directions():
    print 'Welcome to the chem Balancer.'
    print 'Use the following example to guide your work:'
    global left #LEFT IS GLOBAL
    left = 'B^6 + C^2 + B^3 + C^3 + H^9 + O^4 + Na^1'
    print left
    print "#Please note to use a 'hat' when entering all elements"
    print '#use only one letter elements for now'
# left = raw_input('enter formula:')  #enter formula to count
directions()

chem_stats = {}
chem_names = []
chem_names = []
chem_indy = []

for c in range(len(left)):
    if left[c].isalpha() and left[c].isupper():
        chars = ''
        if left[c+1].islower():
            chars += left[c]+left[c+1]
        else:
            chars += left[c]
        #print chars
        chem_indy.append(c)
        chem_names.append(chars)

carrots = [x for x in range(len(left)) if left[x]=='^']

debug = Debugger(['carrots','chem_names','chem_indy','chem_stats']) # WITHOUT LEFT
debug.show()

错误信息:

Traceback (most recent call last):
  File "C:\Python27\#Files\repair\Chemical_Balancer.py", line 38, in <module>
    debug.show()
  File "C:\Python27\lib\site-packages\Debug.py", line 12, in show
    print o,globals()[o]
  File "<string>", line 1, in <module>
KeyError: 'carrots'
4

1 回答 1

0

关于left变量的具体错误:

当你说一个变量是全局变量时,python 知道它必须在使用它的名称时在全局命名空间中查找它。但是在代码left中并没有在这样的命名空间中分配。

如您所见,left已注释掉

#left = raw_input('enter formula:')  #enter formula to count

通过删除行首的 取消注释#,因此directions函数内的行

global left

可以找到它并且下面的说明可以工作。

关于实现:一种允许调试器知道在哪里查找变量的解决方案,即在哪个模块中,可以是在创建模块时向它提供模块的名称。然后调试器对象可以通过以下方式访问创建它的模块的全局变量sys.modules[module_name].__dict__

调试器.py

import sys
class Debugger(object):
    def __init__(self, module_name, objs):
        assert type(objs)==list,'Not a list of strings'
        self.objs = objs
        self.module_name = module_name
    def __repr__(self):
        return '<class Debugger>'
    def show(self):
        for o in self.objs:
            print o, sys.modules[self.module_name].__dict__[o]

化学平衡器.py

import debugger as deb
a = 1
b = 2
d = deb.Debugger(__name__, ['a', 'b'])
print(d.objs)
d.show()
a = 10
b = 20
d.show()

产生

['a', 'b']
a 1
b 2
a 10
b 20

如您所见,每次show调用其方法时,调试器都会打印变量的当前值

我发现这个 SO Q&A内容丰富且很有帮助。

于 2016-01-17T18:59:01.947 回答