我们都知道,JavaBean中的属性的结构是这样的:
属性名=属性值
这个结构跟Map集合中的数据结构极其相似:
Key=value
那么,问题来了,我们是否可以将Map转换为JavaBean(或是将JavaBean转换成Map)来使用呢?
也就是说,我们可不可以将Map中key转换为JavaBean中的属性名,将Map中的value转换为JavaBean中的属性值呢?
答案是肯定的。具体转换如下:
JavaBean类:
public class Person {
private String name;
private Integer age;
public Person(){}
public Person(String name,int age){
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public String toString(){
return name+","+age;
}
JavaBean转换为Map:
//JavaBean转换为Map
public static Map<String,Object> bean2map(Object bean) throws Exception{
Map<String,Object> map = new HashMap<>();
//获取指定类(Person)的BeanInfo 对象
BeanInfo beanInfo = Introspector.getBeanInfo(Person.class, Object.class);
//获取所有的属性描述器
PropertyDescriptor[] pds = beanInfo.getPropertyDescriptors();
for(PropertyDescriptor pd:pds){
String key = pd.getName();
Method getter = pd.getReadMethod();
Object value = getter.invoke(bean);
map.put(key, value);
}
return map;
}
Map转换为JavaBean:
//Map转换为JavaBean
public static <T> T map2bean(Map<String,Object> map,Class<T> clz) throws Exception{
//创建JavaBean对象
T obj = clz.newInstance();
//获取指定类的BeanInfo对象
BeanInfo beanInfo = Introspector.getBeanInfo(clz, Object.class);
//获取所有的属性描述器
PropertyDescriptor[] pds = beanInfo.getPropertyDescriptors();
for(PropertyDescriptor pd:pds){
Object value = map.get(pd.getName());
Method setter = pd.getWriteMethod();
setter.invoke(obj, value);
}
return obj;
}
main方法:
public static void main(String[] args) throws Exception {
Person p = new Person("Rare",17);
Map<String,Object> map1 = new HashMap<>();
map1 = bean2map(p);
System.out.println(map1);
Map<String,Object> map = new HashMap<>();
map.put("name", "夏明");
map.put("age", 18);
Person p1 = map2bean(map,Person.class);
System.out.println(p1);
}