小编典典

如何以Java编程方式获取接口的所有实现的列表?

java

我可以用反射之类的方法做到吗?


阅读 1151

收藏
2020-03-04

共1个答案

小编典典

我已经搜索了一段时间,似乎有不同的方法,这里是一个摘要:

如果你不介意添加依赖项,则反射库非常受欢迎。它看起来像这样:

Reflections reflections = new Reflections("firstdeveloper.examples.reflections");
Set<Class<? extends Pet>> classes = reflections.getSubTypesOf(Pet.class);
ServiceLoader(根据埃里克森的回答),看起来像这样:

ServiceLoader<Pet> loader = ServiceLoader.load(Pet.class);
for (Pet implClass : loader) {
    System.out.println(implClass.getClass().getSimpleName()); // prints Dog, Cat
}

请注意,要使其正常工作,你需要定义PetServiceProviderInterface(SPI)并声明其实现。你这样做,通过创建一个文件resources/META-INF/services的名称examples.reflections.Pet和声明的所有实现Pet它

examples.reflections.Dog
examples.reflections.Cat

包级注释。这是一个例子:

Package[] packages = Package.getPackages();
for (Package p : packages) {
    MyPackageAnnotation annotation = p.getAnnotation(MyPackageAnnotation.class);
    if (annotation != null) {
        Class<?>[]  implementations = annotation.implementationsOfPet();
        for (Class<?> impl : implementations) {
            System.out.println(impl.getSimpleName());
        }
    }
}

和注释定义:

@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.PACKAGE)
public @interface MyPackageAnnotation {
    Class<?>[] implementationsOfPet() default {};
}

并且你必须package-info.java在该包内名为的文件中声明包级注释。以下是示例内容:

@MyPackageAnnotation(implementationsOfPet = {Dog.class, Cat.class})
package examples.reflections;

请注意,只有那时ClassLoader已知的软件包才能通过调用加载Package.getPackages()

此外,还有其他基于URLClassLoader的方法,这些方法将始终限于已加载的类,除非你执行基于目录的搜索。

2020-03-04