我正在制作一个需要数千个快速字符串查找和前缀检查的移动应用程序。为了加快速度,我从我的单词列表中做了一个 Trie,它有大约 180,000 个单词。
一切都很好,但唯一的问题是在我的手机上构建这个巨大的树(它有大约 400,000 个节点)大约需要10 秒,这真的很慢。
这是构建 trie 的代码。
public SimpleTrie makeTrie(String file) throws Exception {
    String line;
    SimpleTrie trie = new SimpleTrie();
    BufferedReader br = new BufferedReader(new FileReader(file));
    while( (line = br.readLine()) != null) {
        trie.insert(line);
    }
    br.close();
    return trie;
}
运行的insert方法O(length of key)
public void insert(String key) {
    TrieNode crawler = root;
    for(int level=0 ; level < key.length() ; level++) {
        int index = key.charAt(level) - 'A';
        if(crawler.children[index] == null) {
            crawler.children[index] = getNode();
        }
        crawler = crawler.children[index];
    }
    crawler.valid = true;
}
我正在寻找直观的方法来更快地构建 trie。也许我只在笔记本电脑上构建了一次 trie,以某种方式将其存储到磁盘上,然后从手机中的文件中加载它?但我不知道如何实现这一点。
或者是否有任何其他前缀数据结构将花费更少的时间来构建,但具有类似的查找时间复杂度?
任何建议表示赞赏。提前致谢。
编辑
有人建议使用 Java 序列化。我试过了,但是这段代码很慢:
public void serializeTrie(SimpleTrie trie, String file) {
        try {
            ObjectOutput out = new ObjectOutputStream(new BufferedOutputStream(new FileOutputStream(file)));
            out.writeObject(trie);
            out.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
    public SimpleTrie deserializeTrie(String file) {
        try {
            ObjectInput in = new ObjectInputStream(new BufferedInputStream(new FileInputStream(file)));
            SimpleTrie trie = (SimpleTrie)in.readObject();
            in.close();
            return trie;
        } catch (IOException | ClassNotFoundException e) {
            e.printStackTrace();
            return null;
        }
    }
上面的代码可以更快吗?
我的尝试:http: //pastebin.com/QkFisi09
词表:http ://www.isc.ro/lists/twl06.zip
用于运行代码的 Android IDE: http://play.google.com/store/apps/details?id= com.jimmychen.app.sand