How can I get a list of all the implementations of an interface programmatically in Java?

JavaInterface

Java Problem Overview


Can I do it with reflection or something like that?

Java Solutions


Solution 1 - Java

I have been searching for a while and there seems to be different approaches, here is a summary:

  1. reflections library is pretty popular if u don't mind adding the dependency. It would look like this:

     Reflections reflections = new Reflections("firstdeveloper.examples.reflections");
     Set<Class<? extends Pet>> classes = reflections.getSubTypesOf(Pet.class);
     
    
  2. ServiceLoader (as per erickson answer) and it would look like this:

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

Note that for this to work you need to define Petas a ServiceProviderInterface (SPI) and declare its implementations. you do that by creating a file in resources/META-INF/services with the name examples.reflections.Pet and declare all implementations of Pet in it

    examples.reflections.Dog
    examples.reflections.Cat

2. package-level annotation. here is an example:

    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());
	    	}
    	}
    }

and the annotation definition:

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

and you must declare the package-level annotation in a file named package-info.java inside that package. here are sample contents:

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

Note that only packages that are known to the ClassLoader at that time will be loaded by a call to Package.getPackages().

In addition, there are other approaches based on URLClassLoader that will always be limited to classes that have been already loaded, Unless you do a directory-based search.

Solution 2 - Java

In general, it's expensive to do this. To use reflection, the class has to be loaded. If you want to load every class available on the classpath, that will take time and memory, and isn't recommended.

If you want to avoid this, you'd need to implement your own class file parser that operated more efficiently, instead of reflection. A byte code engineering library may help with this approach.

The Service Provider mechanism is the conventional means to enumerate implementations of a pluggable service, and has become more established with the introduction of Project Jigsaw (modules) in Java 9. Use the ServiceLoader in Java 6, or implement your own in earlier versions. I provided an example in another answer.

Solution 3 - Java

What erickson said, but if you still want to do it then take a look at Reflections. From their page:

> Using Reflections you can query your metadata for: > > * get all subtypes of some type > * get all types annotated with some annotation > * get all types annotated with some annotation, including annotation parameters matching > * get all methods annotated with some

Solution 4 - Java

Spring has a pretty simple way to acheive this:

public interface ITask {
    void doStuff();
}

@Component
public class MyTask implements ITask {
   public void doStuff(){}
}

Then you can autowire a list of type ITask and Spring will populate it with all implementations:

@Service
public class TaskService {

    @Autowired
    private List<ITask> tasks;
}

Solution 5 - Java

The most robust mechanism for listing all classes that implement a given interface is currently ClassGraph, because it handles the widest possible array of classpath specification mechanisms, including the new JPMS module system. (I am the author.)

try (ScanResult scanResult = new ClassGraph().whitelistPackages("x.y.z")
        .enableClassInfo().scan()) {
    for (ClassInfo ci : scanResult.getClassesImplementing("x.y.z.SomeInterface")) {
        foundImplementingClass(ci);  // Do something with the ClassInfo object
    }
}

Solution 6 - Java

With ClassGraph it's pretty simple:

Groovy code to find implementations of my.package.MyInterface:

@Grab('io.github.classgraph:classgraph:4.6.18')
import io.github.classgraph.*
new ClassGraph().enableClassInfo().scan().withCloseable { scanResult ->
    scanResult.getClassesImplementing('my.package.MyInterface').findAll{!it.abstract}*.name
}

Solution 7 - Java

Yes, the first step is to identify "all" the classes that you cared about. If you already have this information, you can enumerate through each of them and use instanceof to validate the relationship. A related article is here: https://web.archive.org/web/20100226233915/www.javaworld.com/javaworld/javatips/jw-javatip113.html

Solution 8 - Java

What erikson said is best. Here's a related question and answer thread - http://www.velocityreviews.com/forums/t137693-find-all-implementing-classes-in-classpath.html

The Apache BCEL library allows you to read classes without loading them. I believe it will be faster because you should be able to skip the verification step. The other problem with loading all classes using the classloader is that you will suffer a huge memory impact as well as inadvertently run any static code blocks which you probably do not want to do.

The Apache BCEL library link - http://jakarta.apache.org/bcel/

Solution 9 - Java

A new version of @kaybee99's answer, but now returning what the user asks: the implementations...

Spring has a pretty simple way to acheive this:

public interface ITask {
    void doStuff();
    default ITask getImplementation() {
       return this;
    }

}

@Component
public class MyTask implements ITask {
   public void doStuff(){}
}

Then you can autowire a list of type ITask and Spring will populate it with all implementations:

@Service
public class TaskService {

    @Autowired(required = false)
    private List<ITask> tasks;

	if ( tasks != null)
	for (ITask<?> taskImpl: tasks) {
		taskImpl.doStuff();
	}	
}

Solution 10 - Java

Also, if you are writing an IDE plugin (where what you are trying to do is relatively common), then the IDE typically offers you more efficient ways to access the class hierarchy of the current state of the user code.

Solution 11 - Java

I ran into the same issue. My solution was to use reflection to examine all of the methods in an ObjectFactory class, eliminating those that were not createXXX() methods returning an instance of one of my bound POJOs. Each class so discovered is added to a Class[] array, which was then passed to the JAXBContext instantiation call. This performs well, needing only to load the ObjectFactory class, which was about to be needed anyway. I only need to maintain the ObjectFactory class, a task either performed by hand (in my case, because I started with POJOs and used schemagen), or can be generated as needed by xjc. Either way, it is performant, simple, and effective.

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionuser2427View Question on Stackoverflow
Solution 1 - JavaAhmad AbdelghanyView Answer on Stackoverflow
Solution 2 - JavaericksonView Answer on Stackoverflow
Solution 3 - JavaPeter SeverinView Answer on Stackoverflow
Solution 4 - Javakaybee99View Answer on Stackoverflow
Solution 5 - JavaLuke HutchisonView Answer on Stackoverflow
Solution 6 - JavaverglorView Answer on Stackoverflow
Solution 7 - JavaZhichaoView Answer on Stackoverflow
Solution 8 - JavaSachinView Answer on Stackoverflow
Solution 9 - JavaNaNView Answer on Stackoverflow
Solution 10 - JavaUriView Answer on Stackoverflow
Solution 11 - JavaNDKView Answer on Stackoverflow