我有List
个对象。一些对象是Map<String, String>
类型,另一些是Map<String, List<String>>
类型。我需要将它们分组到不同的列表中。
请告诉我是否有应对这些挑战的方法。
答案 0 :(得分:-1)
这看起来像是一个有趣的代码挑战。我写了一个小Java类,演示如何使用'instanceof'运算符将这些值拆分为单独的集合。
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
class Scratch {
public static void main(String[] args) {
// test data
List<Map<String, ?>> mixed = new ArrayList<>();
Map<String, String> strings = new HashMap<>();
strings.put("x", "y");
Map<String, List<String>> lists = new HashMap<>();
List<String> list = new ArrayList<>();
list.add("z");
lists.put("w", list);
mixed.add(strings);
mixed.add(lists);
// split out data
Map<String, String> onlyStrings = new HashMap<>();
Map<String, List<String>> onlyLists = new HashMap<>();
for (Map<String, ?> item : mixed) {
for (Map.Entry<String, ?> entry : item.entrySet()) {
Object value = entry.getValue();
if (value instanceof String) {
onlyStrings.put(entry.getKey(), (String)entry.getValue());
} else if (value instanceof List) {
onlyLists.put(entry.getKey(), (List<String>)entry.getValue());
}
}
}
// print out
System.out.println("---Strings---");
for (Map.Entry<String, String> entry : onlyStrings.entrySet()) {
System.out.println(entry);
}
System.out.println("---Lists---");
for (Map.Entry<String, List<String>> entry : onlyLists.entrySet()) {
System.out.println(entry);
}
}
}
输出
---Strings---
x=y
---Lists---
w=[z]
希望它会有所帮助,这就是您所追求的