tl  tr
  Home | Tutorials | Articles | Videos | Products | Tools | Search
Interviews | Open Source | Tag Cloud | Follow Us | Bookmark | Contact   
 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.

01package com.bethecoder.java.reflection;
02 
03import java.lang.reflect.Method;
04import java.lang.reflect.Parameter;
05 
06public class ParamNamesExample {
07 
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());
12            }
13        }
14    }
15     
16    private static class Calculator {
17        public static int add (int first, int second) {
18            return first + second;
19        }
20    }
21 
22}

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>
04<configuration>
05    <source>1.8</source>
06    <target>1.8</target>
07    <encoding>UTF-8</encoding>
08    <compilerArgs>
09        <arg>-parameters</arg>
10    </compilerArgs>
11</configuration>

 
  


  
bl  br