Java.util.ServiceLoader.load()


描述

所述java.util.ServiceLoader.load(Class 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

我们的服务代码如下

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