用一组项目初始化HashMap?

时间:2012-02-26 13:36:50

标签: java hashmap

我有长时间处理的结果。我不想将它直接传递给HashMap并进行更多计算。我想保存它然后每次重复使用。

我的数组值如下所示:

{0=0, 1=15, 2=70, 3=90, 4=90, 5=71, 6=11, 7=1, 8=61, 9=99, 10=100, 11=100, 12=100, 13=66, 14=29, 15=98, 17=100, 16=100, 19=100, 18=100, 21=62, 20=90, 23=100, 22=100, 25=100, 24=100, 27=91, 26=100, 29=100, 28=68, 31=100, 30=100, 34=83, 35=55, 32=100, 33=100, 38=100, 39=100, 36=100, 37=100, 42=10, 43=90, 40=99, 41=33, 46=99, 47=40, 44=100, 45=100, 48=2}  

有没有办法通过传递这些值来初始化新的HashMap?也许就像初始化一个简单的数组:

float[] list={1,2,3};  

4 个答案:

答案 0 :(得分:9)

对于我们面前的问题,最好的解决方案是:

int [] map =
  {0, 15, 70, 90, 90, 71, 11, 1, 61, 99, 100, 100, 100, 66, 29, 98, 100, 100, 
   100, 100, 90, 62, 100, 100, 100, 100, 100, 91, 68, 100, 100, 100, 100, 100,
   83, 55, 100, 100, 100, 100, 99, 33, 10, 90, 100, 100, 99, 40, 2};

毕竟这是一种地图 - 它将索引映射到相应的值。但是,如果您的密钥不是那么具体,您可以执行以下操作:

int [][] initializer =
    {{0, 0}, {1, 15}, {2, 70}, {3, 90}, {4, 90}, {5, 71}, {6, 11}, {7, 1}, {8, 61},
     {9, 99}, {10, 100}, {11, 100}, {12, 100}, {13, 66}, {14, 29}, {15, 98},
     {17, 100}, {16, 100}, {19, 100}, {18, 100}, {21, 62}, {20, 90}, {23, 100},
     {22, 100}, {25, 100}, {24, 100}, {27, 91}, {26, 100}, {29, 100}, {28, 68},
     {31, 100}, {30, 100}, {34, 83}, {35, 55}, {32, 100}, {33, 100}, {38, 100},
     {39, 100}, {36, 100}, {37, 100}, {42, 10}, {43, 90}, {40, 99}, {41, 33},
     {46, 99}, {47, 40}, {44, 100}, {45, 100}, {48, 2}};
Map<Integer, Integer> myMap = new HashMap<Integer, Integer> ();
for (int i = 0; i < initializer.length; i++) {
    myMap.put(initializer[i][0], initializer[i][1]);
}

答案 1 :(得分:2)

使用值初始化HashMap的唯一方法是在创建对象后多次使用put()方法。这是因为HashMap需要使用散列机制来正确排序地图中的对象,以实现它所保证的性能。

答案 2 :(得分:2)

你的问题很混乱。你想要的是将Map的内容复制到另一个Map,使用putAll方法。

Map<Integer, Integer> newMap = new HashMap<Integer, Integer>();
newMap.putAll(oldMap);

或直接复制构造函数:

Map<Integer, Integer> newMap = new HashMap<Integer, Integer>(oldMap);

答案 3 :(得分:1)

据我所知,你无法像数组一样轻松地实例化Hashmap。

你可以做的是编写一个utitlity方法并使用它来实例化地图:

Map<Integer, Integer> createMap(Integer[] array) {
    Map<Integer, Integer> map = new HashMap<Integer, Integer>();
    for(int i = 0; i < array.length; i++) {
        map.put(i, array[i]);
    }
    return map;
}