Introduction
This example shows how to fill the values in a bean from a HashMap
using Reflection
. In the HashMap
, key
is the field name & value
is the value of that field.
Quick Start
import java.lang.reflect.Field;
import java.util.Map;
public static Object FilledBean(Map<String, Object> fieldValueMapping, Class cls) {
Object obj = null;
try {
obj = cls.newInstance();
Field[] fields = cls.getDeclaredFields();
for (Field field : fields) {
field.setAccessible(true);
for (Map.Entry<String, Object> entry : fieldValueMapping.entrySet()) {
if (field.getName().equals(entry.getKey())) {
field.set(obj, entry.getValue());
}
}
}
} catch (InstantiationException ex) {
} catch (IllegalAccessException ex) {
}
return obj;
}
Sample Bean Class
import java.util.Date;
public class ReflectionDemo {
private String variable;
private Date log_dt;
private double price;
public String getVariable() {
return variable;
}
public void setVariable(String variable) {
this.variable = variable;
}
public Date getLog_dt() {
return log_dt;
}
public void setLog_dt(Date log_dt) {
this.log_dt = log_dt;
}
public double getPrice() {
return price;
}
public void setPrice(double price) {
this.price = price;
}
}
How to Call
import java.util.Calendar;
import java.util.HashMap;
import java.util.Map;
public static void main(String[] args) {
Map<String, Object> myMap = new HashMap<String, Object>();
myMap.put("variable", "some var");
myMap.put("log_dt", Calendar.getInstance().getTime());
myMap.put("price", 123.35);
ReflectionDemo rd = (ReflectionDemo)FilledBean(myMap, ReflectionDemo.class);
System.out.print(rd.getLog_dt());
System.out.print(rd.getPrice());
System.out.print(rd.getVariable());
}
If you have any doubts, please post your questions. If you really like this article, please share it.
Don’t forget to vote or comment about my writing.
CodeProject
