1

哈希表中的数据被同一个键覆盖。我试图在不同的时间间隔针对同一个键添加“n”个数据,以前添加到哈希表的数据被覆盖,如何解决这个问题?

if (value == RepeatRule.DAILY) {

                            setHashRepeatData(repDates, eventBean,
                                    listRepeatEvents);

                        }
                        if (value == RepeatRule.WEEKLY) {

                            setHashRepeatData(repDates, eventBean,
                                    listWeekEvents);
                        }

private void setHashRepeatData(Vector repDates, EventData eventBean,
            Vector listOfRepeatData) {

        if (repDates != null) {
            System.out.println("the size of repDates is :" + repDates.size());
            System.out.println("summ" + eventBean.getSummary());
            listOfRepeatData.addElement(eventBean);
            for (int i = 0; i < repDates.size(); i++) {
                String currentRepDate = (String) repDates.elementAt(i);
                System.out.println("currentRepDate" + currentRepDate);

                listUserEvents.put(currentRepDate, listOfRepeatData);

            }
        }

    }

我在不同的时间间隔调用上述方法并尝试为相同的键设置数据。我不知道如何解决这个问题。

4

2 回答 2

1

您正在寻找一个多值映射(对于同一个键,您可以有多个值)。

要么你自己实现这个(通过改变你的Map<K,V>to Map<K,List<V>>),但这对作家来说有点痛苦。

或者使用提供该功能的 Guava:Multimaps(我会推荐这种方法)

于 2012-05-16T09:27:52.883 回答
0

如果您自己做,这将是您想要实现的示例实现:

// I took a set because I wanted have the inputs sorted
HashMap<String, Set<String>> var = new HashMap<String, Set<String>>();

String key= "key";
String value = "value";

if(var.containsKey(key)){
// the set is already there we can proceed to add the value
} else {
    //first time you have to create the List
    var.put(key, new TreeSet<String>());
}
var.get(key).add(value);

您将不得不根据您的情况对其进行修改,例如:

HashMap<String, Vector<String>> var = new HashMap<String, Vector<String>>();

String key= "key";
String value = "value";

if(var.containsKey(key)){
// the set is already there we can proceed to add the value
} else {
    //first time you have to create the List
    var.put(key, new Vector<String>());
}
var.get(key).addElement(value);
于 2012-05-16T09:47:16.493 回答