0

我正在尝试打印我的地图以显示每个打印语句的键和值。我有重复的键和重复的值。例如:

key -> value
house -> dog
house -> cat
dog -> house
dog -> cat
cat -> house
cat -> bike

这是我的文本文件:

house   cat
house   dog
house   index
cat bike
cat house
cat index
dog house
dog cat
dog index

出于某种原因,我的代码正在打印字符串“索引”而不是实际值。我的代码在这里:

//adding values from a text file of two words per line.
//those two words per line in the text file are tab delimitted

public static Map<String, String> animals = new HashMap<String, String>(); 
BufferedReader in = new BufferedReader(new InputStreamReader("animals.txt"));
String current_line;
String[] splitted_strings = new String[1];
while ((current_line = in.readLine()) != null){
   splitted_strings = current_line.split("\t");
   animals.put(splitted_strings[0], splitted_strings[1]);
}

//print statement
for(Map.Entry entry : animals.entrySet()) 
   System.out.println(entry.getValue() + " " + entry.getKey());

下面显示的代码中的简单打印语句的输出如下所示:

index cat
index house
index dog

如何将这些值添加到数据结构中以保留上述密钥对?我怎样才能得到这样的输出?:

house cat
house dog
house index
cat bike
cat house
cat index
dog house
dog cat
dog index
4

2 回答 2

5

我有重复的键和重复的值。

不,你没有。不在一个Map<K,V>. 根据定义,键是唯一的。

如果您希望每个键有多个值,则需要Guava之类的东西Multimap

但是,如果您提供的代码确实为每个值打印“索引”,那么我强烈怀疑该地图一开始就不正确,并且您的人口代码中有一个错误(我们看不到) . (要么,要么你使用一些自定义类作为值,它的toString方法总是返回“索引”。)

你应该退后一步,看看你的人口代码。

编辑:我修改了您的示例代码,以便它可以编译,提出:

import java.io.*;
import java.util.*;

public class Test {

    public static void main(String[] args) throws IOException {
        Map<String, String> animals = new HashMap<String, String>(); 
        BufferedReader in = new BufferedReader
            (new InputStreamReader(new FileInputStream("animals.txt")));
        String current_line;
        String[] splitted_strings = new String[1];
        while ((current_line = in.readLine()) != null){
            splitted_strings = current_line.split("\t");
            animals.put(splitted_strings[0], splitted_strings[1]);
        }
        for(Map.Entry entry : animals.entrySet()) 
            System.out.println(entry.getValue() + " " + entry.getKey());
    }
}

并使用animals.txt:

key1    value1
key2    value2
key3    value3
key4    value4

输出是:

value4 key4
value3 key3
value2 key2
value1 key1

根本没有“索引”的迹象。所以要么这不是你真正的人口代码(除了编译错误),要么你的文本文件对每个值都有“索引”......

于 2013-03-07T00:39:40.170 回答
1

作为使用 Guava 的替代方法,您可以基于Map<String,Set<String>>.

添加键值对时,首先检查键是否已经存在。如果没有,请将其与仅包含新值的 Set 放在一起。如果键已经存在,则获取其 Set 并添加新值。

要检查是否存在一对,请获取键的 Set 并查看它是否包含该值。

于 2013-03-07T02:45:30.120 回答