我有一个基本问题,我在xml函数中声明xmlfile是全局的,我可以在另一个子例程中使用它而没有任何问题吗?子例程的顺序是否重要?
def xml():
global xmlfile
file = open('config\\' + productLine + '.xml','r')
xmlfile=file.read()
def table():
parsexml(xmlfile)
答案 0 :(得分:2)
写入函数的顺序无关紧要。
xmlfile
的值将由调用函数的顺序决定。
但是,通常最好避免将值重新分配给函数内的全局变量 - 这会使分析函数行为变得更加复杂。最好使用函数参数和/或返回值,(或者使用类并使变量成为类属性):
def xml():
with open('config\\' + productLine + '.xml','r') as f:
return f.read()
def table():
xmlfile = xml()
parsexml(xmlfile)
答案 1 :(得分:0)
首先,我完全同意有关避免全局变量的其他评论。你应该从重新设计开始,以避免它们。但要回答你的问题:
子程序的定义顺序并不重要,你调用它们的顺序如下:
>>> def using_func():
... print a
...
>>> using_func()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 2, in using_func
NameError: global name 'a' is not defined
>>> def defining_func():
... global a
... a = 1
...
>>> using_func()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 2, in using_func
NameError: global name 'a' is not defined
>>> defining_func()
>>> using_func()
1