我有一个导入正常的模块(我将它打印在使用它的模块的顶部)
from authorize import cim
print cim
产生:
<module 'authorize.cim' from '.../dist-packages/authorize/cim.pyc'>
但是稍后在方法调用中,它已经神秘地转向None
class MyClass(object):
def download(self):
print cim
运行时显示cim
为None
的。该模块中的任何位置都没有直接将模块分配给None
。
任何想法如何发生这种情况?
答案 0 :(得分:4)
当你自己评论时 - 很可能有些代码将None归因于你模块本身的“cim”名称 - 检查这个的方法是你的大模块是否会为其他模块“只读” - - 我认为Python允许这个 -
(20分钟黑客攻击) -
这里 - 只需将此代码段放在“protect_module.py”文件中,导入并调用即可 名称“cim”消失的模块末尾的“ProtectdedModule()” - 它应该给你罪魁祸首:
"""
Protects a Module against naive monkey patching -
may be usefull for debugging large projects where global
variables change without notice.
Just call the "ProtectedModule" class, with no parameters from the end of
the module definition you want to protect, and subsequent assignments to it
should fail.
"""
from types import ModuleType
from inspect import currentframe, getmodule
import sys
class ProtectedModule(ModuleType):
def __init__(self, module=None):
if module is None:
module = getmodule(currentframe(1))
ModuleType.__init__(self, module.__name__, module.__doc__)
self.__dict__.update(module.__dict__)
sys.modules[self.__name__] = self
def __setattr__(self, attr, value):
frame = currentframe(1)
raise ValueError("Attempt to monkey patch module %s from %s, line %d" %
(self.__name__, frame.f_code.co_filename, frame.f_lineno))
if __name__ == "__main__":
from xml.etree import ElementTree as ET
ET = ProtectedModule(ET)
print dir(ET)
ET.bla = 10
print ET.bla
答案 1 :(得分:0)