您好我有一个32mb的文件。它是一个简单的字典文件,编码1250,其中有280万行。每行只有一个唯一的单词:
cat
dog
god
...
我想用Lucene搜索特定单词字典中的每个字谜。例如:
我想搜索 dog 这个词的每个字谜,而lucene应该搜索我的字典并返回 dog 和 god 。在我的webapp中,我有一个Word实体:
public class Word {
private Long id;
private String word;
private String baseLetters;
private String definition;
}
和baseLetters是一个变量,它按字母顺序排序,用于搜索这样的字谜[上帝和狗的单词将具有相同的baseLetters:dgo]。我成功地在我的数据库中使用这个baseLetters变量在不同的服务中搜索这样的字谜但我有问题来创建我的字典文件的索引。我知道我必须添加到字段:
word和baseLetters但我不知道该怎么做:(有人可以告诉我一些方向来实现这个目标吗?
现在我只有这样的东西:
public class DictionaryIndexer {
private static final Logger logger = LoggerFactory.getLogger(DictionaryIndexer.class);
@Value("${dictionary.path}")
private String dictionaryPath;
@Value("${lucene.search.indexDir}")
private String indexPath;
public void createIndex() throws CorruptIndexException, LockObtainFailedException {
try {
IndexWriter indexWriter = getLuceneIndexer();
createDocument();
} catch (IOException e) {
logger.error(e.getMessage(), e);
}
}
private IndexWriter getLuceneIndexer() throws CorruptIndexException, LockObtainFailedException, IOException {
StandardAnalyzer analyzer = new StandardAnalyzer(Version.LUCENE_36);
IndexWriterConfig indexWriterConfig = new IndexWriterConfig(Version.LUCENE_36, analyzer);
indexWriterConfig.setOpenMode(OpenMode.CREATE_OR_APPEND);
Directory directory = new SimpleFSDirectory(new File(indexPath));
return new IndexWriter(directory, indexWriterConfig);
}
private void createDocument() throws FileNotFoundException {
File sjp = new File(dictionaryPath);
Reader reader = new FileReader(sjp);
Document dictionary = new Document();
dictionary.add(new Field("word", reader));
}
}
PS:还有一个问题。如果我在Spring中将DocumentIndexer注册为bean,那么每次重新部署我的webapp时索引都会创建/追加吗?和将来的DictionarySearcher一样吗?
答案 0 :(得分:6)
Lucene不是最好的工具,因为你没有进行搜索:你正在进行查找。所有实际工作都发生在“索引器”中,然后您只需存储所有工作的结果。在任何散列类型的存储机制中查找都可以是O(1)。
以下是您的索引器应该执行的操作:
SortedSet
或String[]
HashMap<String,List<String>>
(性能大小可能相同)Map
以下是您的查找过程应该执行的操作:
List
(或null),注意忽略输出中的示例字如果要保存堆空间,请考虑使用DAWG。你会发现你可以用几百千字节而不是32MiB代表整个英语单词词典。我将把它作为读者的练习。
祝你的家庭作业好运。
答案 1 :(得分:3)
函数createDocument()应为
private void createDocument() throws FileNotFoundException {
File sjp = new File(dictionaryPath);
BufferedReader reader = new BufferedReader(new FileReader(sjp));
String readLine = null;
while((readLine = reader.readLine() != null)) {
readLine = readLine.trim();
Document dictionary = new Document();
dictionary.add(new Field("word", readLine));
// toAnagram methods sorts the letters in the word. Also makes it
// case insensitive.
dictionary.add(new Field("anagram", toAnagram(readLine)));
indexWriter.addDocument(dictionary);
}
}
如果您正在使用Lucene提供大量功能,请考虑使用Apache Solr,这是一个建立在Lucene之上的搜索平台。
您还可以为每个anagram组只输入一个条目来建模索引。
{"anagram" : "scare", "words":["cares", "acres"]}
{"anagram" : "shoes", "words":["hoses"]}
{"anagram" : "spore", "words":["pores", "prose", "ropes"]}
这将需要在处理字典文件时更新索引中的现有文档。在这种情况下,Solr将帮助提供更高级别的API。例如,IndexWriter does not support updating documents。 Solr支持更新。
这样的索引会给每个字谜搜索一个结果文档。
希望它有所帮助。