对于范围不统一且存在“漏洞”的更普遍的问题,我可以想到许多可能的解决方案。最简单的是:
- 只需为所有有效键值填充一个 Map,多个键映射到同一个值。假设您使用 HashMaps,这应该是最省时的(O(1) 查找),尽管您在设置时有更多工作并且使用更多空间。
- 使用 NavigableMap 并用于
floorEntry(key)
进行查找。这应该更省时(O(log(N)查找)但更节省空间。
这是一个使用 NavigableMaps 的解决方案,它允许映射中的“洞”。
private static class Range {
public int upper, value;
...
}
NavigableMap<Integer, Range> map = new TreeMap<Integer, Range>();
map.put(0, new Range(3, 0)); // 0..3 => 0
map.put(5, new Range(10, 1)); // 5..10 => 1
map.put(100, new Range(200, 2)); // 100..200 => 2
// To do a lookup for some value in 'key'
Map.Entry<Integer,Range> entry = map.floorEntry(key);
if (entry == null) {
// too small
} else if (key <= entry.getValue().upper) {
return entry.getValue().value;
} else {
// too large or in a hole
}
另一方面,如果没有“漏洞”,则解决方案更简单:
NavigableMap<Integer, Integer> map = new TreeMap<Integer, Integer>();
map.put(0, 0); // 0..4 => 0
map.put(5, 1); // 5..10 => 1
map.put(11, 2); // 11..200 => 2
// To do a lookup for some value in 'key'
if (key < 0 || key > 200) {
// out of range
} else {
return map.floorEntry(key).getValue();
}