|
Articles > Misc > How to get method parameter names using Java reflection |
|
How to get method parameter names using Java reflection
Author: Venkata Sudhakar
The below example shows how to get method parameter name using Java reflection. In Java 8 and above you can include debugging information about method parameters by compiling with -parameters compiler flag.
01 | package com.bethecoder.java.reflection; |
03 | import java.lang.reflect.Method; |
04 | import java.lang.reflect.Parameter; |
06 | public class ParamNamesExample { |
08 | public static void main(String[] args) throws Exception { |
09 | for (Method declaredMethod : Calculator. class .getDeclaredMethods()) { |
10 | for (Parameter parameter : declaredMethod.getParameters()) { |
11 | System.out.println(parameter.getName()); |
16 | private static class Calculator { |
17 | public static int add ( int first, int second) { |
18 | return first + second; |
Output without -parameters compiler flag,
arg0
arg1
Output with -parameters compiler flag,
javac -parameters ParamNamesExample.java
first
second
Maven users can try the following compiler plugin configuration
01 | < groupId >org.apache.maven.plugins</ groupId > |
02 | < artifactId >maven-compiler-plugin</ artifactId > |
03 | < version >3.7.0</ version > |
07 | < encoding >UTF-8</ encoding > |
09 | < arg >-parameters</ arg > |
|
|