组合具有价值的 int 键

Composit int Keys with value

我需要将自定义对象作为值存储在具有两个复合整数键的字典中,例如 datastrukturer。 (复合 ID)

我尝试使用数组作为键,但两者都不起作用,因为我猜那只是指向该数组的指针,用作键

要是能用就好了

store.put([12,43],myObject);
store.get([12,43]);

int[] 将不起作用,因为(参见 equals vs Arrays.equals in Java):

public static void main(String[] args) throws Exception {
    int[] one = new int[] { 1, 2, 3 };
    int[] two = new int[] { 1, 2, 3 };

    System.out.println(one.equals(two)); // <<--- yields false
}

但是,如果:

Map<List<Integer>, Object> store = new HashMap<>();

那么您可以:

store.put(Arrays.asList(12, 43), myObject);
myObject == store.get(Arrays.asList(12, 43));

或者可能更面向对象 - 创建简单封装 List:

的类型 StoreKey
public final class StoreKey {
    private List<Integer> keyParts;

    public static StoreKey of(int... is) {
        return new StoreKey(IntStream.of(is)
                                     .boxed()
                                     .collect(Collectors.toList()));
    }

    public StoreKey(List<Integer> keyParts) {
        this.keyParts = keyParts;
    }

    @Override
    public int hashCode() {
        return keyParts.hashCode();
    }

    @Override
    public boolean equals(Object obj) {
        if (obj == null || !(obj instanceof StoreKey)) {
            return false;
        }

        return this.keyParts.equals(((StoreKey) obj).keyParts);
    }

}

然后:

Map<StoreKey, Object> store = new HashMap<>();
store.put(StoreKey.of(12, 43), myObject);

最后,我们可以看到这将用作密钥,因为:

public static void main(String[] args) throws Exception {
    StoreKey one = StoreKey.of(1, 2, 3);
    StoreKey two = StoreKey.of(1, 2, 3);

    System.out.println(one.equals(two)); // <<--- yields true
}