Java.util.ServiceLoader.load() 方法
描述
java.util.ServiceLoader.load(Class<S> service,ClassLoader loader) 方法为给定的服务类型和类加载器创建一个新的服务加载器。
声明
以下是 java.util.ServiceLoader.load() 方法的声明
public static <S> ServiceLoader<S> load(Class<S> service,ClassLoader loader)
参数
service − 代表服务的接口或抽象类
loader − 用于加载提供程序配置文件和提供程序类的类加载器,如果要使用系统类加载器(或者,如果失败,则为引导类加载器),则为 null
返回值
该方法返回一个新的服务加载器
异常
NA
示例
为了注册服务,我们的类路径中需要一个 META-INF/service 文件夹。 在这个特定的文件夹中,我们需要一个文本文件,其中包含我们实现的接口的名称,其中包含一行列出实现的具体类名称。 在我们的例子中,文件的名称是 com.tutorialspoint.ServiceProvider 并包含这一行 −
com.tutorialspoint.ServiceImplementation
Our service code is the following −
package com.tutorialspoint; public class ServiceImplementation extends ServiceProvider { public String getMessage() { return "Hello World"; } }
以下代码加载注册的服务并使用它从服务中获取消息 −
package com.tutorialspoint; import java.util.ServiceLoader; public abstract class ServiceProvider { public static ServiceProvider getDefault() { // load our plugin with the default system class loader ServiceLoader<ServiceProvider> serviceLoader = ServiceLoader.load(ServiceProvider.class, ClassLoader.getSystemClassLoader()); //checking if load was successful for (ServiceProvider provider : serviceLoader) { return provider; } throw new Error("Something is wrong with registering the addon"); } public abstract String getMessage(); public static void main(String[] ignored) { // create a new provider and call getMessage() ServiceProvider provider = ServiceProvider.getDefault(); System.out.println(provider.getMessage()); } }
让我们编译并运行上面的程序,这将产生以下结果 −
Hello World