所以我想开发一个小游戏引擎。这具有供用户使用的主要引擎类,例如 Vector 和 Actor。由于我只需要一次引擎,我想让游戏使用相同的引擎,并且为了避免将所有游戏放在同一个 jar 中,我打算将它们放在单独的文件夹中,与引擎一个,然后为每个游戏的文件夹. 然后引擎应该能够加载例如。来自另一个文件夹的播放器类并利用它。
我认为一种解决方案可能是在运行时编译游戏文件夹。但是问题是这些文件相互依赖,并且依赖于已经在 JVM 中加载的编译类。对于这种方法:
例如,我们有三个类:一个来自引擎的 Actor,一个扩展了用户编写的引擎 Actor 类的 Player,以及第三个类,即由用户编写的项目,在 Player 中生成,但又需要 Player要编译,这意味着它们不能一个接一个地编译。
据我了解,当我们运行程序时,Actor 已经在 JVM 中编译好了。现在我们知道了一个包含所有要编译的类的文件夹,其中 Player 依赖于 JVM 中已编译的类,而文件夹中未编译的类则依赖于 Player。
现在我想编译 Player 类,我们还必须编译 Item,然后实例化 Player,以便我们可以四处移动并生成项目。
这是我的意思的一个基本示例:
// already compiled in eg. executing jar file
class MainStuff
{
public static void main(String args[])
{
String FolderOfUncompiledClasses = "Some/folder/to/src/";
Class<?>[] CompiledClasses = CompileFolderContents(FolderOfUncompiledClasses);
// iterating through compiled classes
for (Class<?> C : CompiledClasses)
{
// if we have an Actor class, we create a new instance
if (C.isAssignableFrom(Actor.class))
{
try
{
C.getDeclaredConstructor().newInstance();
} catch (InstantiationException | IllegalAccessException | IllegalArgumentException
| InvocationTargetException | NoSuchMethodException | SecurityException e)
{
e.printStackTrace();
}
}
}
}
// should compile all the files and returns the classes of the compiled java files
private static Class<?>[] CompileFolderContents(String Folder)
{
File[] JavaFiles = new File(Folder).listFiles();
Class<?>[] CompiledClasses = new Class<?>[JavaFiles.length];
for (int i = 0; i < JavaFiles.length; i++)
{
Class<?> CompiledClass = DoCompilationStuff(JavaFiles[i]);
CompiledClasses[i] = CompiledClass;
}
return CompiledClasses;
}
// this should effectively compile the class which it can both use non compiled
// java files in the folder and already compiled classes
private static Class<?> DoCompilationStuff(File ToCompile)
{
return null;
}
}
// already compiled in eg. executing jar file
class Actor
{
int X, Y;
}
在驱动器某处的文件夹中:
// not compiled
class Player extends Actor
{
public Player()
{
// uses other non compiled class
new Item();
}
}
// not compiled
class Item
{
// Also uses Actor so we can't compile them in series
public Item(Player P)
{
}
}
我试过使用 javac 命令,但我无法让它以某种方式与整个文件夹结构一起工作。
我希望我以合乎逻辑的方式解释它,如果这种方法没有意义。这只是一个想法,如果您有更好的方法,我会很高兴听到它。
非常感谢!