假设我有一个Java列表,如下所示:
[
[A, AA, 10],
[A, AB, 11],
[B, BA, 20],
[A, AA, 12],
]
我想处理每一行以创建地图的地图,以便我可以按如下方式处理每行中的最后一个值:
{
A: {
AA: [10, 12]
AB: [11]
},
B: {
BA: [20]
}
}
通过这种方式,我可以进行如下调用:
for (int i : map.get("A").get("AA")) { ... }
当然,我可以遍历列表并手动创建地图。但是,这段代码非常难看,而且很难对3,4,5,...,n
列进行概括。
是否有一些聪明的方法来处理这些列表?某种类型的图书馆或其他我想不到的东西?
答案 0 :(得分:5)
又一段非常丑陋的代码: - )
class CustomTree {
private final Map store;
private final int length;
public CustomTree(List<List<String>> source, int length) {
if (length < 2)
throw new IllegalArgumentException("Length must be greater than 2");
this.length = length;
this.store = new HashMap();
for (int i = 0; i < source.size(); i++) {
List<String> line = source.get(i);
if (line.size() != length)
throw new IllegalArgumentException(String.format("Line %d has wrong length", i));
}
for (List<String> line : source) {
if (line.size() != length)
throw new IllegalArgumentException("Not all lines have right length");
accumulate(store, line);
}
}
public void accumulate(Map parent, List<String> keys) {
String key = keys.get(0);
Object value = parent.get(key);
if (keys.size() == 2) {
parent.put(key, value != null
? addToList((List) value, keys.get(1))
: addToList(new ArrayList(), keys.get(1)));
} else {
Map child;
if (value != null) {
child = (Map) value;
} else {
child = new HashMap();
parent.put(key, child);
}
accumulate(child, keys.subList(1, keys.size()));
}
}
private List addToList(List list, String key) {
Integer intValue = Integer.valueOf(key);
if (!list.contains(intValue))
list.add(intValue);
return list;
}
public List<Integer> get(List<String> keys) {
if (keys.size() != (length - 1))
throw new IllegalArgumentException("Bad keys length");
return get(keys, store);
}
private List<Integer> get(List<String> keys, Map tree) {
Object object = tree.get(keys.get(0));
if (object == null)
return new ArrayList<Integer>(0);
return keys.size() == 1
? ((List<Integer>) object)
: get(keys.subList(1, keys.size()), (Map) object);
}
}
用法
public class Main {
public static void main(String[] args) {
List<List<String>> source = new ArrayList<List<String>>();
List<String> first = Arrays.asList("A", "AA", "CB", "10");
List<String> second = Arrays.asList("A", "AB", "CB", "11");
List<String> third = Arrays.asList("BA", "BA", "CB", "20");
List<String> fourth = Arrays.asList("A", "AA", "CB", "12");
List<String> fifth = Arrays.asList("BA", "BA", "CB", "21");
source.add(first);
source.add(second);
source.add(third);
source.add(fourth);
source.add(fifth);
CustomTree tree = new CustomTree(source, 4);
System.out.println(tree.get(Arrays.asList("BA", "BA", "CB")));
System.out.println(tree.get(Arrays.asList("BA", "B", "sf")));
}
}
可能太难看了。它仅在需要树的最终元素而没有任何中间Map时才有效。