我利用PyCLIPS将CLIPS集成到Python中。 Python方法使用clips.RegisterPythonFunction(method, optional-name)
在CLIPS中注册。由于我必须注册几个函数并希望保持代码清晰,我正在寻找一个装饰器来进行注册。
现在就是这样做的:
class CLIPS(object):
...
def __init__(self, data):
self.data = data
clips.RegisterPythonFunction(self.pyprint, "pyprint")
def pyprint(self, value):
print self.data, "".join(map(str, value))
这就是我想要的方式:
class CLIPS(object):
...
def __init__(self, data):
self.data = data
#clips.RegisterPythonFunction(self.pyprint, "pyprint")
@clips_callable
def pyprint(self, value):
print self.data, "".join(map(str, value))
它保留了方法的编码并将它们注册在一个地方。
注意:我在多处理器设置中使用它,其中CLIPS过程在一个单独的过程中运行,如下所示:
import clips
import multiprocessing
class CLIPS(object):
def __init__(self, data):
self.environment = clips.Environment()
self.data = data
clips.RegisterPythonFunction(self.pyprint, "pyprint")
self.environment.Load("test.clp")
def Run(self, cycles=None):
self.environment.Reset()
self.environment.Run()
def pyprint(self, value):
print self.data, "".join(map(str, value))
class CLIPSProcess(multiprocessing.Process):
def run(self):
p = multiprocessing.current_process()
self.c = CLIPS("%s %s" % (p.name, p.pid))
self.c.Run()
if __name__ == "__main__":
p = multiprocessing.current_process()
c = CLIPS("%s %s" % (p.name, p.pid))
c.Run()
# Now run CLIPS from another process
cp = CLIPSProcess()
cp.start()
答案 0 :(得分:1)
这样做应该相当简单:
# mock clips for testing
class clips:
@staticmethod
def RegisterPythonFunction(func, name):
print "register: ", func, name
def clips_callable(fnc):
clips.RegisterPythonFunction(fnc, fnc.__name__)
return fnc
@clips_callable
def test(self):
print "test"
test()
编辑:如果在类方法上使用它,它将仅注册未绑定方法。因此,如果在没有类的实例作为第一个参数的情况下调用函数,它将无法工作。因此,这可用于注册模块级函数,但不能用于类方法。为此,您必须在__init__
注册它们。
答案 1 :(得分:0)
似乎mata提出的优雅解决方案不起作用,因为CLIPS环境应该在向其注册方法之前进行初始化。
我不是Python专家,但是通过一些搜索,似乎inspect.getmembers()和hasattr()的组合可以为你做到 - 你可以循环你所有类的成员,并注册那些有CLIPS的@clips_callable
属性。
答案 2 :(得分:0)
现在通过使用装饰器设置要在CLIPS中注册的方法的属性并使用 init 中的inspect来获取方法并注册它们。也可以使用一些命名策略,但我更喜欢使用装饰器来使注册更加明确。可以在初始化CLIPS环境之前注册Python函数。这就是我所做的。
import inspect
def clips_callable(func):
from functools import wraps
@wraps(func)
def wrapper(*__args,**__kw):
return func(*__args,**__kw)
setattr(wrapper, "clips_callable", True)
return wrapper
class CLIPS(object):
def __init__(self, data):
members = inspect.getmembers(self, inspect.ismethod)
for name, method in members:
try:
if method.clips_callable:
clips.RegisterPythonFunction(method, name)
except:
pass
...
@clips_callable
def pyprint(self, value):
print self.data, "".join(map(str, value))
为完整起见,test.clp中的CLIPS代码包含在下面。
(defrule MAIN::start-me-up
=>
(python-call pyprint "Hello world")
)
如果有人知道更优雅的方法,请告诉我。