我有一个包含两个项目的多模块项目:核心和 A 。我们的想法是在Core启动时启动/运行A.
如何自定义ServiceLoader以从核心查找并调用插件文件夹中的模块?
plugin-Project
+ Core
+ src\main\java
Core.java
+ A
+ src\main\java
A.java
+ Plugins
核心
public class Core extends Application {
private ServiceLoader<View> views;
private BorderPane mainBorderPane;
@Override
public void init() {
loadViews();
}
private void loadViews() {
views = ServiceLoader.load(View.class);
}
@Override
public void start(Stage stage) throws Exception {
stage.setTitle("Ui Application");
mainBorderPane = new BorderPane();
mainBorderPane.setTop(createMenuBar());
Scene scene = new Scene(new Group(), 800, 605);
scene.setRoot(mainBorderPane);
stage.setScene(scene);
stage.show();
}
private MenuBar createMenuBar() {
MenuBar menuBar = new MenuBar();
Menu viewMenu = new Menu("Views");
menuBar.getMenus().add(viewMenu);
ToggleGroup toggleGroup = new ToggleGroup();
views.forEach(v -> {
RadioMenuItem item = new RadioMenuItem(v.getName());
item.setToggleGroup(toggleGroup);
item.setOnAction(event -> {
Label label = new Label(v.getName());
mainBorderPane.setLeft(label);
mainBorderPane.setCenter(v.getView());
});
viewMenu.getItems().add(item);
});
return menuBar;
}
public static void main(String[] args) {
launch(args);
}
}
View.java
public interface View {
String getName();
Node getView();
}
方案
我正在处理的应用程序是一个多模块独立桌面应用程序。例如,Core将在左侧(左窗格)中保留一个窗格。 left-pane将接受来自实现名为nodes
的接口的任何模块的LeftPane
。 A 实现LeftPane
接口。每当启动Core时,它应该扫描一个文件夹,在这种情况下插件并自动启动那里的所有包,包括A,这将继续填充左窗格。
答案 0 :(得分:2)
最简单的方法当然是将插件放在类路径上。然后,您只需通过ServiceLoader
。
或者您提供了一种机制,可以检测特定位置的插件jar文件并将其添加到类路径中。这是棘手的部分。一种方法是为您的应用程序使用自定义ClassLoader
,允许将jar文件添加到类路径中。
我选择了一种不同的方法,可以访问我的应用程序使用的ClassLoader
的非公共API:
private void addFile(File f) throws IOException // URL to your plugin jar file
{
addURL(f.toURI().toURL());
}
private void addURL(URL u) throws IOException
{
URLClassLoader sysloader = (URLClassLoader) ClassLoader.getSystemClassLoader();
Class sysclass = URLClassLoader.class;
try {
Method method = sysclass.getDeclaredMethod("addURL", parameters);
method.setAccessible(true);
method.invoke(sysloader, new Object[] {u});
} catch (Throwable t) {
t.printStackTrace();
}
}
当插件jar文件位于类路径上时,您可以通过ServiceLoader
访问公开的接口。让我用一个例子来说明这一点。公开的接口可能如下所示:
/**
* Interface to allow plugins to contribute resource reference properties.
*/
public interface IResourcePropertyLoader {
/**
* Retrieve the base name for the additional text resource.
* @return
*/
String getResourcePropertyBaseName();
}
接口(也可以是基类)是核心应用程序的一部分。该插件有一个实现此接口的类。
接下来,您将查找该界面的所有实现:
ServiceLoader<ITextPropertyLoader> loader = ServiceLoader.load(ITextPropertyLoader.class, ClassLoader.getSystemClassLoader());
ServiceLoader
实现Iterable
,因此您可以遍历所有实现:
for (ITextPropertyLoader textProperty : loader) {
final String textPropertyBaseName = textProperty.getTextPropertyBaseName();
System.out.println("Found text property with name: " + textPropertyBaseName);
}
另请参阅此Oracles documentation以及此question