0

我似乎对Manager.dict()传递给函数列表(在子进程中)的 a 有问题,因为当我在函数中修改它时,新值在外部不可用。我创建这样的函数列表:

gwfuncs = [reboot, flush_macs, flush_cache, new_gw, revert_gw, send_log]
gw_func_dict = dict((chr(2**i), gwfuncs[i]) for i in xrange(0,min(len(gwfuncs),8)))

然后这样称呼它:

for bit in gw_func_dict.keys():
    if gwupdate & ord(bit) == ord(bit):
        gw_func_dict[bit](fh, maclist)

现在假设我们正在谈论flush_macs(),无论我在 maclist 函数中做什么,似乎都不会影响我函数之外的 maclist - 为什么会这样?我如何修改它以使我的更改在外部可用?

4

1 回答 1

1

==优先级高于&,因此您的if语句实际上是这样的:

if gwupdate & (ord(bit) == ord(bit)):

添加一些括号,它会工作:

if (gwupdate & ord(bit)) == ord(bit):

此外,您可以稍微简化代码:

gw_func_dict = dict((chr(2**i), func) for i, func in enumerate(gwfuncs[:8]))

如果您使用的是 Python 2.7+:

gw_func_dict = {chr(2**i): func for i, func in enumerate(gwfuncs[:8])}

此外,默认情况下遍历字典会遍历其键,因此您可以.keys()for循环中删除:

for bit in gw_func_dict:
于 2013-06-21T21:51:09.300 回答