我有一个非常简单的python类,可以预处理一些文件,然后将这些文件读入Java。 Python类看起来像这样

class Preprocess(object):
  dataFolder = None
  prepFolder = None

  def __init__(self, dataFolder, prepFolder):
    self.dataFolder = dataFolder
    self.prepFolder = prepFolder

  def preprocess(self):
    *Do some complex preprocess shizzle*


凭直觉,我会输入这样的内容。

public class Main {
  public static void main(String[] args) {
    String dataFolder,prepFolder;
    PythonInterpreter py = new PythonInterpreter();
    PyClass prep = new PyClass("Preprocess",new PyString(dataFolder),new PyString(prepFolder));
    prep.callMethod("preprocess");
  }
}


现在,这显然行不通。我必须如何使用PythonInterpreter才能正常工作?

最佳答案

为了使它不那么复杂,我发现在PythonInterpreter本地名称空间中尽可能容易地做很多事情,然后在需要时使用__tojava__方法获取java表示形式。因此,在解释器的帮助下,您可以执行以下操作:



PythonInterpreter py = new PythonInterpreter();
String dataFolder,prepFolder;
py.execfile("filename.py");
py.set("df", dataFolder);
py.set("pf", prepFolder);
py.exec("prep = Preprocess(df, pf)");

//if the preprocess method does not return anything, you can do:
py.exec("prep.preprocess()");

//To get the return value in java, you can do:
SomeJavaClass retvalue = py.eval("prep.preprocess()").__tojava__(SomeJavaClass.class);

//To get and store the return type in the python local namespace:
py.exec("retValue = prep.preprocess()");




还有许多其他方法可以执行相同的操作,因为PythonInterpreter类带有多种方法,可以评估java和python代码并返回或设置java或python中的值。

请参见jython-userguidePythonInterpreter javadoc

09-27 17:34