我当前的解决方案使用多维数组,是否存在更简单的解决方案?我想在 O(1) 时间内访问散列对象,并希望充分利用内存空间,因此需要完美的散列。
public final class PerfectHash {
private Object[][][] hashtable = new Object[26][26][26];
public void storeObjectAgainst3letterStringKey(Object o, String s){
int[] coord = stringToCoord(s);
hashtable[coord[0]][coord[1]][coord[2]] = o;
}
public Object get(String s){
int[] coord = stringToCoord(s);
return hashtable[coord[0]][coord[1]][coord[2]];
}
private int[] stringToCoord(String s){
if (!s.matches("[a-z][a-z][a-z]")){
throw new IllegalStateException("invalid input, expecting 3 alphabet letters");
}
// 1-26
// 1-26
// 1-26
String lowercase = s.toLowerCase();
// 97-122 integers for lower case ascii
int[] coord = new int[3];
for (int i=0;i<lowercase.length();++i){
int ascii = (int)lowercase.charAt(i);
int alpha = ascii - 97; // 0-25
coord[i] = alpha;
}
return coord;
}
}