我有一个长期运行的Python服务器,希望能够在不重启服务器的情况下升级一个服务。做到这一点的最好方法是什么?
if foo.py has changed:
unimport foo <-- How do I do this?
import foo
myfoo = foo.Foo()
|
小猫猫 · Mac环境下ollama部署和体验_olla ...· 2 月前 · |
![]() |
霸气的花卷 · python list 错位相减 ...· 2 月前 · |
![]() |
憨厚的大脸猫 · python ...· 2 月前 · |
|
小猫猫 · python tornado ...· 1 月前 · |
![]() |
有腹肌的充值卡 · pycharm console 清屏 ...· 1 月前 · |
![]() |
潇洒的茶壶 · PRL:低压稳定的氢合金骨架高温超导体的理论 ...· 5 月前 · |
![]() |
痴情的大象 · 凤于九天未删减百度云网盘 - 百度· 9 月前 · |
![]() |
逼格高的花生 · 国风舞台剧《虎墩小镖师之小虎墩大英雄》全国巡演启动· 1 年前 · |
![]() |
八块腹肌的遥控器 · 深度复盘威马发展史:从高光到退败的这八年 ...· 1 年前 · |
我有一个长期运行的Python服务器,希望能够在不重启服务器的情况下升级一个服务。做到这一点的最好方法是什么?
if foo.py has changed:
unimport foo <-- How do I do this?
import foo
myfoo = foo.Foo()
python
module
reload
python-import
Mark Harrison
发布于
2009-01-13
22
个回答
发布于
2017-11-10
当一个模块已经被导入时,你可以通过以下方式重新加载该模块
importlib.reload()
:
from importlib import reload # Python 3.4+
import foo
while True:
# Do some things.
if is_changed(foo):
foo = reload(foo)
In Python 2, reload
是一个内置程序。在 Python 3 中,它是moved to the imp
模块。在3.4中,imp
是废弃的赞成importlib
.当针对3或更高版本时,在调用reload
时引用相应的模块或导入它。
我认为这就是你想要的。像Django的开发服务器这样的网络服务器使用这种方式,这样你就可以在不重启服务器进程本身的情况下看到你的代码修改效果。
To quote from the docs:
Python module’s code is recompiled and the module-level code re-executed, defining a new set of objects which are bound to names in the module’s dictionary by reusing the loader which originally loaded the module. The init
function of extension modules is not called a second time.
As with all other objects in Python the old objects are only reclaimed after their reference counts drop to zero.
The names in the module namespace are updated to point to any new or changed objects.
Other references to the old objects (such as names external to the module) are not rebound to refer to the new objects and must be updated in each namespace where they occur if that is desired.
正如你在问题中指出的,如果Foo
类驻留在foo
模块中,你就必须重建Foo
对象。
hasen
:
实际上,当你改变一个文件时,django开发服务器会自动重启......(它重启服务器,而不仅仅是重新加载模块)
jedmao
:
这个 "is_changed "函数是从哪里来的? 我没有看到任何关于它的文档,而且它在我的Python 3.1.3环境中不能运行,在2.6.4中也不能运行。
raylu
:
没有cdleary,Django不能直接使用reload。
pyunit.sourceforge.net/notes/reloading.html
reload对于有依赖关系的模块来说是不够的。 见下面的bobince。
stackoverflow.com/a/438845/456878
. 这种情况以前也咬过我,浪费了10分钟的时间。
@jedmao @JamesDraper 我很确定
is_changed
函数只是一个你必须编写的任意函数;它不是一个内置函数。例如,它可能会打开与你正在导入的模块相对应的文件,并与缓存的版本进行比较,看它是否有变化。
Paul D. Waite
发布于
2017-11-10
0
人赞同
In Python 3.0–3.3 you would use:
imp.reload(module)
However,
替换代码1】在3.4中被弃用,转而使用
importlib
。
(谢谢
@Stefan!
).
I
think
, therefore, you’d now use
importlib.reload(module)
,虽然我不确定。
Gregg Lind
发布于
2017-11-10
0
人赞同
如果一个模块不是纯 Python,要删除它可能特别困难。
以下是一些来自的信息。
怎样才能真正删除一个导入的模块?
你可以使用sys.getrefcount()来找出实际的引用数量。
引用的实际数量。
>>> import sys, empty, os
>>> sys.getrefcount(sys)
>>> sys.getrefcount(os)
>>> sys.getrefcount(empty)
大于3的数字表明
将很难摆脱
模块。自制的 "空"
(不包含任何内容)的模块应该在
后进行垃圾回收。
>>> del sys.modules["empty"]
>>> del empty
因为第三个引用是一个神器
getrefcount()函数的产物。
我刚刚发现,如果该模块是一个包的一部分,你也必须在那里删除它。【替换代码0
Cerin
:
这是正确的解决方案,特别是当你有一个嵌套模块的软件包时。
reload()
只重新加载最上面的模块,里面的任何东西都不会被重新加载,除非你先从sys.modules中删除它。
bobince
发布于
2017-11-10
0
人赞同
reload(module)
,但前提是它是完全独立的。如果其他任何东西有对该模块的引用(或属于该模块的任何对象),那么你会得到微妙而奇怪的错误,这些错误是由于旧代码比你预期的时间长,以及像
isinstance
在同一代码的不同版本中不工作。
如果你有单向的依赖关系,你也必须重新加载所有依赖重载模块的模块,以摆脱对旧代码的所有引用。然后再重新加载依赖重载模块的模块,递归地进行。
如果你有循环依赖关系,这是很常见的,例如当你处理重新加载一个包时,你必须一次性卸载该组中的所有模块。你不能用
reload()
这样做,因为它将在每个模块的依赖关系被刷新之前重新导入,允许旧的引用爬到新模块中。
在这种情况下,唯一的方法是入侵
sys.modules
,这有点不被支持。你必须去删除每一个你想在下次导入时被重新加载的
sys.modules
条目,并且还要删除值为
None
的条目,以处理一个与缓存失败的相对导入有关的实现问题。这不是很好,但只要你有一套完全独立的依赖关系,不在其代码库之外留下引用,它就是可行的。
最好的办法是重新启动服务器:-)
Josh
:
dreload不是专门针对这种情况的吗?
bobince
:
@Josh:不,它是用来重新加载软件包树的,即使如此,它也只在软件包没有外部/循环依赖的情况下工作。
schlamar
:
你能详细说明有
None
值的部分吗,因为我正好遇到了这个问题。我正在删除
sys.modules
中的项目,重新导入后,一些导入的依赖关系是
None
。
bobince
:
@Eliethesaiyan: 你是指
reload
函数吗?它是内置的,你不需要导入任何库。
我在下面写了一个函数,用新模块的内容覆盖了前一个模块的内容,从而处理了@bobince正确提到的问题。请看
stackoverflow.com/a/61617169/2642356
goetzc
发布于
2017-11-10
0
人赞同
For Python
2
use built-in function
reload
:
reload(module)
For Python 2 和 Python 3.2—3.3 use reload
from module imp:
import imp
imp.reload(module)
For Python ≥3.4, imp
已被弃用赞成importlib
, so use this:
import importlib
importlib.reload(module)
from importlib import reload
reload(module)
TL;DR:
Python ≥ 3.4: importlib.reload(module)
Python 3.2 — 3.3: imp.reload(module)
Python 2: reload(module)
来处理任何这些情况。
from six import reload_module
(当然需要先
pip install six
)。
Kumaresan
发布于
2017-11-10
0
人赞同
if 'myModule' in sys.modules:
del sys.modules["myModule"]
Peter D
:
+1.我的目标是在 python 中运行鼻子测试。在我加载了一个模块并重命名了一些函数后,在调用
nose.run()
时,旧的名称仍然存在,甚至在
reload(my_module)
后也是如此。【替换代码2
drevicko
:
如果你的模块导入了它自己的子模块,你可能也需要删除这些模块。类似于
[del(sys.modules[mod] for mod in sys.modules.keys() if mod.startswith('myModule.')]
。
Seperman
:
我不认为这样就能卸载模块。在 Python 3.8 上。
import sys; import json; del sys.modules['json']; print(json.dumps([1]))
和json模块仍在工作,尽管它已经不在sys.modules中。
是的,我注意到有一个下划线的sys.modules['_json']条目,考虑到这一点后仍然打印出来
for mod in [ m for m in sys.modules if m.lstrip('_').startswith('json') ]: del sys.modules[mod]
。
是的。 即使是更积极的记账,删除条目和它们的所有依赖关系也不会消除模块的功能。替换代码0】 ( 代码块没有保留换行。 ; 表示换行 )
Matt Clarkson
发布于
2017-11-10
0
人赞同
下面的代码允许你Python 2/3的兼容性。
reload
except NameError:
# Python 3
from imp import reload
你可以在两个版本中作为
reload()
使用,这使事情变得更简单。
Joseph Garvin
发布于
2017-11-10
0
人赞同
所接受的答案并没有处理从X导入Y的情况。这段代码也能处理它和标准导入的情况。
def importOrReload(module_name, *names):
import sys
if module_name in sys.modules:
reload(sys.modules[module_name])
else:
__import__(module_name, fromlist=names)
for name in names:
globals()[name] = getattr(sys.modules[module_name], name)
# use instead of: from dfly_parser import parseMessages
importOrReload("dfly_parser", "parseMessages")
在重载的情况下,我们把顶层的名字重新分配给新重载的模块中存储的值,从而更新它们。
注意到一个问题,globals()指的是你定义这个函数的模块,所以如果你在一个与你调用它的模块不同的模块中定义它,就不能工作。
对于交互式,在
>>> from X import Y
后重新加载做
>>> __import__('X', fromlist='Y')
。
Mike C
:
@BobStein-VisiBone,有没有办法在
fromlist='*'
时使之生效?
好问题,不知道@MikeC。 顺便说一下,我正在趋向于停止在导入语句中几乎所有
from
的使用。 只是在代码中明确的
import <package>
和明确的package.symbol。 意识到这可能并不总是可能的或可取的。 (这里有一个例外:从future导入print_function)。
rampion
:
Mike C: 对我有用的是
foo = reload(foo); from foo import *
。
neves
发布于
2017-11-10
0
人赞同
如果你是
not
在一个服务器中,但
developing
并需要经常重新加载一个模块,这里有一个不错的提示。
首先,确保你正在使用优秀的
IPython shell
,来自Jupyter笔记本项目。安装完Jupyter后,你可以用
ipython
,或
jupyter console
,甚至更好的是
jupyter qtconsole
来启动它,这将给你一个漂亮的彩色控制台,在任何操作系统中都能完成代码。
Now in your shell, type:
%load_ext autoreload
%autoreload 2
Now, every time你运行你的脚本,你的模块将被重新加载。
在2
之外,还有其他的自动加载魔法的选项:
%autoreload
Reload all modules (except those excluded by %aimport) automatically now.
%autoreload 0
Disable automatic reloading.
%autoreload 1
Reload all modules imported with %aimport every time before executing the Python code typed.
%autoreload 2
Reload all modules (except those excluded by %aimport) every time before
executing the Python code typed.
当然,它也会在Jupyter笔记本上工作。
Richie Bendall
发布于
2017-11-10
0
人赞同
这是重新加载模块的现代方式。
from importlib import reload
如果你想支持3.5之前的Python版本,请使用这个。
from sys import version_info
if version_info[0] < 3:
pass # Python 2 has built in reload
elif version_info[0] == 3 and version_info[1] <= 4:
from imp import reload # Python 3.0 - 3.4
else:
from importlib import reload # Python 3.5+
这定义了一个reload
的方法,它可以和一个模块一起被调用来重新加载它。例如,reload(math)
将重新加载math
模块。
pault
:
或者只做
from importlib import reload
。然后你可以做
reload(MODULE_NAME)
。没有必要使用这个函数。
我认为
modulereload(MODULE_NAME)
比只用
reload(MODULE_NAME)
更容易说明问题,而且与其他功能冲突的几率更低。
mbdevpl
:
@RichieBendall 对不起,但这个答案是完全错误的。reload()函数接受模块对象,而不是模块名称...请阅读文档。
docs.python.org/3/library/importlib.html#importlib.reload
我同意@pault的观点--这种 "作为moduleereload "的做法是超级愚蠢的。
我已经改变了我的答案,以反映你的意见。
user3458
发布于
2017-11-10
0
人赞同
对于像我这样想卸载所有模块的人(当在Python解释器中运行时,在
Emacs
):
for mod in sys.modules.values():
reload(mod)
更多信息请见重新加载Python模块.
Actually that doesn't seem to work reliably (in 2.6) because not everything in
sys.modules.values()
is a module. For example: >>> type(sys.modules.values()[1]) <class 'email.LazyImporter'> So if I try to run that code it falls over (I Know its not meant as a practical solution, just pointing that out).
user3458
:
它甚至在早期的蟒蛇中都不起作用--按照书面规定。 我不得不把一些名字排除在外。当我把这些代码移到我的新电脑上时,我会更新这个帖子。
在Python 2.7中经过一些修改后可以正常工作。【替换代码0
这对我来说很有效:导入imp [reload(m) for m in sys.modules.values() if m and not "
"在m.__name中
而不是 imp.is_builtin(m.__name__)]
EZLearner
发布于
2017-11-10
0
人赞同
Edit (Answer V2)
之前的解决方案对于获取重置信息是很好的,但它不会改变所有的引用(超过
reload
,但低于要求)。为了实际设置所有的引用,我不得不进入垃圾收集器,并在那里重写引用。现在它工作得很好!
请注意,这
will not
如果GC关闭了,或者重新加载不受GC监控的数据,就可以工作。如果你不想搞乱GC,原来的答案可能对你来说已经足够了。
New code:
import importlib
import inspect
import gc
from enum import EnumMeta
from weakref import ref
_readonly_attrs = {'__annotations__', '__call__', '__class__', '__closure__', '__code__', '__defaults__', '__delattr__',
'__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__func__', '__ge__', '__get__',
'__getattribute__', '__globals__', '__gt__', '__hash__', '__init__', '__init_subclass__',
'__kwdefaults__', '__le__', '__lt__', '__module__', '__name__', '__ne__', '__new__', '__qualname__',
'__reduce__', '__reduce_ex__', '__repr__', '__self__', '__setattr__', '__sizeof__', '__str__',
'__subclasshook__', '__weakref__', '__members__', '__mro__', '__itemsize__', '__isabstractmethod__',
'__basicsize__', '__base__'}
def reset_module(module, inner_modules_also=True):
This function is a stronger form of importlib's `reload` function. What it does, is that aside from reloading a
module, it goes to the old instance of the module, and sets all the (not read-only) attributes, functions and classes
to be the reloaded-module's
:param module: The module to reload (module reference, not the name)
:param inner_modules_also: Whether to treat ths module as a package as well, and reload all the modules within it.
# For the case when the module is actually a package
if inner_modules_also:
submods = {submod for _, submod in inspect.getmembers(module)
if (type(submod).__name__ == 'module') and (submod.__package__.startswith(module.__name__))}
for submod in submods:
reset_module(submod, True)
# First, log all the references before reloading (because some references may be changed by the reload operation).
module_tree = _get_tree_references_to_reset_recursively(module, module.__name__)
new_module = importlib.reload(module)
_reset_item_recursively(module, module_tree, new_module)
def _update_referrers(item, new_item):
refs = gc.get_referrers(item)
weak_ref_item = ref(item)
for coll in refs:
if type(coll) == dict:
enumerator = coll.keys()
elif type(coll) == list:
enumerator = range(len(coll))
else:
continue
for key in enumerator:
if weak_ref_item() is None:
# No refs are left in the GC
return
if coll[key] is weak_ref_item():
coll[key] = new_item
def _get_tree_references_to_reset_recursively(item, module_name, grayed_out_item_ids = None):
if grayed_out_item_ids is None:
grayed_out_item_ids = set()
item_tree = dict()
attr_names = set(dir(item)) - _readonly_attrs
for sub_item_name in attr_names:
sub_item = getattr(item, sub_item_name)
item_tree[sub_item_name] = [sub_item, None]
# Will work for classes and functions defined in that module.
mod_name = sub_item.__module__
except AttributeError:
mod_name = None
# If this item was defined within this module, deep-reset
if (mod_name is None) or (mod_name != module_name) or (id(sub_item) in grayed_out_item_ids) \
or isinstance(sub_item, EnumMeta):
continue
grayed_out_item_ids.add(id(sub_item))
item_tree[sub_item_name][1] = \
_get_tree_references_to_reset_recursively(sub_item, module_name, grayed_out_item_ids)
return item_tree
def _reset_item_recursively(item, item_subtree, new_item):
# Set children first so we don't lose the current references.
if item_subtree is not None:
for sub_item_name, (sub_item, sub_item_tree) in item_subtree.items():
new_sub_item = getattr(new_item, sub_item_name)
except AttributeError:
# The item doesn't exist in the reloaded module. Ignore.
continue
# Set the item
_reset_item_recursively(sub_item, sub_item_tree, new_sub_item)
except Exception as ex:
_update_referrers(item, new_item)
Original Answer
正如 @bobince 的回答中写到的,如果在另一个模块中已经有对该模块的引用(尤其是像as
这样用import numpy as np
关键字导入的),该实例将不会被覆盖掉。
在应用需要配置模块的 "干净 "状态的测试时,这被证明是相当有问题的,所以我写了一个名为reset_module
的函数,它使用importlib
的reload
函数并递归地覆盖所有声明模块的属性。它已经在Python 3.6版本中进行了测试。
import importlib
import inspect
from enum import EnumMeta
_readonly_attrs = {'__annotations__', '__call__', '__class__', '__closure__', '__code__', '__defaults__', '__delattr__',
'__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__func__', '__ge__', '__get__',
'__getattribute__', '__globals__', '__gt__', '__hash__', '__init__', '__init_subclass__',
'__kwdefaults__', '__le__', '__lt__', '__module__', '__name__', '__ne__', '__new__', '__qualname__',
'__reduce__', '__reduce_ex__', '__repr__', '__self__', '__setattr__', '__sizeof__', '__str__',
'__subclasshook__', '__weakref__', '__members__', '__mro__', '__itemsize__', '__isabstractmethod__',
'__basicsize__', '__base__'}
def reset_module(module, inner_modules_also=True):
This function is a stronger form of importlib's `reload` function. What it does, is that aside from reloading a
module, it goes to the old instance of the module, and sets all the (not read-only) attributes, functions and classes
to be the reloaded-module's
:param module: The module to reload (module reference, not the name)
:param inner_modules_also: Whether to treat ths module as a package as well, and reload all the modules within it.
new_module = importlib.reload(module)
reset_items = set()
# For the case when the module is actually a package
if inner_modules_also:
submods = {submod for _, submod in inspect.getmembers(module)
if (type(submod).__name__ == 'module') and (submod.__package__.startswith(module.__name__))}
for submod in submods:
reset_module(submod, True)
_reset_item_recursively(module, new_module, module.__name__, reset_items)
def _reset_item_recursively(item, new_item, module_name, reset_items=None):
if reset_items is None:
reset_items = set()
attr_names = set(dir(item)) - _readonly_attrs
for sitem_name in attr_names:
sitem = getattr(item, sitem_name)
new_sitem = getattr(new_item, sitem_name)
# Set the item
setattr(item, sitem_name, new_sitem)
# Will work for classes and functions defined in that module.
mod_name = sitem.__module__
except AttributeError:
mod_name = None
# If this item was defined within this module, deep-reset
if (mod_name is None) or (mod_name != module_name) or (id(sitem) in reset_items) \
or isinstance(sitem, EnumMeta): # Deal with enums
continue
reset_items.add(id(sitem))
_reset_item_recursively(sitem, new_sitem, module_name, reset_items)
except Exception as ex:
raise Exception(sitem_name) from ex
Note:使用时要小心!在非外围模块上使用这些东西 (例如定义外部使用的类的模块) 可能会导致Python的内部问题 (例如pickling/unpickling问题)。
flipthefrog
发布于
2017-11-10
0
人赞同
Enthought Traits有一个模块,在这方面效果相当好。
https://traits.readthedocs.org/en/4.3.0/_modules/traits/util/refresh.html
它将重新加载任何被改变的模块,并更新其他模块和正在使用它的实例对象。在大多数情况下,它对
__very_private__
方法不起作用,而且在类的继承上也会被噎住,但它为我节省了大量的时间,在编写PyQt guis或在Maya或Nuke等程序中运行的东西时,我不必重新启动主机应用程序。它可能在20-30%的时间里不起作用,但它仍然是令人难以置信的有用。
Enthought的软件包不会在文件改变的时候重新加载文件--你必须明确地调用它--但如果你真的需要,这应该不难实现。
neves
发布于
2017-11-10
0
人赞同
其他选项。请注意,Python 默认的
importlib.reload
将只是重新导入作为参数传递的库。它
won't
重新加载你的lib所导入的库。如果你改变了很多文件,并且有一个有点复杂的包要导入,你必须做一个
深度重装
.
如果你有
IPython
or
Jupyter
installed, you can use a function to 深度重装 all libs:
from IPython.lib.deepreload import reload as dreload
dreload(foo)
如果你没有Jupyter,在你的shell中用这个命令安装它。
pip3 install jupyter
m3nda
:
这个Ipython dreload和importlib的reload()都会抱怨
reload() argument must be module
。我正在使用一个自定义的函数导入,但似乎并不奏效。使用内置模块倒是可以。 :-(我对代码做的每一个小改动都要重新加载iPython,真是浪费时间 ...
PythonMan
发布于
2017-11-10
0
人赞同
那些使用python 3并从importlib重新加载的人。
如果你遇到的问题是模块不能重新加载......这是因为它需要一些时间来重新编译pyc(最长60秒)。我写这个提示只是为了让你知道你是否遇到过这种问题。
AbstProcDo
发布于
2017-11-10
0
人赞同
2018-02-01
module
foo
must be imported successfully in advance.
from importlib import reload
,
reload(foo)
Matt S
发布于
2017-11-10
0
人赞同
对我来说,在Abaqus的情况下,它是这样工作的。
假设你的文件是Class_VerticesEdges.py
sys.path.append('D:\...\My Pythons')
if 'Class_VerticesEdges' in sys.modules:
del sys.modules['Class_VerticesEdges']
print 'old module Class_VerticesEdges deleted'
from Class_VerticesEdges import *
reload(sys.modules['Class_VerticesEdges'])
SiHa
:
这个答案是直接从这里复制的。
ebanshi.cc/questions/1942/...
minus one
发布于
2017-11-10
0
人赞同
如果你遇到以下错误,这个答案可能有助于你得到解决。
Traceback (most recent call last):
File "FFFF", line 1, in
NameError: name 'YYYY' is not defined
Traceback (most recent call last):
File "FFFF", line 1, in
File "/usr/local/lib/python3.7/importlib/__init__.py", line 140, in reload
raise TypeError("reload() argument must be a module")
TypeError: reload() argument must be a module
如果你有一个像下面这样的导入,你可能需要使用
sys.modules
来获得你想重新加载的模块。
import importlib
import sys
from YYYY.XXX.ZZZ import CCCC
import AAA.BBB.CC
def reload(full_name)
if full_name in sys.modules:
importlib.reload(sys.modules[full_name])
reload('YYYY.XXX.ZZZ') # this is fine in both cases
reload('AAA.BBB.CC')
importlib.reload(YYYY.XXX.ZZZ) # in my case: this fails
importlib.reload(AAA.BBB.CC) # and this is ok
主要问题是,importlib.reload
只接受模块,不接受字符串。
Doyousketch2
发布于
2017-11-10
0
人赞同
Removing modules from sys.modules requires
'None'
也要删除的类型。
Method 1:
import sys
import json ## your module
for mod in [ m for m in sys.modules if m.lstrip('_').startswith('json') or sys.modules[m] == None ]: del sys.modules[mod]
print( json.dumps( [1] ) ) ## test if functionality has been removed
Method 2, using bookkeeping entries, to remove 所有 dependencies:
import sys
before_import = [mod for mod in sys.modules]
import json ## your module
after_import = [mod for mod in sys.modules if mod not in before_import]
for mod in [m for m in sys.modules if m in after_import or sys.modules[m] == None]: del sys.modules[mod]
print( json.dumps( [2] ) ) ## test if functionality has been removed
Optional, just to be certain 所有 entries are out, if you so choose:
import gc
gc.collect()
BaiJiFeiLong
发布于
2017-11-10
0
人赞同
Python will not
重新计算子模块
当
reload
时的地址,如果是在
sys.modules
时的事件。
这里有一个解决方法,并不完美,但很有效。
# Created by BaiJiFeiLong@gmail.com at 2022/2/19 18:50
import importlib
import types
import urllib.parse
import urllib.request
def reloadModuleWithChildren(mod):
mod = importlib.reload(mod)
for k, v in mod.__dict__.items():
if isinstance(v, types.ModuleType):
setattr(mod, k, importlib.import_module(v.__name__))
fakeParse = types.ModuleType("urllib.parse")
realParse = urllib.parse
urllib.parse = fakeParse
assert urllib.parse is fakeParse
importlib.reload(urllib)
assert urllib.parse is fakeParse
assert getattr(urllib, "parse") is fakeParse
reloadModuleWithChildren(urllib)
assert urllib.parse is not fakeParse
assert urllib.parse is realParse
hackbot89
发布于
2017-11-10
0
人赞同
另一种方法是在一个函数中导入模块。这样,当函数完成后,模块会被垃圾回收。
该模块永远不会被垃圾回收,因为全局引用至少在
sys.modules
中被保留。
user
发布于
2017-11-10
0
人赞同
我在尝试重新加载Sublime Text里面的东西时遇到了很多麻烦,但最后我可以根据
sublime_plugin.py
用来重新加载模块的代码写出这个实用程序来重新加载Sublime Text的模块。
下面这段话允许你从名字上有空格的路径中重新加载模块,然后在重新加载之后,你可以像平时一样直接导入。
def reload_module(full_module_name):
Assuming the folder `full_module_name` is a folder inside some
folder on the python sys.path, for example, sys.path as `C:/`, and
you are inside the folder `C:/Path With Spaces` on the file
`C:/Path With Spaces/main.py` and want to re-import some files on
the folder `C:/Path With Spaces/tests`
@param full_module_name the relative full path to the module file
you want to reload from a folder on the
python `sys.path`
import imp
import sys
import importlib
if full_module_name in sys.modules:
module_object = sys.modules[full_module_name]
module_object = imp.reload( module_object )
else:
importlib.import_module( full_module_name )
def run_tests():
print( "\n\n" )
reload_module( "Path With Spaces.tests.semantic_linefeed_unit_tests" )
reload_module( "Path With Spaces.tests.semantic_linefeed_manual_tests" )
from .tests import semantic_linefeed_unit_tests
from .tests import semantic_linefeed_manual_tests
semantic_linefeed_unit_tests.run_unit_tests()
semantic_linefeed_manual_tests.run_manual_tests()
|
小猫猫 · Mac环境下ollama部署和体验_ollama mac 2 月前 |
![]() |
痴情的大象 · 凤于九天未删减百度云网盘 - 百度 9 月前 |
![]() |
逼格高的花生 · 国风舞台剧《虎墩小镖师之小虎墩大英雄》全国巡演启动 1 年前 |