所以我有一个问题,我必须在我的HashMap中使用相同的键将所有值加起来。数据(宠物店和宠物价格)是从ArrayList中检索的。目前,该程序仅会获得每个商店的最终价值,因为有多个商店的名称相同,但宠物价格不同。我希望能够对每个商店的宠物价格进行汇总。因此,例如,如果有
Law Pet商店:7.00,另一个Law Pet商店:5.00,我想这样输出:Law Pet商店:13.00。这是代码和输出:

public class AverageCost {

    public void calc(ArrayList<Pet> pets){

        String name = "";
        double price = 0;
        HashMap hm = new HashMap();

        for (Pet i : pets) {
            name = i.getShop();
            price = i.getPrice();

            hm.put(name, price);
        }

        System.out.println("");
        // Get a set of the entries
        Set set = hm.entrySet();
        // Get an iterator
        Iterator i = set.iterator();
        // Display elements
        while(i.hasNext()) {

            Map.Entry me = (Map.Entry)i.next();
            System.out.print(me.getKey() + ": ");
            System.out.println(me.getValue());
        }
    }
}


目前,这是输出:

水上杂技:7.06
野蔷薇补丁宠物商店:5.24
普雷斯顿宠物:18.11
纪念日:18.7
厨房宠物:16.8
Bad以外的任何东西:8.53
宠物购物:21.87
莫里斯宠物及补给品:7.12

最佳答案

首先,请对接口进行编程(而不是具体的收集类型)。其次,请不要使用raw types。接下来,您的Map只需要包含宠物的名称和价格的总和(即String, Double)。就像是,

public void calc(List<Pet> pets) {
    Map<String, Double> hm = new HashMap<>();
    for (Pet i : pets) {
        String name = i.getShop();
        // If the map already has the pet use the current value, otherwise 0.
        double price = hm.containsKey(name) ? hm.get(name) : 0;
        price += i.getPrice();
        hm.put(name, price);
    }
    System.out.println("");
    for (String key : hm.keySet()) {
        System.out.printf("%s: %.2f%n", key, hm.get(key));
    }
}

09-26 22:42