2

我正在尝试创建一个类似于 yapsy 的插件框架(不幸的是 yapsy 不兼容 python3)。

我的代码如下所示:

root
   main.py
   plugins/
       __init__.py
       PluginManager.py
       UI/
           __init__.py
           textui.py

在 PluginManager.py 我定义了以下类:

class PluginMetaclass(type):
    def __init__(cls, name, base, attrs):
        if not hasattr(cls, 'registered'):
            cls.registered = []
        else:
            cls.registered.append((name,cls))

class UI_Plugins(object):
    __metaclass__ = PluginMetaclass

    #...some code here....

    def load():
         #...some code here too...

        if "__init__" in  os.path.basename(candidate_filepath):
            sys.path.append(plugin_info['path'])
        try:
            candidateMainFile = open(candidate_filepath+".py","r")  
            exec(candidateMainFile,candidate_globals)
        except Exception as e:
            logging.error("Unable to execute the code in plugin: %s" % candidate_filepath)
            logging.error("\t The following problem occured: %s %s " % (os.linesep, e))
            if "__init__" in  os.path.basename(candidate_filepath):
                sys.path.remove(plugin_info['path'])
            continue

其中 Candidate_filepath 包含插件路径。

textui.py 包含以下内容:

from root.plugins.PluginManager import UI_Plugins

class TextBackend(UI_Plugins):
    def run(self):
        print("c")

当我尝试加载插件时,出现此错误:

No module named plugins.PluginManager 

我怎么解决这个问题?

4

3 回答 3

5

抱歉,这当然不是您问题的直接答案,但是如果您正在尝试为 python3 开发非常接近 yapsy 的东西,那么您可能会对新版本的 yapsy 感兴趣,我在其中发布了几个 python3-兼容包:

https://sourceforge.net/projects/yapsy/files/Yapsy-1.9/

(参见 Yapsy-1.9_python3-py3.2.egg 或 Yapsy-1.9-python3.tar.gz)

源代码位于特定分支上:

http://yapsy.hg.sourceforge.net/hgweb/yapsy/yapsy/file/91ea058181ee

于 2011-12-23T01:10:02.133 回答
2

进口声明

from root.plugins.PluginManager import UI_Plugins

不起作用,因为root它不是一个包。

但是,如果应用程序以

python3 root/main.py

thenroot实际上不需要是一个包。

您需要做的就是将导入语句更改textui.py

from plugins.PluginManager import UI_Plugins

一切都应该正常工作。

之所以可行,是因为当前运行脚本的目录总是自动添加到sys.path. 在您的情况下,这将是root, 并且由于plugins是该目录中的一个包,因此可以从您的应用程序中的任何位置直接导入它。因此,只要您的main脚本保持原样,就不需要任何其他路径操作。

于 2011-12-19T22:22:10.443 回答
1
  1. 为了有一个包,你需要__init__.py在一个目录中有一个文件。它可能是空的,但它必须在“root”和“plugin”目录中。
  2. 目录的名称就是命名空间的名称,因此它们必须仔细匹配。在您的情况下,您需要使用from root.plugin.PluginManager import UI_Plugins
  3. 最后,为了使导入工作,包必须在您的 PYTHONPATH 中,(请参阅语言文档中的模块搜索路径)。您可以通过将目录添加到 PYTHONPATH 环境变量来执行此操作,或者在代码中将其添加到sys.path列表中。
于 2011-12-19T21:08:54.413 回答