我知道这可能与类加载器有关,但是我找不到一个例子(可能是我正在搜索错误的关键字。
我正在尝试从字符串中加载一个类(或方法)。该字符串不包含类的名称,而是包含类的代码,例如
class MyClass implements IMath {
public int add(int x, int y) {
return x + y;
}
}
然后做这样的事情:
String s = "class MyClass implements IMath { public int add(int x, int y) { return x + y; }}";
IMath loadedClass = someThing.loadAndInitialize(string);
int result = loadedClass.add(5,6);
现在显然,someThing.loadAndInitialize(string)
- 部分是我不知道如何实现的部分。这甚至可能吗?或者更容易运行JavaScripts并以某种方式“给”变量/对象(如x和y)?
感谢您的任何提示。
答案 0 :(得分:8)
使用Java Compiler API。 Here是一篇博文,向您展示如何操作。
您可以使用临时文件,因为这需要输入/输出文件,或者您可以创建从字符串中读取源的JavaFileObject的自定义实现。来自javadoc:
/**
* A file object used to represent source coming from a string.
*/
public class JavaSourceFromString extends SimpleJavaFileObject {
/**
* The source code of this "file".
*/
final String code;
/**
* Constructs a new JavaSourceFromString.
* @param name the name of the compilation unit represented by this file object
* @param code the source code for the compilation unit represented by this file object
*/
JavaSourceFromString(String name, String code) {
super(URI.create("string:///" + name.replace('.','/') + Kind.SOURCE.extension),
Kind.SOURCE);
this.code = code;
}
@Override
public CharSequence getCharContent(boolean ignoreEncodingErrors) {
return code;
}
}
获得输出文件(编译后的.class
文件)后,您可以使用URLClassLoader
加载它,如下所示:
ClassLoader loader = new URLClassLoader(new URL[] {myClassFile.toURL());
Class myClass = loader.loadClass("my.package.MyClass");
然后使用:
实例化它 myClass.newInstance();
或使用Constructor
。
答案 1 :(得分:3)
您可以在JDK 7中使用Rhino和JavaScript。这可能是一种很好的方法。
invokedynamic
即将来临......
如果你想坚持使用Java,你需要解析源代码并将其转换为字节代码 - 就像cglib一样。
答案 2 :(得分:0)
您可以使用JavaCompiler
进行编译,但我建议您使用Groovy
进行此运行时类创建。这会容易得多。
答案 3 :(得分:0)