在一次读取中按长度对文件中的所有单词进行排序。 (JAVA)

时间:2010-11-22 10:51:02

标签: java

对于我的数据结构类,赋值是找到从一个单词到另一个单词的最短路径。

即。开始:流血 - >混合 - >金发 - >结束:血液,费用为3。

我给了一个我必须使用地图分组的单词列表。其中:

键:单词的长度,值:具有该长度的所有单词的集合。

我已经完成了该程序,但如果我改变了在地图中存储集合的方式,我想我可以提高性能。现在我扫描文本文件并将每个单词存储到ArrayList中,然后我浏览ArrayList并将所有长度为x的单词存储到一个集合中,同时从List中删除每个单词。我继续从ArrayList中的第一个元素开始,直到List为空。

我想知道我是否可以在文件中读取这个排序,并完全避免使用ArrayList。

这是我的代码:

ArrayList<String> wordList = new ArrayList<String>();
Map<Integer, Set> setMap = new HashMap<Integer, Set>();
Graph pathGraph = new Graph();

private void readFile(String file) {
    try {
        FileReader f = new FileReader(file);
        BufferedReader reader = new BufferedReader(f);
        String line = "";
        while ((line = reader.readLine()) != null) {
            wordList.add(line);
        }

    } catch (Exception e) { //Done in case of an exception
        System.out.println("No file found.");
    }
}

private void mapMaker() {
    int wordLength = 1;
    Set<String> wordSet = new HashSet<String>();
    while (!wordList.isEmpty()) {
        wordSet = setBuilder(wordLength);
        if (!wordSet.isEmpty()) {
            setMap.put(wordLength, wordSet);
        }
        wordLength++;
    }
}

private Set<String> setBuilder(int x) {
    Set<String> wordSet = new HashSet<String>();
    int counter = 0;
    while (counter < wordList.size()) {
        if (wordList.get(counter).length() == x) {
            wordSet.add(wordList.get(counter));
            wordList.remove(counter);
        } else {
            counter++;
        }
    }
    return wordSet;
}

先感谢您的任何意见。

2 个答案:

答案 0 :(得分:4)

private void readFile(String file) {
    try {
        FileReader f = new FileReader(file);
        BufferedReader reader = new BufferedReader(f);
        String word = "";
        while ((word = reader.readLine()) != null) { 
            int length = word.length();
            if(setMap.containsKey(length)) {
                setMap.get(length).add(word);
            } else {
                Set set = new HashSet<String>();
                set.add(word); 
                setMap.put(length, set);
            }
        }

    } catch (Exception e) { //Done in case of an exception
        System.out.println("No file found.");
    }
}

答案 1 :(得分:2)

您可以使用Guava's MultiMap

示例:

        String[] words={"world","hello","abc","bcd","abc"};
        SetMultimap<Integer,String> lenMap=HashMultimap.create();
        for(String str:words)//instead read word's from file in your case
            lenMap.put(str.length(),str);

输出:

{3=[abc, bcd], 5=[hello, world]}