将POJO转换为<k,v>地图</k,v>

时间:2011-05-20 17:11:38

标签: java map pojo

  

可能重复:
  How to convert a Java object (bean) to key-value pairs (and vice versa)?

转换List<POJO> to a List<Map<K,V>>.的最佳方式是什么? 有自定义方法/ API吗?

K = POJO的字段名称,V是对应的值

public class POJO implements Serializable{

String name;
String age;
//getters and setters
}

6 个答案:

答案 0 :(得分:8)

对于好的和Introspector来说,这听起来像是一份工作。

工作示例:

// Don't be lazy like this, do something about the exceptions
public static void main(String[] args) throws Exception {
    List<POJO> pojos = new ArrayList<POJO>();
    POJO p1 = new POJO();
    p1.setAge("20");
    p1.setName("Name");
    pojos.add(p1);
    POJO p2 = new POJO();
    // ...
    System.out.println(convertCollection(pojos));
}

public static List<Map<String, ?>> convertCollection(Collection collection) 
        throws Exception {
    List<Map<String, ?>> list = new ArrayList<Map<String, ?>>();
    for (Object element : collection) {
        list.add(getValues(element));
    }
    return list;
}

public static Map<String, ?> getValues(Object o) 
        throws Exception {
    Map<String, Object> values = new HashMap<String, Object>();
    BeanInfo info = Introspector.getBeanInfo(o.getClass());
    for (PropertyDescriptor pd : info.getPropertyDescriptors()) {
        // This will access public properties through getters
        Method getter = pd.getReadMethod();
        if (getter != null)
            values.put(pd.getName(), getter.invoke(o));
    }
    return values;
}

答案 1 :(得分:6)

来自Apache Commons的

BeanMap完成了这项工作

答案 2 :(得分:1)

您可以使用反射来做到这一点。见Class.getDeclaredFields。这将为您提供类的字段,然后您可以从中获取值并填充您的地图。

请注意,如果字段是私有的,您可能需要在字段上调用setAccessible,然后才能获得该值。

编辑:我的回答仅适用于您在构建地图时不知道POJO的字段/实现的情况。

答案 3 :(得分:1)

如果你的意思是K,V的地图,那么这将有效

List<Pojo> pojos = ...;
Map<String, String> map = new HashMap<String,String>();
for (Pojo pojo : pojos) {
 map.put(pojo.getName(), pojo.getAge());
}

答案 4 :(得分:0)

假设您想要一个Map sans列表,最简单的方法可能是使用简单的for循环:

Map<K,V> theMap = new HashMap<K,V>();
for (POJO obj : theList) {
    // Obviously the below can be simplified to one line
    // but it makes sense to make everything explicit for
    // ease of reading
    K key = ... // obj.getName() maybe?
    V value = ... // obj itself maybe?
    theMap.put(key, value);
}

答案 5 :(得分:-1)

您需要知道POJO名称。假设您有类似pojo.getName()的内容,那么它就像这样:

Map<String, Pojo> pojoMap = new HashMap<String, Pojo>();
for (Pojo pojo:pojoList) {
  pojoMap.put(pojo.getName(), pojo);
}

注意我改变了你的要求,我已经将一个pojos列表转换为一个地图。