hashmap中每个键的值相同

时间:2015-06-29 09:39:25

标签: java list scope hashmap

我将从我的代码

开始
 public void simulateSale(List<IceCream> dailyIceCreamStock) {
    date = LocalDate.now().minusDays(6);
    DateTimeFormatter fmt = DateTimeFormat.forPattern("yyyy-MM-dd");

    for (int i = 0; i < timeInterval; i++) {
        for(IceCream iceCream: dailyIceCreamStock){
            iceCream.setSoldCount(rand.nextInt(IceCream.AMOUNT + 1));
            iceCream.setStockDate(date);
        }

        //Every day should have different ArrayList of values
        this.weeklyStats.put(date.toString(fmt), dailyIceCreamStock);
        date = date.plusDays(1);
    }

问题出现在这一行:this.weeklyStats.put(date.toString(fmt), dailyIceCreamStock);

如您所见,我将随机生成的值添加到类型为

的hashmap中
Map<String, List<IceCream>> weeklyStats

问题是,当我迭代这个hashmap时,每个键都有相同的List List值。输出如下:

[11, 3, 11, 12, 20]
[11, 3, 11, 12, 20]
[11, 3, 11, 12, 20]
[11, 3, 11, 12, 20]
[11, 3, 11, 12, 20]
[11, 3, 11, 12, 20]
[11, 3, 11, 12, 20]

所需的输出是在每个列表中都有随机值。 我想,范围存在一些问题,我不明白

2 个答案:

答案 0 :(得分:4)

您正在多次向Map添加相同的List实例。您应该创建List的副本,以便在Map中具有不同的值:

for (int i = 0; i < timeInterval; i++) {
    List<IceCream> copy = new ArrayList<>(dailyIceCreamStock); // create a copy
    for(IceCream iceCream: copy){ // modify the elements of the copy
        iceCream.setSoldCount(rand.nextInt(IceCream.AMOUNT + 1));
        iceCream.setStockDate(date);
    }

    //Every day should have different ArrayList of values
    this.weeklyStats.put(date.toString(fmt), copy); // put the copy in the Map
    date = date.plusDays(1);
}

编辑:

实际上,这还不够,你也应该创建IceCream实例的副本。否则所有列表将是不同的实例,但仍然包含相同的IceCream对象。

for (int i = 0; i < timeInterval; i++) {
    List<IceCream> copy = new ArrayList<>();
    for(IceCream iceCream: dailyIceCreamStock){ 
        IceCream newIC = new IceCream(); // not sure if you want to copy any
                                         // data from the original IceCream
        newIC.setSoldCount(rand.nextInt(IceCream.AMOUNT + 1));
        newIC.setStockDate(date);
        copy.add(newIC); // add a new IceCream instance to the new List
    }

    //Every day should have different ArrayList of values
    this.weeklyStats.put(date.toString(fmt), copy); 
    date = date.plusDays(1);
}

答案 1 :(得分:3)

每次迭代时,您都会修改相同的List<IceCream> dailyIceCreamStock,因此Map中的所有键都指向同一个列表。

您可能希望在每次迭代时初始化并引用List的新深层副本,并在执行随机突变后将其放入Map中。