Getting the java.lang.reflect.Method from a ProceedingJoinPoint?

SpringJakarta EeAopAspectjSpring Aop

Spring Problem Overview


The question is short and simple: Is there a way to get the Method object from an apsectj ProceedingJoinPoint?

Currently I am doing

Class[] parameterTypes = new Class[joinPoint.getArgs().length];
Object[] args = joinPoint.getArgs();
for(int i=0; i<args.length; i++) {
	if(args[i] != null) {
		parameterTypes[i] = args[i].getClass();
	}
	else {
    	parameterTypes[i] = null;
	}
}
		
String methodName = joinPoint.getSignature().getName();
Method method = joinPoint.getSignature()
    .getDeclaringType().getMethod(methodName, parameterTypes);

but I don't think this is the way to go ...

Spring Solutions


Solution 1 - Spring

Your method is not wrong, but there's a better one. You have to cast to MethodSignature

MethodSignature signature = (MethodSignature) joinPoint.getSignature();
Method method = signature.getMethod();

Solution 2 - Spring

You should be careful because Method method = signature.getMethod() will return the method of the interface, you should add this to be sure to get the method of the implementation class:

    if (method.getDeclaringClass().isInterface()) {
        try {
            method= jointPoint.getTarget().getClass().getDeclaredMethod(jointPoint.getSignature().getName(),
                    method.getParameterTypes());
        } catch (final SecurityException exception) {
            //...
        } catch (final NoSuchMethodException exception) {
            //...                
        }
    }

(The code in catch is voluntary empty, you better add code to manage the exception)

With this you'll have the implementation if you want to access method or parameter annotations if this one are not in the interface

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
QuestionErikView Question on Stackoverflow
Solution 1 - SpringBozhoView Answer on Stackoverflow
Solution 2 - SpringNordineView Answer on Stackoverflow